-
Notifications
You must be signed in to change notification settings - Fork 83
/
Copy pathsolc.py
792 lines (668 loc) · 28.5 KB
/
solc.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
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
"""
Solc platform
"""
import json
import logging
import os
import re
import shutil
import subprocess
from pathlib import Path
from typing import TYPE_CHECKING, Dict, List, Optional, Union, Any
from packaging import version
from solc_select import solc_select
from crytic_compile.compilation_unit import CompilationUnit
from crytic_compile.compiler.compiler import CompilerVersion
from crytic_compile.platform.abstract_platform import AbstractPlatform
from crytic_compile.platform.exceptions import InvalidCompilation
from crytic_compile.platform.types import Type
from crytic_compile.utils.naming import (
combine_filename_name,
convert_filename,
extract_filename,
extract_name,
)
# Cycle dependency
from crytic_compile.utils.natspec import Natspec
if TYPE_CHECKING:
from crytic_compile import CryticCompile
LOGGER = logging.getLogger("CryticCompile")
def _build_contract_data(compilation_unit: "CompilationUnit") -> Dict:
contracts = {}
libraries = compilation_unit.crytic_compile.libraries
for filename, source_unit in compilation_unit.source_units.items():
for contract_name in source_unit.contracts_names:
abi = str(source_unit.abi(contract_name))
abi = abi.replace("'", '"')
abi = abi.replace("True", "true")
abi = abi.replace("False", "false")
abi = abi.replace(" ", "")
exported_name = combine_filename_name(filename.absolute, contract_name)
contracts[exported_name] = {
"srcmap": ";".join(source_unit.srcmap_init(contract_name)),
"srcmap-runtime": ";".join(source_unit.srcmap_runtime(contract_name)),
"abi": abi,
"bin": source_unit.bytecode_init(contract_name, libraries),
"bin-runtime": source_unit.bytecode_runtime(contract_name, libraries),
"userdoc": source_unit.natspec[contract_name].userdoc.export(),
"devdoc": source_unit.natspec[contract_name].devdoc.export(),
}
return contracts
def export_to_solc_from_compilation_unit(
compilation_unit: "CompilationUnit", key: str, export_dir: str
) -> Optional[str]:
"""Export the compilation unit to the standard solc output format.
The exported file will be $key.json
Args:
compilation_unit (CompilationUnit): Compilation unit to export
key (str): Filename Id
export_dir (str): Export directory
Returns:
Optional[str]: path to the file generated
"""
contracts = _build_contract_data(compilation_unit)
# Create additional informational objects.
sources = {filename: {"AST": ast} for (filename, ast) in compilation_unit.asts.items()}
source_list = [x.absolute for x in compilation_unit.filenames]
# needed for Echidna, see https://github.com/crytic/crytic-compile/issues/112
first_source_list = list(filter(lambda f: "@" in f, source_list))
second_source_list = list(filter(lambda f: "@" not in f, source_list))
first_source_list.sort()
second_source_list.sort()
source_list = first_source_list + second_source_list
# Create our root object to contain the contracts and other information.
output = {"sources": sources, "sourceList": source_list, "contracts": contracts}
# If we have an export directory specified, we output the JSON.
if export_dir:
if not os.path.exists(export_dir):
os.makedirs(export_dir)
path = os.path.join(export_dir, f"{key}.json")
with open(path, "w", encoding="utf8") as file_desc:
json.dump(output, file_desc)
return path
return None
def export_to_solc(crytic_compile: "CryticCompile", **kwargs: str) -> List[str]:
"""Export all the compilation units to the standard solc output format.
The files generated will be either
- combined_solc.json, if there is one compilation unit (echidna legacy)
- $key.json, where $key is the compilation unit identifiant
Args:
crytic_compile (CryticCompile): CryticCompile object to export
**kwargs: optional arguments. Used: "export_dir"
Returns:
List[str]: List of filenames generated
"""
# Obtain objects to represent each contract
export_dir = kwargs.get("export_dir", "crytic-export")
if len(crytic_compile.compilation_units) == 1:
compilation_unit = list(crytic_compile.compilation_units.values())[0]
path = export_to_solc_from_compilation_unit(compilation_unit, "combined_solc", export_dir)
if path:
return [path]
return []
paths = []
for key, compilation_unit in crytic_compile.compilation_units.items():
path = export_to_solc_from_compilation_unit(compilation_unit, key, export_dir)
if path:
paths.append(path)
return paths
class Solc(AbstractPlatform):
"""
Solc platform
"""
NAME = "solc"
PROJECT_URL = "https://github.com/ethereum/solidity"
TYPE = Type.SOLC
def compile(self, crytic_compile: "CryticCompile", **kwargs: str) -> None:
"""Run the compilation
Args:
crytic_compile (CryticCompile): Associated CryticCompile object
**kwargs: optional arguments. Used: "solc_working_dir", "solc_force_legacy_json"
Raises:
InvalidCompilation: If solc failed to run
"""
solc_working_dir = kwargs.get("solc_working_dir", None)
force_legacy_json = kwargs.get("solc_force_legacy_json", False)
compilation_unit = CompilationUnit(crytic_compile, str(self._target))
targets_json = _get_targets_json(compilation_unit, self._target, **kwargs)
# there have been a couple of changes in solc starting from 0.8.x,
if force_legacy_json and _is_at_or_above_minor_version(compilation_unit, 8):
raise InvalidCompilation("legacy JSON not supported from 0.8.x onwards")
skip_filename = compilation_unit.compiler_version.version in [
f"0.4.{x}" for x in range(0, 10)
]
solc_handle_contracts(
targets_json, skip_filename, compilation_unit, self._target, solc_working_dir
)
if "sources" in targets_json:
for path, info in targets_json["sources"].items():
if skip_filename:
path = convert_filename(
self._target,
relative_to_short,
crytic_compile,
working_dir=solc_working_dir,
)
else:
path = convert_filename(
path, relative_to_short, crytic_compile, working_dir=solc_working_dir
)
source_unit = compilation_unit.create_source_unit(path)
source_unit.ast = info["AST"]
def clean(self, **_kwargs: str) -> None:
"""Clean compilation artifacts
Args:
**_kwargs: unused.
"""
return
@staticmethod
def is_supported(target: str, **kwargs: str) -> bool:
"""Check if the target is a Solidity file
Args:
target (str): path to the target
**kwargs: optional arguments. Not used
Returns:
bool: True if the target is a Solidity file
"""
return os.path.isfile(target) and target.endswith(".sol")
def is_dependency(self, _path: str) -> bool:
"""Check if the path is a dependency (always false for direct solc)
Args:
_path (str): path to the target
Returns:
bool: True if the target is a dependency
"""
return False
def _guessed_tests(self) -> List[str]:
"""Guess the potential unit tests commands (always empty for direct solc)
Returns:
List[str]: The guessed unit tests commands
"""
return []
def _get_targets_json(compilation_unit: "CompilationUnit", target: str, **kwargs: Any) -> Dict:
"""Run the compilation, population the compilation info, and returns the json compilation artifacts
Args:
compilation_unit (CompilationUnit): Compilation unit
target (str): path to the solidity file
**kwargs: optional arguments. Used: "solc", "solc_disable_warnings", "solc_args", "solc_remaps",
"solc_solcs_bin", "solc_solcs_select", "solc_working_dir", "solc_force_legacy_json"
Returns:
Dict: Json of the compilation artifacts
"""
solc: str = kwargs.get("solc", "solc")
solc_disable_warnings: bool = kwargs.get("solc_disable_warnings", False)
solc_arguments: str = kwargs.get("solc_args", "")
solc_remaps: Optional[Union[str, List[str]]] = kwargs.get("solc_remaps", None)
# From config file, solcs is a dict (version -> path)
# From command line, solc is a list
# The guessing of version only works from config file
# This is to prevent too complex command line
solcs_path_: Optional[Union[str, Dict, List[str]]] = kwargs.get("solc_solcs_bin")
solcs_path: Optional[Union[Dict, List[str]]] = None
if solcs_path_:
if isinstance(solcs_path_, str):
solcs_path = solcs_path_.split(",")
else:
solcs_path = solcs_path_
# solcs_env is always a list. It matches solc-select list
solcs_env = kwargs.get("solc_solcs_select")
solc_working_dir = kwargs.get("solc_working_dir", None)
force_legacy_json = kwargs.get("solc_force_legacy_json", False)
if solcs_path:
return _run_solcs_path(
compilation_unit,
target,
solcs_path,
solc_disable_warnings,
solc_arguments,
solc_remaps=solc_remaps,
working_dir=solc_working_dir,
force_legacy_json=force_legacy_json,
)
if solcs_env:
solcs_env_list = solcs_env.split(",")
return _run_solcs_env(
compilation_unit,
target,
solc,
solc_disable_warnings,
solc_arguments,
solcs_env=solcs_env_list,
solc_remaps=solc_remaps,
working_dir=solc_working_dir,
force_legacy_json=force_legacy_json,
)
return _run_solc(
compilation_unit,
target,
solc,
solc_disable_warnings,
solc_arguments,
solc_remaps=solc_remaps,
working_dir=solc_working_dir,
force_legacy_json=force_legacy_json,
)
def solc_handle_contracts(
targets_json: Dict,
skip_filename: bool,
compilation_unit: "CompilationUnit",
target: str,
solc_working_dir: Optional[str],
) -> None:
"""Populate the compilation unit from the compilation json artifacts
Args:
targets_json (Dict): Compilation artifacts
skip_filename (bool): If true, skip the filename (for solc <0.4.10)
compilation_unit (CompilationUnit): Associated compilation unit
target (str): Path to the target
solc_working_dir (Optional[str]): Working directory for running solc
"""
is_above_0_8 = _is_at_or_above_minor_version(compilation_unit, 8)
if "contracts" in targets_json:
for original_contract_name, info in targets_json["contracts"].items():
contract_name = extract_name(original_contract_name)
# for solc < 0.4.10 we cant retrieve the filename from the ast
if skip_filename:
filename = convert_filename(
target,
relative_to_short,
compilation_unit.crytic_compile,
working_dir=solc_working_dir,
)
else:
filename = convert_filename(
extract_filename(original_contract_name),
relative_to_short,
compilation_unit.crytic_compile,
working_dir=solc_working_dir,
)
source_unit = compilation_unit.create_source_unit(filename)
source_unit.contracts_names.add(contract_name)
compilation_unit.filename_to_contracts[filename].add(contract_name)
source_unit.abis[contract_name] = (
json.loads(info["abi"]) if not is_above_0_8 else info["abi"]
)
source_unit.bytecodes_init[contract_name] = info["bin"]
source_unit.bytecodes_runtime[contract_name] = info["bin-runtime"]
source_unit.srcmaps_init[contract_name] = info["srcmap"].split(";")
source_unit.srcmaps_runtime[contract_name] = info["srcmap-runtime"].split(";")
userdoc = json.loads(info.get("userdoc", "{}")) if not is_above_0_8 else info["userdoc"]
devdoc = json.loads(info.get("devdoc", "{}")) if not is_above_0_8 else info["devdoc"]
natspec = Natspec(userdoc, devdoc)
source_unit.natspec[contract_name] = natspec
def _is_at_or_above_minor_version(compilation_unit: "CompilationUnit", version: int) -> bool:
"""Checks if the solc version is at or above(=newer) a given minor (0.x.0) version
Args:
compilation_unit (CompilationUnit): Associated compilation unit
version (int): version to check
Returns:
bool: True if the compilation unit version is above or equal to the provided version
"""
assert compilation_unit.compiler_version.version
return int(compilation_unit.compiler_version.version.split(".")[1]) >= version
def get_version(solc: str, env: Optional[Dict[str, str]]) -> str:
"""Obtains the version of the solc executable specified.
Args:
solc (str): The solc executable name to invoke.
env (Optional[Dict[str, str]]): An optional environment key-value store which can be used when invoking the solc executable.
Raises:
InvalidCompilation: If solc failed to run
Returns:
str: Returns the version of the provided solc executable.
"""
cmd = [solc, "--version"]
try:
with subprocess.Popen(
cmd,
stdout=subprocess.PIPE,
stderr=subprocess.PIPE,
env=env,
executable=shutil.which(cmd[0]),
) as process:
stdout_bytes, stderr_bytes = process.communicate()
stdout, stderr = (
stdout_bytes.decode(errors="backslashreplace"),
stderr_bytes.decode(errors="backslashreplace"),
) # convert bytestrings to unicode strings
version = re.findall(r"\d+\.\d+\.\d+", stdout)
if len(version) == 0:
raise InvalidCompilation(
f"\nSolidity version not found:\nSTDOUT:\n{stdout}\nSTDERR:\n{stderr}"
)
return version[0]
except OSError as error:
# pylint: disable=raise-missing-from
raise InvalidCompilation(error)
def is_optimized(solc_arguments: Optional[str]) -> bool:
"""Check if optimization are used
Args:
solc_arguments (Optional[str]): Solc arguments to check
Returns:
bool: True if the optimization are enabled
"""
if solc_arguments:
return "--optimize" in solc_arguments
return False
def _build_options(compiler_version: CompilerVersion, force_legacy_json: bool) -> str:
"""
Build the solc command line options
Args:
compiler_version (CompilerVersion): compiler version
force_legacy_json (bool): true if the legacy json must be used
Returns:
str: options to be passed to the CI
"""
old_04_versions = [f"0.4.{x}" for x in range(0, 12)]
# compact-format was introduced in 0.4.12 and made the default in solc 0.8.10
explicit_compact_format = (
[f"0.4.{x}" for x in range(12, 27)]
+ [f"0.5.{x}" for x in range(0, 18)]
+ [f"0.6.{x}" for x in range(0, 13)]
+ [f"0.7.{x}" for x in range(0, 7)]
+ [f"0.8.{x}" for x in range(0, 10)]
)
assert compiler_version.version
if compiler_version.version in old_04_versions or compiler_version.version.startswith("0.3"):
return "abi,ast,bin,bin-runtime,srcmap,srcmap-runtime,userdoc,devdoc"
if force_legacy_json:
return "abi,ast,bin,bin-runtime,srcmap,srcmap-runtime,userdoc,devdoc,hashes"
if compiler_version.version in explicit_compact_format:
return "abi,ast,bin,bin-runtime,srcmap,srcmap-runtime,userdoc,devdoc,hashes,compact-format"
return "abi,ast,bin,bin-runtime,srcmap,srcmap-runtime,userdoc,devdoc,hashes"
# pylint: disable=too-many-arguments,too-many-locals,too-many-branches
def _run_solc(
compilation_unit: "CompilationUnit",
filename: str,
solc: str,
solc_disable_warnings: bool,
solc_arguments: Optional[str],
solc_remaps: Optional[Union[str, List[str]]] = None,
env: Optional[Dict] = None,
working_dir: Optional[Union[Path, str]] = None,
force_legacy_json: bool = False,
) -> Dict:
"""Run solc.
Ensure that crytic_compile.compiler_version is set prior calling _run_solc
Args:
compilation_unit (CompilationUnit): Associated compilation unit
filename (str): Solidity file to compile
solc (str): Solc binary
solc_disable_warnings (bool): If True, disable solc warnings
solc_arguments (Optional[str]): Additional solc cli arguments
solc_remaps (Optional[Union[str, List[str]]], optional): Solc remaps. Can be a string where remap are separated with space, or list of str, or a list of. Defaults to None.
env (Optional[Dict]): Environement variable when solc is run. Defaults to None.
working_dir (Optional[Union[Path, str]]): Working directory when solc is run. Defaults to None.
force_legacy_json (bool): Force to use the legacy json format. Defaults to False.
Raises:
InvalidCompilation: If solc faile to run
Returns:
Dict: Json compilation artifacts
"""
if not os.path.isfile(filename) and (
not working_dir or not os.path.isfile(os.path.join(str(working_dir), filename))
):
if os.path.isdir(filename):
raise InvalidCompilation(
f"{filename} is a directory. Expected a Solidity file when not using a compilation framework."
)
else:
raise InvalidCompilation(
f"{filename} does not exist. Are you in the correct working directory?"
)
if not filename.endswith(".sol"):
raise InvalidCompilation("Incorrect file format")
env_version = get_version(solc, env)
pragma_matches = _guess_solc(filename, working_dir)
if len(pragma_matches):
guessed_version = pragma_matches[0]
if version.parse(env_version) != version.parse(guessed_version):
solc_select.switch_global_version(guessed_version, always_install=True)
env_version = guessed_version
compilation_unit.compiler_version = CompilerVersion(
compiler="solc", version=env_version, optimized=is_optimized(solc_arguments)
)
compiler_version = compilation_unit.compiler_version
assert compiler_version
options = _build_options(compiler_version, force_legacy_json)
cmd = [solc]
if solc_remaps:
if isinstance(solc_remaps, str):
solc_remaps = solc_remaps.split(" ")
cmd += solc_remaps
cmd += [filename, "--combined-json", options]
if solc_arguments:
# To parse, we first split the string on each '--'
solc_args = solc_arguments.split("--")
# Split each argument on the first space found
# One solc option may have multiple argument sepparated with ' '
# For example: --allow-paths /tmp .
# split() removes the delimiter, so we add it again
solc_args_ = [("--" + x).split(" ", 1) for x in solc_args if x]
# Flat the list of list
solc_args = [item.strip() for sublist in solc_args_ for item in sublist if item]
cmd += solc_args
additional_kwargs: Dict = {"cwd": working_dir} if working_dir else {}
if not compiler_version.version in [f"0.4.{x}" for x in range(0, 11)]:
# Add . as default allowed path
if "--allow-paths" not in cmd:
relative_filepath = filename
if not working_dir:
working_dir = os.getcwd()
if relative_filepath.startswith(str(working_dir)):
relative_filepath = relative_filepath[len(str(working_dir)) + 1 :]
cmd += ["--allow-paths", ".", relative_filepath]
try:
# pylint: disable=consider-using-with
if env:
process = subprocess.Popen(
cmd,
stdout=subprocess.PIPE,
stderr=subprocess.PIPE,
executable=shutil.which(cmd[0]),
env=env,
**additional_kwargs,
)
else:
process = subprocess.Popen(
cmd,
stdout=subprocess.PIPE,
stderr=subprocess.PIPE,
executable=shutil.which(cmd[0]),
**additional_kwargs,
)
except OSError as error:
# pylint: disable=raise-missing-from
raise InvalidCompilation(error)
stdout_, stderr_ = process.communicate()
stdout, stderr = (
stdout_.decode(encoding="utf-8", errors="ignore"),
stderr_.decode(encoding="utf-8", errors="ignore"),
) # convert bytestrings to unicode strings
if stderr and (not solc_disable_warnings):
LOGGER.info("Compilation warnings/errors on %s:\n%s", filename, stderr)
try:
ret: Dict = json.loads(stdout)
return ret
except json.decoder.JSONDecodeError:
# pylint: disable=raise-missing-from
raise InvalidCompilation(f"Invalid solc compilation {stderr}")
# pylint: disable=too-many-arguments
def _run_solcs_path(
compilation_unit: "CompilationUnit",
filename: str,
solcs_path: Optional[Union[Dict, List[str]]],
solc_disable_warnings: bool,
solc_arguments: str,
solc_remaps: Optional[Union[str, List[str]]] = None,
env: Optional[Dict] = None,
working_dir: Optional[str] = None,
force_legacy_json: bool = False,
) -> Dict:
"""[summary]
Args:
compilation_unit (CompilationUnit): Associated compilation unit
filename (str): Solidity file to compile
solcs_path (Optional[Union[Dict, List[str]]]): List of solc binaries to try. If its a dict, in the form "version:path".
solc_disable_warnings (bool): If True, disable solc warnings
solc_arguments (str): Additional solc cli arguments
solc_remaps (Optional[Union[str, List[str]]], optional): Solc remaps. Can be a string where remap are separated with space, or list of str, or a list of. Defaults to None.
env (Optional[Dict]): Environement variable when solc is run. Defaults to None.
working_dir (Optional[Union[Path, str]], optional): Working directory when solc is run. Defaults to None.
force_legacy_json (bool): Force to use the legacy json format. Defaults to False.
Raises:
InvalidCompilation: [description]
Returns:
Dict: Json compilation artifacts
"""
targets_json = None
if isinstance(solcs_path, dict):
guessed_solcs = _guess_solc(filename, working_dir)
compilation_errors = []
for guessed_solc in guessed_solcs:
if not guessed_solc in solcs_path:
continue
try:
targets_json = _run_solc(
compilation_unit,
filename,
solcs_path[guessed_solc],
solc_disable_warnings,
solc_arguments,
solc_remaps=solc_remaps,
env=env,
working_dir=working_dir,
force_legacy_json=force_legacy_json,
)
break
except InvalidCompilation:
pass
if not targets_json:
if isinstance(solcs_path, dict):
solc_bins: List[str] = list(solcs_path.values())
elif solcs_path:
solc_bins = solcs_path
else:
solc_bins = []
for solc_bin in solc_bins:
try:
targets_json = _run_solc(
compilation_unit,
filename,
solc_bin,
solc_disable_warnings,
solc_arguments,
solc_remaps=solc_remaps,
env=env,
working_dir=working_dir,
force_legacy_json=force_legacy_json,
)
break
except InvalidCompilation as ic:
compilation_errors.append(solc_bin + ": " + ic.args[0])
if not targets_json:
raise InvalidCompilation(
"Invalid solc compilation, none of the solc versions provided worked:\n"
+ "\n".join(compilation_errors)
)
return targets_json
# pylint: disable=too-many-arguments
def _run_solcs_env(
compilation_unit: "CompilationUnit",
filename: str,
solc: str,
solc_disable_warnings: bool,
solc_arguments: str,
solc_remaps: Optional[Union[List[str], str]] = None,
env: Optional[Dict] = None,
working_dir: Optional[str] = None,
solcs_env: Optional[List[str]] = None,
force_legacy_json: bool = False,
) -> Dict:
"""Run different solc based on environment variable
This is mostly a legacy function for old solc-select usages
Args:
compilation_unit (CompilationUnit): Associated compilation unit
filename (str): Solidity file to compile
solc (str): Solc binary
solc_disable_warnings (bool): If True, disable solc warnings
solc_arguments (str): Additional solc cli arguments
solc_remaps (Optional[Union[str, List[str]]], optional): Solc remaps. Can be a string where remap are separated with space, or list of str, or a list of. Defaults to None.
env (Optional[Dict], optional): Environement variable when solc is run. Defaults to None.
working_dir (Optional[Union[Path, str]], optional): Working directory when solc is run. Defaults to None.
solcs_env (Optional[List[str]]): List of solc env variable to try. Defaults to None.
force_legacy_json (bool): Force to use the legacy json format. Defaults to False.
Raises:
InvalidCompilation: If solc failed
Returns:
Dict: Json compilation artifacts
"""
env = dict(os.environ) if env is None else env
targets_json = None
guessed_solcs = _guess_solc(filename, working_dir)
compilation_errors = []
for guessed_solc in guessed_solcs:
if solcs_env and not guessed_solc in solcs_env:
continue
try:
env["SOLC_VERSION"] = guessed_solc
targets_json = _run_solc(
compilation_unit,
filename,
solc,
solc_disable_warnings,
solc_arguments,
solc_remaps=solc_remaps,
env=env,
working_dir=working_dir,
force_legacy_json=force_legacy_json,
)
break
except InvalidCompilation:
pass
if not targets_json:
solc_versions_env = solcs_env if solcs_env else []
for version_env in solc_versions_env:
try:
env["SOLC_VERSION"] = version_env
targets_json = _run_solc(
compilation_unit,
filename,
solc,
solc_disable_warnings,
solc_arguments,
solc_remaps=solc_remaps,
env=env,
working_dir=working_dir,
force_legacy_json=force_legacy_json,
)
break
except InvalidCompilation as ic:
compilation_errors.append(version_env + ": " + ic.args[0])
if not targets_json:
raise InvalidCompilation(
"Invalid solc compilation, none of the solc versions provided worked:\n"
+ "\n".join(compilation_errors)
)
return targets_json
PATTERN = re.compile(r"pragma solidity\s*(?:\^|>=|<=)?\s*(\d+\.\d+\.\d+)")
def _guess_solc(target: str, solc_working_dir: Optional[str]) -> List[str]:
"""Guess the Solidity version (look for "pragma solidity")
Args:
target (str): Solidity filename
solc_working_dir (Optional[str]): Working directory
Returns:
List[str]: List of potential solidity version
"""
if solc_working_dir:
target = os.path.join(solc_working_dir, target)
with open(target, encoding="utf8") as file_desc:
buf = file_desc.read()
return PATTERN.findall(buf)
def relative_to_short(relative: Path) -> Path:
"""Convert relative to short (does nothing for direct solc)
Args:
relative (Path): target
Returns:
Path: Converted path
"""
return relative