Marlin 2.0 for Flying Bear 4S/5
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

322 lines
9.4 KiB

4 years ago
#
# common-dependencies.py
# Convenience script to check dependencies and add libs and sources for Marlin Enabled Features
#
3 years ago
import subprocess,os,re,pioutil
Import("env")
# Detect that 'vscode init' is running
if pioutil.is_vscode_init():
env.Exit(0)
4 years ago
PIO_VERSION_MIN = (5, 0, 3)
try:
from platformio import VERSION as PIO_VERSION
weights = (1000, 100, 1)
version_min = sum([x[0] * float(re.sub(r'[^0-9]', '.', str(x[1]))) for x in zip(weights, PIO_VERSION_MIN)])
version_cur = sum([x[0] * float(re.sub(r'[^0-9]', '.', str(x[1]))) for x in zip(weights, PIO_VERSION)])
if version_cur < version_min:
print()
print("**************************************************")
print("****** An update to PlatformIO is ******")
print("****** required to build Marlin Firmware. ******")
print("****** ******")
print("****** Minimum version: ", PIO_VERSION_MIN, " ******")
print("****** Current Version: ", PIO_VERSION, " ******")
print("****** ******")
print("****** Update PlatformIO and try again. ******")
print("**************************************************")
print()
exit(1)
except SystemExit:
exit(1)
except:
print("Can't detect PlatformIO Version")
3 years ago
from platformio.package.meta import PackageSpec
from platformio.project.config import ProjectConfig
4 years ago
#print(env.Dump())
try:
verbose = int(env.GetProjectOption('custom_verbose'))
except:
verbose = 0
3 years ago
def blab(str,level=1):
if verbose >= level:
print("[deps] %s" % str)
4 years ago
FEATURE_CONFIG = {}
def add_to_feat_cnf(feature, flines):
try:
feat = FEATURE_CONFIG[feature]
except:
FEATURE_CONFIG[feature] = {}
# Get a reference to the FEATURE_CONFIG under construction
4 years ago
feat = FEATURE_CONFIG[feature]
# Split up passed lines on commas or newlines and iterate
# Add common options to the features config under construction
# For lib_deps replace a previous instance of the same library
atoms = re.sub(r',\\s*', '\n', flines).strip().split('\n')
for line in atoms:
parts = line.split('=')
4 years ago
name = parts.pop(0)
if name in ['build_flags', 'extra_scripts', 'src_filter', 'lib_ignore']:
feat[name] = '='.join(parts)
3 years ago
blab("[%s] %s=%s" % (feature, name, feat[name]), 3)
4 years ago
else:
3 years ago
for dep in re.split(r",\s*", line):
lib_name = re.sub(r'@([~^]|[<>]=?)?[\d.]+', '', dep.strip()).split('=').pop(0)
lib_re = re.compile('(?!^' + lib_name + '\\b)')
feat['lib_deps'] = list(filter(lib_re.match, feat['lib_deps'])) + [dep]
3 years ago
blab("[%s] lib_deps = %s" % (feature, dep), 3)
4 years ago
def load_config():
3 years ago
blab("========== Gather [features] entries...")
items = ProjectConfig().items('features')
4 years ago
for key in items:
4 years ago
feature = key[0].upper()
if not feature in FEATURE_CONFIG:
FEATURE_CONFIG[feature] = { 'lib_deps': [] }
add_to_feat_cnf(feature, key[1])
# Add options matching custom_marlin.MY_OPTION to the pile
3 years ago
blab("========== Gather custom_marlin entries...")
4 years ago
all_opts = env.GetProjectOptions()
for n in all_opts:
3 years ago
key = n[0]
mat = re.match(r'custom_marlin\.(.+)', key)
4 years ago
if mat:
try:
3 years ago
val = env.GetProjectOption(key)
4 years ago
except:
val = None
if val:
3 years ago
opt = mat.group(1).upper()
blab("%s.custom_marlin.%s = '%s'" % ( env['PIOENV'], opt, val ))
add_to_feat_cnf(opt, val)
4 years ago
def get_all_known_libs():
known_libs = []
4 years ago
for feature in FEATURE_CONFIG:
feat = FEATURE_CONFIG[feature]
if not 'lib_deps' in feat:
4 years ago
continue
4 years ago
for dep in feat['lib_deps']:
3 years ago
known_libs.append(PackageSpec(dep).name)
4 years ago
return known_libs
def get_all_env_libs():
env_libs = []
lib_deps = env.GetProjectOption('lib_deps')
for dep in lib_deps:
3 years ago
env_libs.append(PackageSpec(dep).name)
4 years ago
return env_libs
def set_env_field(field, value):
proj = env.GetProjectConfig()
proj.set("env:" + env['PIOENV'], field, value)
# All unused libs should be ignored so that if a library
# exists in .pio/lib_deps it will not break compilation.
def force_ignore_unused_libs():
env_libs = get_all_env_libs()
known_libs = get_all_known_libs()
diff = (list(set(known_libs) - set(env_libs)))
lib_ignore = env.GetProjectOption('lib_ignore') + diff
blab("Ignore libraries: %s" % lib_ignore)
4 years ago
set_env_field('lib_ignore', lib_ignore)
4 years ago
def apply_features_config():
4 years ago
load_config()
3 years ago
blab("========== Apply enabled features...")
4 years ago
for feature in FEATURE_CONFIG:
4 years ago
if not env.MarlinFeatureIsEnabled(feature):
continue
4 years ago
feat = FEATURE_CONFIG[feature]
if 'lib_deps' in feat and len(feat['lib_deps']):
3 years ago
blab("========== Adding lib_deps for %s... " % feature, 2)
4 years ago
4 years ago
# feat to add
4 years ago
deps_to_add = {}
4 years ago
for dep in feat['lib_deps']:
3 years ago
deps_to_add[PackageSpec(dep).name] = dep
blab("==================== %s... " % dep, 2)
4 years ago
# Does the env already have the dependency?
deps = env.GetProjectOption('lib_deps')
for dep in deps:
3 years ago
name = PackageSpec(dep).name
4 years ago
if name in deps_to_add:
del deps_to_add[name]
# Are there any libraries that should be ignored?
lib_ignore = env.GetProjectOption('lib_ignore')
for dep in deps:
3 years ago
name = PackageSpec(dep).name
4 years ago
if name in deps_to_add:
del deps_to_add[name]
# Is there anything left?
if len(deps_to_add) > 0:
# Only add the missing dependencies
set_env_field('lib_deps', deps + list(deps_to_add.values()))
if 'build_flags' in feat:
f = feat['build_flags']
3 years ago
blab("========== Adding build_flags for %s: %s" % (feature, f), 2)
new_flags = env.GetProjectOption('build_flags') + [ f ]
env.Replace(BUILD_FLAGS=new_flags)
4 years ago
if 'extra_scripts' in feat:
3 years ago
blab("Running extra_scripts for %s... " % feature, 2)
4 years ago
env.SConscript(feat['extra_scripts'], exports="env")
4 years ago
4 years ago
if 'src_filter' in feat:
3 years ago
blab("========== Adding src_filter for %s... " % feature, 2)
4 years ago
src_filter = ' '.join(env.GetProjectOption('src_filter'))
# first we need to remove the references to the same folder
my_srcs = re.findall(r'[+-](<.*?>)', feat['src_filter'])
cur_srcs = re.findall(r'[+-](<.*?>)', src_filter)
4 years ago
for d in my_srcs:
if d in cur_srcs:
src_filter = re.sub(r'[+-]' + d, '', src_filter)
4 years ago
src_filter = feat['src_filter'] + ' ' + src_filter
4 years ago
set_env_field('src_filter', [src_filter])
env.Replace(SRC_FILTER=src_filter)
4 years ago
if 'lib_ignore' in feat:
3 years ago
blab("========== Adding lib_ignore for %s... " % feature, 2)
4 years ago
lib_ignore = env.GetProjectOption('lib_ignore') + [feat['lib_ignore']]
4 years ago
set_env_field('lib_ignore', lib_ignore)
#
# Find a compiler, considering the OS
#
ENV_BUILD_PATH = os.path.join(env.Dictionary('PROJECT_BUILD_DIR'), env['PIOENV'])
GCC_PATH_CACHE = os.path.join(ENV_BUILD_PATH, ".gcc_path")
def search_compiler():
4 years ago
try:
filepath = env.GetProjectOption('custom_gcc')
blab("Getting compiler from env")
4 years ago
return filepath
except:
pass
4 years ago
if os.path.exists(GCC_PATH_CACHE):
with open(GCC_PATH_CACHE, 'r') as f:
return f.read()
# Find the current platform compiler by searching the $PATH
4 years ago
# which will be in a platformio toolchain bin folder
path_regex = re.escape(env['PROJECT_PACKAGES_DIR'])
3 years ago
# See if the environment provides a default compiler
try:
gcc = env.GetProjectOption('custom_deps_gcc')
except:
gcc = "g++"
4 years ago
if env['PLATFORM'] == 'win32':
path_separator = ';'
4 years ago
path_regex += r'.*\\bin'
gcc += ".exe"
4 years ago
else:
path_separator = ':'
4 years ago
path_regex += r'/.+/bin'
4 years ago
# Search for the compiler
4 years ago
for pathdir in env['ENV']['PATH'].split(path_separator):
if not re.search(path_regex, pathdir, re.IGNORECASE):
4 years ago
continue
4 years ago
for filepath in os.listdir(pathdir):
if not filepath.endswith(gcc):
4 years ago
continue
# Use entire path to not rely on env PATH
filepath = os.path.sep.join([pathdir, filepath])
4 years ago
# Cache the g++ path to no search always
if os.path.exists(ENV_BUILD_PATH):
with open(GCC_PATH_CACHE, 'w+') as f:
4 years ago
f.write(filepath)
4 years ago
4 years ago
return filepath
4 years ago
4 years ago
filepath = env.get('CXX')
3 years ago
if filepath == 'CC':
filepath = gcc
4 years ago
blab("Couldn't find a compiler! Fallback to %s" % filepath)
return filepath
4 years ago
#
# Use the compiler to get a list of all enabled features
#
def load_marlin_features():
4 years ago
if 'MARLIN_FEATURES' in env:
4 years ago
return
# Process defines
build_flags = env.get('BUILD_FLAGS')
build_flags = env.ParseFlagsExtended(build_flags)
cxx = search_compiler()
cmd = ['"' + cxx + '"']
4 years ago
# Build flags from board.json
#if 'BOARD' in env:
# cmd += [env.BoardConfig().get("build.extra_flags")]
for s in build_flags['CPPDEFINES']:
if isinstance(s, tuple):
cmd += ['-D' + s[0] + '=' + str(s[1])]
else:
cmd += ['-D' + s]
cmd += ['-D__MARLIN_DEPS__ -w -dM -E -x c++ buildroot/share/PlatformIO/scripts/common-dependencies.h']
4 years ago
cmd = ' '.join(cmd)
3 years ago
blab(cmd, 4)
4 years ago
define_list = subprocess.check_output(cmd, shell=True).splitlines()
marlin_features = {}
for define in define_list:
feature = define[8:].strip().decode().split(' ')
feature, definition = feature[0], ' '.join(feature[1:])
marlin_features[feature] = definition
4 years ago
env['MARLIN_FEATURES'] = marlin_features
4 years ago
#
# Return True if a matching feature is enabled
#
def MarlinFeatureIsEnabled(env, feature):
load_marlin_features()
4 years ago
r = re.compile('^' + feature + '$')
found = list(filter(r.match, env['MARLIN_FEATURES']))
# Defines could still be 'false' or '0', so check
some_on = False
if len(found):
for f in found:
val = env['MARLIN_FEATURES'][f]
if val in [ '', '1', 'true' ]:
some_on = True
elif val in env['MARLIN_FEATURES']:
some_on = env.MarlinFeatureIsEnabled(val)
return some_on
4 years ago
#
# Add a method for other PIO scripts to query enabled features
#
env.AddMethod(MarlinFeatureIsEnabled)
#
# Add dependencies for enabled Marlin features
#
4 years ago
apply_features_config()
4 years ago
force_ignore_unused_libs()