forked from neonevm/neon-tests
-
Notifications
You must be signed in to change notification settings - Fork 3
/
Copy pathconftest.py
298 lines (250 loc) · 11.1 KB
/
conftest.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
import builtins
import os
import json
import shutil
import pathlib
import sys
from dataclasses import dataclass, field
from typing import Optional, Dict
from solders.pubkey import Pubkey
import allure
import pytest
from _pytest.config import Config
from _pytest.config.argparsing import Parser
from _pytest.nodes import Item
from _pytest.runner import runtestprotocol
from allure_commons.types import AttachmentType
from solana.rpc.commitment import Confirmed
from solders.keypair import Keypair
from web3.middleware import geth_poa_middleware
from clickfile import TEST_GROUPS, EnvName
from utils.consts import LAMPORT_PER_SOL
from utils.evm_loader import EvmLoader
from utils.neon_user import NeonUser
from utils.types import TestGroup, TreasuryPool
from utils.error_log import error_log
from utils import create_allure_environment_opts, setup_logging
from utils.faucet import Faucet
from utils.accounts import EthAccounts
from utils.web3client import NeonChainWeb3Client
from utils.solana_client import SolanaClient
from spl.token.constants import WRAPPED_SOL_MINT
pytest_plugins = ["ui.plugins.browser"]
COST_REPORT_DIR: pathlib.Path = pathlib.Path()
@dataclass
class EnvironmentConfig:
name: EnvName
evm_loader: str
proxy_url: str
tracer_url: str
solana_url: str
faucet_url: str
network_ids: Dict[str, int]
spl_neon_mint: str
neon_erc20wrapper_address: str
use_bank: bool
eth_bank_account: str
neonpass_url: str = ""
ws_subscriber_url: str = ""
account_seed_version: str = "\3"
neon_core_api_url: Optional[str] = None
neon_core_api_rpc_url: Optional[str] = None
sol_mint_id: Pubkey = field(default=WRAPPED_SOL_MINT)
def pytest_addoption(parser: Parser):
parser.addoption(
"--network",
action="store",
choices=[env.value for env in EnvName], # noqa
default="devnet",
help="Which stand use",
)
parser.addoption(
"--make-report",
action="store_true",
default=False,
help="Store tests result to file",
)
parser.addoption(
"--cost_reports_dir",
default="",
type=pathlib.Path,
help=f"Saves cost reports .json files in {COST_REPORT_DIR}",
)
known_args = parser.parse_known_args(args=sys.argv[1:])
test_group_required = known_args.make_report
parser.addoption(
"--test-group",
choices=TEST_GROUPS,
required=test_group_required,
help="Test group",
)
parser.addoption("--envs", action="store", default="envs.json", help="Filename with environments")
parser.addoption(
"--keep-error-log",
action="store_true",
default=False,
help=f"Don't clear file {error_log.file_path.name}",
)
def pytest_sessionstart(session: pytest.Session):
"""Hook for clearing the error log used by the Slack notifications utility"""
keep_error_log = session.config.getoption(name="--keep-error-log", default=False)
if not keep_error_log:
error_log.clear()
if COST_REPORT_DIR != pathlib.Path() and COST_REPORT_DIR.exists() and COST_REPORT_DIR.is_dir():
shutil.rmtree(COST_REPORT_DIR)
def pytest_runtest_protocol(item: Item, nextitem):
request: pytest.FixtureRequest = item._request # noqa
ihook = item.ihook
ihook.pytest_runtest_logstart(nodeid=item.nodeid, location=item.location)
reports = runtestprotocol(item, nextitem=nextitem)
ihook.pytest_runtest_logfinish(nodeid=item.nodeid, location=item.location)
if item.config.getoption("--make-report"):
test_group: TestGroup = item.config.getoption("--test-group")
for report in reports:
if report.outcome == "failed":
if report.when == "call":
error_log.add_failure(test_group=test_group, test_name=item.nodeid)
else:
error_log.add_error(test_group=test_group, test_name=item.nodeid)
if test_group == "ui":
driver = request.getfixturevalue("driver")
allure.attach(driver.get_screenshot_as_png(), attachment_type=AttachmentType.PNG)
return True
def pytest_configure(config: Config):
# redirect print to stderr for xdist-spawned processes because otherwise print statements get lost
if "PYTEST_XDIST_WORKER" in os.environ:
original_print = builtins.print
builtins.print = lambda *args, **kwargs: original_print(*args, file=sys.stderr, **kwargs)
global COST_REPORT_DIR
COST_REPORT_DIR = config.getoption("--cost_reports_dir")
network_name = config.getoption("--network")
envs_file = config.getoption("--envs")
with open(pathlib.Path().parent.parent / envs_file, "r+") as f:
environments = json.load(f)
assert network_name in environments, f"Environment {network_name} doesn't exist in envs.json"
env = environments[network_name]
env["name"] = EnvName(network_name)
if network_name in ["devnet", "tracer_ci"]:
if "DEVNET_SOLANA_URL" in os.environ and os.environ["DEVNET_SOLANA_URL"]:
env["solana_url"] = os.environ.get("DEVNET_SOLANA_URL")
if "PROXY_URL" in os.environ and os.environ["PROXY_URL"]:
env["proxy_url"] = os.environ.get("PROXY_URL")
if "DEVNET_FAUCET_URL" in os.environ and os.environ["DEVNET_FAUCET_URL"]:
env["faucet_url"] = os.environ.get("DEVNET_FAUCET_URL")
if "use_bank" not in env:
env["use_bank"] = False
if "eth_bank_account" not in env:
env["eth_bank_account"] = ""
if network_name == "terraform":
env["solana_url"] = env["solana_url"].replace("<solana_ip>", os.environ.get("SOLANA_IP"))
env["proxy_url"] = env["proxy_url"].replace("<proxy_ip>", os.environ.get("PROXY_IP"))
env["faucet_url"] = env["faucet_url"].replace("<proxy_ip>", os.environ.get("PROXY_IP"))
config.environment = EnvironmentConfig(**env)
setup_logging()
@pytest.fixture(scope="session")
def env_name(pytestconfig: Config) -> EnvName:
return pytestconfig.environment.name # noqa
@pytest.fixture(scope="session")
def operator_keypair() -> Keypair:
with open("operator-keypair.json", "r") as key:
secret_key = json.load(key)
return Keypair.from_bytes(secret_key)
@pytest.fixture(scope="session")
def evm_loader_keypair() -> Keypair:
with open("evm_loader-keypair.json", "r") as key:
secret_key = json.load(key)
return Keypair.from_bytes(secret_key)
@pytest.fixture(scope="session", autouse=True)
def allure_environment(pytestconfig: Config, web3_client_session: NeonChainWeb3Client):
opts = {}
network_name = pytestconfig.getoption("--network")
if network_name != "geth" and network_name != "mainnet" and "neon_evm" not in os.getenv("PYTEST_CURRENT_TEST"):
opts = {
"Network": pytestconfig.environment.proxy_url,
"Proxy.Version": web3_client_session.get_proxy_version()["result"],
"EVM.Version": web3_client_session.get_evm_version()["result"],
"NEON_CORE.Version": web3_client_session.get_neon_core_version()["result"],
}
yield opts
allure_dir = pytestconfig.getoption("--alluredir")
allure_path = pathlib.Path() / allure_dir
create_allure_environment_opts(opts)
categories_from = pathlib.Path() / "allure" / "categories.json"
categories_to = allure_path / "categories.json"
shutil.copy(categories_from, categories_to)
if "CI" in os.environ:
github_server_url = os.environ.get("GITHUB_SERVER_URL", "https://github.com")
github_organization = os.environ.get("GITHUB_REPOSITORY_OWNER")
github_repository = os.environ.get("GITHUB_REPOSITORY", "neon-tests")
actions_url = f"{github_server_url}/{github_organization}/{github_repository}/actions"
with open(allure_path / "executor.json", "w+") as f:
json.dump(
{
"name": "Github Action",
"type": "github",
"url": actions_url,
"buildOrder": os.environ.get("GITHUB_RUN_ID", "0"),
"buildName": os.environ.get("GITHUB_WORKFLOW", "neon-tests"),
"buildUrl": f'{actions_url}/runs/{os.environ.get("GITHUB_RUN_ID", "0")}',
"reportUrl": "",
"reportName": "Allure report for neon-tests",
},
f,
)
@pytest.fixture(scope="session")
def web3_client_session(
environment: EnvironmentConfig,
env_name: EnvName,
) -> NeonChainWeb3Client:
client = NeonChainWeb3Client(
environment.proxy_url,
tracer_url=environment.tracer_url,
)
if env_name is EnvName.GETH:
client._web3.middleware_onion.inject(geth_poa_middleware, layer=0) # noqa
return client
@pytest.fixture(scope="session")
def sol_client_session(environment: EnvironmentConfig) -> SolanaClient:
return SolanaClient(environment.solana_url, environment.account_seed_version)
@pytest.fixture(scope="session")
def faucet(environment: EnvironmentConfig, web3_client_session: NeonChainWeb3Client) -> Faucet:
return Faucet(environment.faucet_url, web3_client_session)
@pytest.fixture(scope="session")
def accounts_session(pytestconfig: Config, web3_client_session, faucet, eth_bank_account):
accounts = EthAccounts(web3_client_session, faucet, eth_bank_account)
yield accounts
if pytestconfig.getoption("--network") == "mainnet":
if len(accounts.accounts_collector) > 0:
for item in accounts.accounts_collector:
with allure.step(f"Restoring eth account balance from {item.key.hex()} account"):
web3_client_session.send_all_neons(item, eth_bank_account)
accounts_session._accounts = []
@pytest.fixture(scope="function")
def neon_user(evm_loader: EvmLoader, pytestconfig, bank_account, faucet, environment) -> NeonUser:
user = NeonUser(environment.evm_loader, bank_account)
balance = evm_loader.get_solana_balance(user.solana_account.pubkey())
if pytestconfig.getoption("--network") != "mainnet":
if balance < 5 * LAMPORT_PER_SOL:
evm_loader.request_airdrop(user.solana_account.pubkey(), 5 * LAMPORT_PER_SOL, commitment=Confirmed)
return user
@pytest.fixture(scope="session")
def treasury_pool(evm_loader, pytestconfig) -> TreasuryPool:
index = 2
evm_loader.create_treasury_pool_address(index)
if pytestconfig.getoption("--network") == "mainnet":
address = Pubkey.from_string(os.environ.get("MAINNET_TREASURY_POOL_ADDRESS"))
else:
address = evm_loader.create_treasury_pool_address(index)
index_buf = index.to_bytes(4, "little")
balance = evm_loader.get_solana_balance(address)
if pytestconfig.getoption("--network") != "mainnet":
if balance < 5 * LAMPORT_PER_SOL:
evm_loader.request_airdrop(address, 5 * LAMPORT_PER_SOL, commitment=Confirmed)
return TreasuryPool(index, address, index_buf)
@pytest.fixture(scope="session")
def treasury_pool_new(evm_loader) -> TreasuryPool:
index = 3
address = evm_loader.create_treasury_pool_address(index)
index_buf = index.to_bytes(4, "little")
evm_loader.request_airdrop(address, 10000 * 10**9, commitment=Confirmed)
return TreasuryPool(index, address, index_buf)