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

Introduce universal compilation host to execution framework #15960

Open
wants to merge 5 commits into
base: develop
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
12 changes: 12 additions & 0 deletions libsolidity/interface/CompilerStack.cpp
Original file line number Diff line number Diff line change
Expand Up @@ -1256,6 +1256,18 @@ ContractDefinition const& CompilerStack::contractDefinition(std::string const& _
return *contract(_contractName).contract;
}

std::vector<ContractDefinition const*> CompilerStack::contractDefinitions(
std::string const& _sourceName
) const
{
std::vector<ContractDefinition const*> contracts;
if (auto source = m_sources.find(_sourceName); source != m_sources.end())
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Suggested change
if (auto source = m_sources.find(_sourceName); source != m_sources.end())
if (
auto const& source = m_sources.find(_sourceName);
source != m_sources.end()
)

aside from that, do you think it would make sense to assert that there actually is a contract definition with the source name instead of silently returning an empty vector?

for (auto const* contract: ASTNode::filteredNodes<ContractDefinition>(source->second.ast->nodes()))
contracts.emplace_back(contract);

return contracts;
}

size_t CompilerStack::functionEntryPoint(
std::string const& _contractName,
FunctionDefinition const& _function
Expand Down
3 changes: 3 additions & 0 deletions libsolidity/interface/CompilerStack.h
Original file line number Diff line number Diff line change
Expand Up @@ -307,6 +307,9 @@ class CompilerStack: public langutil::CharStreamProvider, public evmasm::Abstrac
/// does not exist.
ContractDefinition const& contractDefinition(std::string const& _contractName) const;

/// @returns a list of parsed contracts per source unit with the supplied name.
std::vector<ContractDefinition const*> contractDefinitions(std::string const& _sourceName) const;

/// @returns a list of unhandled queries to the SMT solver (has to be supplied in a second run
/// by calling @a addSMTLib2Response).
std::vector<std::string> const& unhandledSMTLib2Queries() const { return m_unhandledSMTLib2Queries; }
Expand Down
6 changes: 6 additions & 0 deletions test/CMakeLists.txt
Original file line number Diff line number Diff line change
Expand Up @@ -117,6 +117,12 @@ set(libsolidity_sources
detect_stray_source_files("${libsolidity_sources}" "libsolidity/")

set(libsolidity_util_sources
libsolidity/util/compiler/Compiler.h
libsolidity/util/compiler/Compiler.cpp
libsolidity/util/compiler/InternalCompiler.h
libsolidity/util/compiler/InternalCompiler.cpp
libsolidity/util/compiler/CompilerHost.h
libsolidity/util/compiler/CompilerHost.cpp
Comment on lines +120 to +125
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

can you order this alphabetically? :)

libsolidity/util/BytesUtils.cpp
libsolidity/util/BytesUtilsTests.cpp
libsolidity/util/BytesUtils.h
Expand Down
2 changes: 1 addition & 1 deletion test/ExecutionFramework.h
Original file line number Diff line number Diff line change
Expand Up @@ -65,7 +65,7 @@ class ExecutionFramework
std::string const& _contractName = "",
bytes const& _arguments = {},
std::map<std::string, util::h160> const& _libraryAddresses = {},
std::optional<std::string> const& _sourceName = std::nullopt
std::optional<std::string> const& _mainSourceName = std::nullopt
) = 0;

bytes const& compileAndRun(
Expand Down
10 changes: 6 additions & 4 deletions test/libsolidity/GasCosts.cpp
Original file line number Diff line number Diff line change
Expand Up @@ -38,7 +38,8 @@ namespace solidity::frontend::test
#define CHECK_DEPLOY_GAS(_gasNoOpt, _gasOpt, _evmVersion) \
do \
{ \
u256 metaCost = GasMeter::dataGas(m_compiler.cborMetadata(m_compiler.lastContractName()), true, _evmVersion); \
auto compiledContract = m_compiler.output().contract().value(); \
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

this unnecessarily copies around compile contract instances. I see you implemented a signature

std::optional<CompiledContract> contract(ContractName const& _name = {}) const;

Instead, I would implement it as CompiledContract const* contract(ContractName const& _name = {}) const;. Ultimately the compiled contract comes from the m_sourceUnits map so all you have to do is point to it if it exists, return nullptr otherwise. Then you can also write the following

Suggested change
auto compiledContract = m_compiler.output().contract().value(); \
auto const* compiledContract = m_compiler.output().contract().value(); \

u256 metaCost = GasMeter::dataGas(compiledContract.cborMetadata, true, _evmVersion); \
u256 gasOpt{_gasOpt}; \
u256 gasNoOpt{_gasNoOpt}; \
u256 gas = m_optimiserSettings == OptimiserSettings::minimal() ? gasNoOpt : gasOpt; \
Expand Down Expand Up @@ -90,7 +91,7 @@ BOOST_AUTO_TEST_CASE(string_storage)
}
}
)";
m_compiler.setMetadataFormat(CompilerStack::MetadataFormat::NoMetadata);

m_appendCBORMetadata = false;
compileAndRun(sourceCode);

Expand Down Expand Up @@ -202,8 +203,9 @@ BOOST_AUTO_TEST_CASE(single_callvaluecheck)
}
)";
compileAndRun(sourceCode);
size_t bytecodeSizeNonpayable = m_compiler.object("Nonpayable").bytecode.size();
size_t bytecodeSizePayable = m_compiler.object("Payable").bytecode.size();
auto compilerOutput = m_compiler.output();
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Suggested change
auto compilerOutput = m_compiler.output();
auto const& compilerOutput = m_compiler.output();

the way you did it will make a copy of the output

size_t bytecodeSizeNonpayable = compilerOutput.contract("Nonpayable").value().object.size();
size_t bytecodeSizePayable = compilerOutput.contract("Payable").value().object.size();
Comment on lines +207 to +208
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

this does not assert that "Nonpayable" and "Payable" even exist as far as i can tell


auto evmVersion = solidity::test::CommonOptions::get().evmVersion();
if (evmVersion < EVMVersion::shanghai())
Expand Down
43 changes: 34 additions & 9 deletions test/libsolidity/GasMeter.cpp
Original file line number Diff line number Diff line change
Expand Up @@ -22,6 +22,7 @@
*/

#include <test/libsolidity/SolidityExecutionFramework.h>
#include <test/libsolidity/util/SoltestErrors.h>
#include <libevmasm/GasMeter.h>
#include <libevmasm/KnownState.h>
#include <libevmasm/PathGasMeter.h>
Expand All @@ -43,24 +44,40 @@ class GasMeterTestFramework: public SolidityExecutionFramework
void compile(std::string const& _sourceCode)
{
m_compiler.reset();
m_compiler.setSources({{"", "pragma solidity >=0.0;\n"
"// SPDX-License-Identifier: GPL-3.0\n" + _sourceCode}});
m_compiler.setOptimiserSettings(solidity::test::CommonOptions::get().optimize);
m_compiler.setEVMVersion(m_evmVersion);
BOOST_REQUIRE_MESSAGE(m_compiler.compile(), "Compiling contract failed");
m_compilerInput = CompilerInput{};

m_compilerInput.sourceCode = {{"", "pragma solidity >=0.0;\n"
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

could probably use withPreamble, right?

"// SPDX-License-Identifier: GPL-3.0\n" + _sourceCode}};
m_compilerInput.optimise = solidity::test::CommonOptions::get().optimize;
m_compilerInput.evmVersion = std::make_optional(m_evmVersion);

m_compiler.compile(m_compilerInput);

BOOST_REQUIRE_MESSAGE(m_compiler.output().success(), "Compiling contract failed");
}

void testCreationTimeGas(std::string const& _sourceCode, u256 const& _tolerance = u256(0))
{
compileAndRun(_sourceCode);

auto state = std::make_shared<KnownState>();
PathGasMeter meter(*m_compiler.assemblyItems(m_compiler.lastContractName()), solidity::test::CommonOptions::get().evmVersion());
auto output = m_compiler.output();
auto contract = output.contract();

soltestAssert(contract.has_value());
soltestAssert(contract.value().assemblyItems.has_value());

auto object = contract.value().object;
auto runtimeObject = contract.value().runtimeObject;
auto assemblyItems = contract.value().assemblyItems.value();

PathGasMeter meter(assemblyItems, solidity::test::CommonOptions::get().evmVersion());
GasMeter::GasConsumption gas = meter.estimateMax(0, state);
u256 bytecodeSize(m_compiler.runtimeObject(m_compiler.lastContractName()).bytecode.size());
u256 bytecodeSize(runtimeObject.size());
// costs for deployment
gas += bytecodeSize * GasCosts::createDataGas;
// costs for transaction
gas += gasForTransaction(m_compiler.object(m_compiler.lastContractName()).bytecode, true);
gas += gasForTransaction(object, true);

BOOST_REQUIRE(!gas.isInfinite);
BOOST_CHECK_LE(m_gasUsed, gas.value);
Expand All @@ -71,6 +88,14 @@ class GasMeterTestFramework: public SolidityExecutionFramework
/// against the actual gas usage computed by the VM on the given set of argument variants.
void testRunTimeGas(std::string const& _sig, std::vector<bytes> _argumentVariants, u256 const& _tolerance = u256(0))
{
auto output = m_compiler.output();
auto contract = output.contract();

soltestAssert(contract.has_value());
soltestAssert(contract.value().runtimeAssemblyItems.has_value());

auto runtimeAssemblyItems = contract.value().runtimeAssemblyItems.value();

u256 gasUsed = 0;
GasMeter::GasConsumption gas;
util::FixedHash<4> hash = util::selectorFromSignatureH32(_sig);
Expand All @@ -83,7 +108,7 @@ class GasMeterTestFramework: public SolidityExecutionFramework
}

gas += GasEstimator(solidity::test::CommonOptions::get().evmVersion()).functionalEstimation(
*m_compiler.runtimeAssemblyItems(m_compiler.lastContractName()),
runtimeAssemblyItems,
_sig
);
BOOST_REQUIRE(!gas.isInfinite);
Expand Down
51 changes: 19 additions & 32 deletions test/libsolidity/SemanticTest.cpp
Original file line number Diff line number Diff line change
Expand Up @@ -118,8 +118,8 @@ SemanticTest::SemanticTest(

if (m_enforceGasCost)
{
m_compiler.setMetadataFormat(CompilerStack::MetadataFormat::NoMetadata);
m_compiler.setMetadataHash(CompilerStack::MetadataHash::None);
m_compilerInput.metadataFormat = MetadataFormat::NoMetadata;
m_compilerInput.metadataHash = MetadataHash::None;
}
}

Expand Down Expand Up @@ -231,13 +231,15 @@ std::string SemanticTest::formatEventParameter(std::optional<AnnotatedEventSigna

std::vector<std::string> SemanticTest::eventSideEffectHook(FunctionCall const&) const
{
auto output = m_compiler.output();

std::vector<std::string> sideEffects;
std::vector<LogRecord> recordedLogs = ExecutionFramework::recordedLogs();
for (LogRecord const& log: recordedLogs)
{
std::optional<AnnotatedEventSignature> eventSignature;
if (!log.topics.empty())
eventSignature = matchEvent(log.topics[0]);
eventSignature = output.matchEvent(log.topics[0]);
std::stringstream sideEffect;
sideEffect << "emit ";
if (eventSignature.has_value())
Expand Down Expand Up @@ -273,31 +275,6 @@ std::vector<std::string> SemanticTest::eventSideEffectHook(FunctionCall const&)
return sideEffects;
}

std::optional<AnnotatedEventSignature> SemanticTest::matchEvent(util::h256 const& hash) const
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

The header still has a dangling definition for this :)

{
std::optional<AnnotatedEventSignature> result;
for (std::string& contractName: m_compiler.contractNames())
{
ContractDefinition const& contract = m_compiler.contractDefinition(contractName);
for (EventDefinition const* event: contract.events() + contract.usedInterfaceEvents())
{
FunctionTypePointer eventFunctionType = event->functionType(true);
if (!event->isAnonymous() && keccak256(eventFunctionType->externalSignature()) == hash)
{
AnnotatedEventSignature eventInfo;
eventInfo.signature = eventFunctionType->externalSignature();
for (auto const& param: event->parameters())
if (param->isIndexed())
eventInfo.indexedTypes.emplace_back(param->type()->toString(true));
else
eventInfo.nonIndexedTypes.emplace_back(param->type()->toString(true));
result = eventInfo;
}
}
}
return result;
}

frontend::OptimiserSettings SemanticTest::optimizerSettingsFor(RequiresYulOptimizer _requiresYulOptimizer)
{
switch (_requiresYulOptimizer)
Expand Down Expand Up @@ -383,13 +360,14 @@ TestCase::TestResult SemanticTest::runTest(
}
else if (test.call().kind == FunctionCall::Kind::Library)
{
std::string name = test.call().libraryFile + ":" + test.call().signature;
soltestAssert(
deploy(test.call().signature, 0, {}, libraries) && m_transactionSuccessful,
deploy(name, 0, {}, libraries) && m_transactionSuccessful,
"Failed to deploy library " + test.call().signature);
// For convenience, in semantic tests we assume that an unqualified name like `L` is equivalent to one
// with an empty source unit name (`:L`). This is fine because the compiler never uses unqualified
// names in the Yul code it produces and does not allow `linkersymbol()` at all in inline assembly.
libraries[test.call().libraryFile + ":" + test.call().signature] = m_contractAddress;
libraries[name] = m_contractAddress;
continue;
}
else
Expand All @@ -416,7 +394,14 @@ TestCase::TestResult SemanticTest::runTest(
}
else
{
ContractName contractName{m_sources.mainSourceFile, ""};

auto compiledContract = m_compiler.output().contract(contractName);
solAssert(compiledContract.has_value());

CompiledContract contract = compiledContract.value();
bytes output;

if (test.call().kind == FunctionCall::Kind::LowLevel)
output = callLowLevel(test.call().arguments.rawBytes(), test.call().value.value);
else if (test.call().kind == FunctionCall::Kind::Builtin)
Expand All @@ -432,9 +417,10 @@ TestCase::TestResult SemanticTest::runTest(
}
else
{
soltestAssert(contract.interfaceSymbols.has_value());
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

These optionals (and subsequent asserts) are entirely to accommodate experimental solidity part, right? You could try making two structs for experimental and non-experimental, respectively, and then use a using SourceUnits = std::map<std::string, std::vector<std::variant<CompiledContract, CompiledExperimentalContract>>>; or something. This should make it easier to remove if we ever fully deprecate experimental solidity and remove the need for all these optionals in the "normal" cases. WDYT?

soltestAssert(
m_allowNonExistingFunctions ||
m_compiler.interfaceSymbols(m_compiler.lastContractName(m_sources.mainSourceFile))["methods"].contains(test.call().signature),
contract.interfaceSymbols.value()["methods"].contains(test.call().signature),
"The function " + test.call().signature + " is not known to the compiler"
);

Expand Down Expand Up @@ -462,7 +448,8 @@ TestCase::TestResult SemanticTest::runTest(
test.setFailure(!m_transactionSuccessful);
test.setRawBytes(std::move(output));
if (test.call().kind != FunctionCall::Kind::LowLevel)
test.setContractABI(m_compiler.contractABI(m_compiler.lastContractName(m_sources.mainSourceFile)));
if (contract.contractABI.has_value())
test.setContractABI(contract.contractABI.value());
}

std::vector<std::string> effects;
Expand Down
7 changes: 0 additions & 7 deletions test/libsolidity/SemanticTest.h
Original file line number Diff line number Diff line change
Expand Up @@ -30,13 +30,6 @@
namespace solidity::frontend::test
{

struct AnnotatedEventSignature
{
std::string signature;
std::vector<std::string> indexedTypes;
std::vector<std::string> nonIndexedTypes;
};

enum class RequiresYulOptimizer
{
False,
Expand Down
14 changes: 11 additions & 3 deletions test/libsolidity/SolidityEndToEndTest.cpp
Original file line number Diff line number Diff line change
Expand Up @@ -105,7 +105,7 @@ BOOST_AUTO_TEST_CASE(creation_code_optimizer)
}
)";

m_metadataHash = CompilerStack::MetadataHash::None;
m_metadataHash = MetadataHash::None;
ALSO_VIA_YUL({
bytes bytecodeC = compileContract(codeC);
reset();
Expand Down Expand Up @@ -2815,9 +2815,17 @@ BOOST_AUTO_TEST_CASE(include_creation_bytecode_only_once)
}
)";
compileAndRun(sourceCode);

auto output = m_compiler.output();
auto contractDouble = output.contract("Double");
auto contractSingle = output.contract("Single");

solAssert(contractDouble);
solAssert(contractSingle);

BOOST_CHECK_LE(
double(m_compiler.object("Double").bytecode.size()),
1.2 * double(m_compiler.object("Single").bytecode.size())
double(contractDouble.value().object.size()),
1.2 * double(contractSingle.value().object.size())
);
}

Expand Down
Loading