| 1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586878889909192939495 |
- // SPDX-License-Identifier: Apache-2.0
- use rayon::prelude::*;
- use solang::{
- codegen::{codegen, OptimizationLevel, Options},
- file_resolver::FileResolver,
- sema::diagnostics::Diagnostics,
- Target,
- };
- use std::{
- ffi::OsStr,
- fs::{read_dir, read_to_string},
- path::PathBuf,
- };
- /// Populates a file resolver with all imports that could be used by some example.
- fn file_resolver() -> FileResolver {
- let mut resolver = FileResolver::default();
- resolver.add_import_path(&PathBuf::from("."));
- resolver
- }
- /// Returns a list of all `.sol` files in the given `dir` path.
- fn get_source_files(dir: &str) -> Vec<String> {
- read_dir(dir)
- .unwrap()
- .filter_map(|entry| {
- let e = entry.unwrap();
- if let (true, Some(ext)) = (e.path().is_file(), e.path().extension()) {
- if ext == "sol" {
- return Some(e.path().display().to_string());
- }
- }
- None
- })
- .collect()
- }
- /// Attempts to compile the file at `path` for the `target`, returning the diagnostics on fail.
- fn try_compile(path: &str, target: Target) -> Result<(), Diagnostics> {
- let mut cache = file_resolver();
- cache.set_file_contents(path, read_to_string(path).unwrap());
- let mut ns = solang::parse_and_resolve(OsStr::new(path), &mut cache, target);
- if ns.diagnostics.any_errors() {
- return Err(ns.diagnostics);
- }
- // Codegen should work too
- codegen(
- &mut ns,
- &Options {
- dead_storage: true,
- constant_folding: true,
- strength_reduce: true,
- vector_to_slice: true,
- common_subexpression_elimination: true,
- opt_level: OptimizationLevel::Default,
- ..Default::default()
- },
- );
- Ok(())
- }
- /// Assert no compilation errors for all `.sol` files found in `dir`.
- fn assert_compile(dir: &str, target: Target) {
- let errors = get_source_files(dir)
- .par_iter()
- .filter_map(|path| try_compile(path, target).err().map(|msg| (path, msg)))
- .map(|(path, msg)| println!("{path} failed: {msg:#?}"))
- .count();
- assert_eq!(0, errors);
- }
- #[test]
- fn polkadot_general() {
- assert_compile("examples", Target::default_polkadot());
- assert_compile("docs/examples/", Target::default_polkadot());
- }
- #[test]
- fn polkadot_specific() {
- assert_compile("docs/examples/polkadot/", Target::default_polkadot());
- assert_compile("examples/polkadot/", Target::default_polkadot());
- }
- #[test]
- fn solana_general() {
- assert_compile("examples", Target::Solana);
- assert_compile("docs/examples/", Target::Solana);
- }
- #[test]
- fn solana_specific() {
- assert_compile("docs/examples/solana", Target::Solana);
- }
|