Skip to content
Snippets Groups Projects
Commit 9705fd41 authored by guozhanxin's avatar guozhanxin
Browse files

add tools

parent 4a96f56a
No related branches found
No related tags found
No related merge requests found
Showing
with 5307 additions and 1 deletion
......@@ -7,6 +7,7 @@
*.axf
*.exe
*.pdb
*.pyc
*.idb
*.ilk
*.old
......@@ -20,4 +21,5 @@ build
*.a
*.i
*.d
GPUCache
\ No newline at end of file
GPUCache
/tools/gnu_gcc
@set RTT_CC=gcc
@set RTT_EXEC_PATH=%cd%\tools\gnu_gcc\riscv64-linux-musleabi_for_i686-w64-mingw32\bin
@set RTT_CC_PREFIX=riscv64-unknown-linux-musl-
@set PATH=%RTT_EXEC_PATH%;%PATH%
#!/bin/bash
# usage:
# source smart-env.sh [arch]
# example: source smart-env.sh # arm
# example: source smart-env.sh aarch64 # aarch64
# supported arch list
supported_arch="arm aarch64 riscv64 i386"
def_arch="unknown"
# find arch in arch list
if [ -z $1 ]
then
def_arch="arm" # default arch is arm
else
for arch in $supported_arch
do
if [ $arch = $1 ]
then
def_arch=$arch
break
fi
done
fi
# set env
case $def_arch in
"arm")
export RTT_CC=gcc
export RTT_EXEC_PATH=$(pwd)/tools/gnu_gcc/arm-linux-musleabi_for_x86_64-pc-linux-gnu/bin
export RTT_CC_PREFIX=arm-linux-musleabi-
cp userapps/configs/def_config_arm userapps/.config
;;
"aarch64")
export RTT_CC=gcc
export RTT_EXEC_PATH=$(pwd)/tools/gnu_gcc/aarch64-linux-musleabi_for_x86_64-pc-linux-gnu/bin
export RTT_CC_PREFIX=aarch64-linux-musleabi-
cp userapps/configs/def_config_aarch64 userapps/.config
;;
"riscv64")
export RTT_CC=gcc
export RTT_EXEC_PATH=$(pwd)/tools/gnu_gcc/riscv64-linux-musleabi_for_x86_64-pc-linux-gnu/bin
export RTT_CC_PREFIX=riscv64-unknown-linux-musl-
cp userapps/configs/def_config_riscv64 userapps/.config
;;
"i386")
export RTT_CC=gcc
export RTT_EXEC_PATH=$(pwd)/tools/gnu_gcc/i386-linux-musleabi_for_x86_64-pc-linux-gnu/bin
export RTT_CC_PREFIX=i386-unknown-linux-musl-
;;
*) echo "unknown arch!"
return 1
esac
# export RTT_EXEC_PATH
export PATH=$PATH:$RTT_EXEC_PATH
echo "Arch => ${def_arch}"
echo "CC => ${RTT_CC}"
echo "PREFIX => ${RTT_CC_PREFIX}"
echo "EXEC_PATH => ${RTT_EXEC_PATH}"
\ No newline at end of file
#
# Copyright (c) 2006-2020, RT-Thread Development Team
#
# SPDX-License-Identifier: GPL-2.0
#
# Change Logs:
# Date Author Notes
# 2020-10-20 Bernard The first version
#
import os
class ARCHAARCH64():
def __init__(self, **kwargs):
configuration = kwargs.get('configuration', {})
Toolchain = configuration.get('Toolchain', kwargs.get('Toolchain', 'gcc'))
BUILD = configuration.get('BUILD', kwargs.get('BUILD', 'debug'))
USR_ROOT = configuration.get('USR_ROOT', kwargs.get('USR_ROOT', '/'))
if Toolchain.find('gcc') != -1:
self.ARCH = 'aarch64'
self.ARCH_CPU = 'cortex-a'
self.PREFIX = configuration.get('PREFIX', kwargs.get('PREFIX', 'aarch64-linux-musleabi-'))
self.CC = configuration.get('CC', self.PREFIX + 'gcc')
self.CXX = configuration.get('CXX', self.PREFIX + 'g++')
self.AS = self.PREFIX + 'gcc'
self.AR = self.PREFIX + 'ar'
self.LINK = self.PREFIX + 'gcc'
self.TARGET_EXT = configuration.get('TARGET_EXT', 'elf')
self.SIZE = self.PREFIX + 'size'
self.OBJDUMP = self.PREFIX + 'objdump'
self.OBJCPY = self.PREFIX + 'objcopy'
self.STRIP = self.PREFIX + 'strip'
self.EXEC_PATH = configuration.get('EXEC_PATH', kwargs.get('EXEC_PATH', 'NULL'))
self.RANLIB = self.PREFIX + 'ranlib'
DEVICE = ' -march=armv8-a'
self.CFLAGS = configuration.get('CFLAGS', DEVICE + ' -Werror -Wall')
self.AFLAGS = configuration.get('AFLAGS', ' -c' + DEVICE + ' -x assembler-with-cpp -D__ASSEMBLY__ -I.')
LINK_SCRIPT = configuration.get('LINK_SCRIPT', os.path.join(USR_ROOT, 'linker_scripts', 'aarch64', 'link.lds'))
SH_LINK_SCRIPT = configuration.get('LINK_SCRIPT', os.path.join(USR_ROOT, 'linker_scripts', 'aarch64', 'link.so.lds'))
# add ' -Lsdk/rt-thread/lib -Wl,--whole-archive -lrtthread -Wl,--no-whole-archive' to add strong symbol
self.LFLAGS = configuration.get('LFLAGS', DEVICE + ' -T %s' % LINK_SCRIPT + ' -Lsdk/rt-thread/lib -Wl,--whole-archive -lrtthread -Wl,--no-whole-archive')
self.SH_LFLAGS = configuration.get('LFLAGS', DEVICE + ' -T %s' % SH_LINK_SCRIPT)
self.PIC_FLAGS = configuration.get('PIC_FLAGS', ' -fPIC')
self.STATIC_FLAGS = configuration.get('STATIC_FLAGS', ' -n --static')
self.SHARED_FLAGS = configuration.get('SHARED_FLAGS', ' -shared')
self.BUILD_DEBUG = ' -O0 -g -gdwarf-2'
self.BUILD_RELEASE = ' -O2 -Os'
self.CXXFLAGS = configuration.get('CXXFLAGS', self.CFLAGS + ' -Wno-delete-non-virtual-dtor -fno-exceptions -fno-rtti')
else:
print('unsupport toolchain')
exit(-1)
if __name__ == '__main__':
arch = ARCHAARCH64(Toochain = 'gcc')
print(arch.CC)
This diff is collapsed.
#!/usr/bin/env python
# -*- coding: utf-8 -*-
#
# Copyright (c) 2022, RT-Thread Development Team
#
# SPDX-License-Identifier: GPL-2.0
#
# Change Logs:
# Date Author Notes
# 2022-02-1 Bernard The first version
#
import os
import sys
import shutil
import platform
import requests
import time
import zipfile
class CI:
def downloadFile(self, name, url):
headers = {'Proxy-Connection':'keep-alive'}
r = requests.get(url, stream=True, headers=headers)
length = float(r.headers['content-length'])
f = open(name, 'wb')
count = 0
count_tmp = 0
time1 = time.time()
for chunk in r.iter_content(chunk_size = 512):
if chunk:
f.write(chunk)
count += len(chunk)
if time.time() - time1 > 2:
p = count / length * 100
speed = (count - count_tmp) / 1024 / 1024 / 2
count_tmp = count
print(name + ': ' + '{:.2f}'.format(p) + '%')
time1 = time.time()
print(name + ': 100%')
f.close()
def extractZipFile(self, zfile, folder):
# self.delTree(folder)
if not os.path.exists(folder):
os.makedirs(folder)
if platform.system() == 'Windows':
zip_file = zipfile.ZipFile(zfile)
zip_list = zip_file.namelist()
for item in zip_list:
print(item)
zip_file.extract(item, folder)
zip_file.close()
elif platform.system() == 'Linux':
if zfile.endswith('tar.gz'):
os.system('tar zxvf %s -C %s' % (zfile, folder))
elif zfile.endswith('tar.bz2'):
os.system('tar jxvf %s -C %s' % (zfile, folder))
elif zfile.endswith('.zip'):
os.system('unzip %s -d %s' % (zfile, folder))
return
def zipFolder(self, folder, zfile):
zip_filename = os.path.join(folder)
zip = zipfile.ZipFile(zfile, 'w', compression=zipfile.ZIP_BZIP2)
pre_len = len(os.path.dirname(folder))
for parent, dirnames, filenames in os.walk(folder):
for filename in filenames:
pathfile = os.path.join(parent, filename)
arcname = pathfile[pre_len:].strip(os.path.sep)
zip.write(pathfile, arcname)
zip.close()
return
def touchDir(self, d):
if not os.path.exists(d):
os.makedirs(d)
def gitUpdate(self, url, folder, branch = 'master'):
cwd = os.getcwd()
if os.path.exists(folder):
os.chdir(folder)
os.system('git pull origin')
if branch != 'master':
os.system('git checkout -b %s origin/%s' % (branch, branch))
os.system('git submodule init')
os.system('git submodule update')
else:
os.system('git clone %s %s' % (url, folder))
os.chdir(folder)
os.system('git submodule init')
os.system('git submodule update')
os.chdir(cwd)
def installEnv(self, folder):
env_path = folder
cwd = os.getcwd()
os.chdir(env_path)
self.touchDir(os.path.join(env_path, 'local_pkgs'))
self.touchDir(os.path.join(env_path, 'packages'))
self.touchDir(os.path.join(env_path, 'tools'))
self.gitUpdate('https://gitee.com/RT-Thread-Mirror/env.git', 'tools/script')
self.gitUpdate('https://gitee.com/RT-Thread-Mirror/packages.git', 'packages/packages')
kconfig = open(os.path.join(env_path, 'packages', 'Kconfig'), 'w')
kconfig.write('source "$PKGS_DIR/packages/Kconfig"')
kconfig.close()
os.chdir(cwd)
return
def pkgsUpdate(self, env_folder):
self.touchDir(env_folder)
self.installEnv(env_folder)
os.environ['PKGS_DIR'] = env_folder
os.system('python %s package --update' % (os.path.join(env_folder, 'tools', 'script', 'env.py')))
return
def delTree(self, folder):
if os.path.exists(folder):
shutil.rmtree(folder)
def delFile(self, file):
if os.path.exists(file):
os.remove(file)
def appendFile(self, srcFile, otherFile):
f = open(otherFile, 'r')
s = f.read()
f.close()
f = open(srcFile, 'a')
f.write(s)
f.close()
def copyTree(self, srcTree, dstTree):
if os.path.exists(dstTree):
shutil.rmtree(dstTree)
shutil.copytree(srcTree, dstTree)
def copyFile(self, src, dst):
shutil.copy(src, dst)
def makeRootDir(self, rootdir):
self.touchDir(os.path.join(rootdir, 'bin'))
self.touchDir(os.path.join(rootdir, 'dev'))
self.touchDir(os.path.join(rootdir, 'etc'))
self.touchDir(os.path.join(rootdir, 'kernel'))
self.touchDir(os.path.join(rootdir, 'lib'))
self.touchDir(os.path.join(rootdir, 'mnt'))
self.touchDir(os.path.join(rootdir, 'services'))
self.touchDir(os.path.join(rootdir, 'var'))
def run(self, cmds):
cwd = os.getcwd()
cmds = cmds.split('\n')
for item in cmds:
item = item.lstrip()
if item == '':
continue
if item[0] == '-':
os.system(item[1:].lstrip())
# keep current directory
os.chdir(cwd)
return
if __name__ == '__main__':
ci = CI()
env_folder = os.path.abspath(os.path.join('.', 'env_test'))
# ci.pkgsUpdate(env_folder)
cmds = '''
# test
- dir
- dir tools
'''
ci.run(cmds)
#!/usr/bin/env python
# -*- coding: utf-8 -*-
import os
def ParseConfig(configfile):
conf = {}
try:
f = open(configfile)
for line in f:
line = line.strip()
if line.startswith('#'):
continue
elif line.find('=') == -1:
continue
else:
item = line.split('=')
if item[0].startswith('CONFIG_'):
item[0] = item[0].replace('CONFIG_', '')
if item[1] == 'y':
conf[item[0]] = True
elif item[1].startswith('0x'):
conf[item[0]] = int(item[1], 16)
elif item[1].startswith('"'):
conf[item[0]] = item[1].replace('"', '')
else:
conf[item[0]] = int(item[1])
except:
print('Parse Configuration file failed')
return conf
if __name__ == '__main__':
conf = ParseConfig('.config')
print(conf)
#
# Copyright (c) 2006-2020, RT-Thread Development Team
#
# SPDX-License-Identifier: GPL-2.0
#
# Change Logs:
# Date Author Notes
# 2020-10-20 Bernard The first version
#
import os
class ARCHCortexA():
def __init__(self, **kwargs):
configuration = kwargs.get('configuration', {})
Toolchain = configuration.get('Toolchain', kwargs.get('Toolchain', 'gcc'))
BUILD = configuration.get('BUILD', kwargs.get('BUILD', 'debug'))
USR_ROOT = configuration.get('USR_ROOT', kwargs.get('USR_ROOT', '/'))
LIBC_MODE = 'release' # 'debug' or 'release', if debug, use libc in components, or not use libc with toolchain
if Toolchain.find('gcc') != -1:
self.ARCH = 'arm'
self.ARCH_CPU = 'cortex-a'
self.PREFIX = configuration.get('PREFIX', kwargs.get('PREFIX', 'arm-none-eabi-'))
self.CC = configuration.get('CC', self.PREFIX + 'gcc')
self.CXX = configuration.get('CXX', self.PREFIX + 'g++')
self.AS = self.PREFIX + 'gcc'
self.AR = self.PREFIX + 'ar'
self.LINK = self.PREFIX + 'gcc'
self.TARGET_EXT = configuration.get('TARGET_EXT', 'elf')
self.SIZE = self.PREFIX + 'size'
self.OBJDUMP = self.PREFIX + 'objdump'
self.OBJCPY = self.PREFIX + 'objcopy'
self.STRIP = self.PREFIX + 'strip'
self.EXEC_PATH = configuration.get('EXEC_PATH', kwargs.get('EXEC_PATH', 'NULL'))
self.RANLIB = self.PREFIX + 'ranlib'
if LIBC_MODE == 'debug':
EXT_CFLAGS = ' -nostdinc -nostdlib -Isdk/libc/include'
EXT_LFLAGS = ' -nostdlib -Lsdk/libc/lib -lcrt -lc -Wl,--no-whole-archive'
else:
EXT_CFLAGS = ''
EXT_LFLAGS = ''
DEVICE = ' -march=armv7-a -marm -msoft-float'
self.CFLAGS = configuration.get('CFLAGS', DEVICE + ' -Werror -Wall' + EXT_CFLAGS)
self.AFLAGS = configuration.get('AFLAGS', ' -c' + DEVICE + ' -x assembler-with-cpp -D__ASSEMBLY__ -I.' + EXT_CFLAGS)
LINK_SCRIPT = configuration.get('LINK_SCRIPT', os.path.join(USR_ROOT, 'linker_scripts', 'arm', 'cortex-a', 'link.lds'))
SH_LINK_SCRIPT = configuration.get('LINK_SCRIPT', os.path.join(USR_ROOT, 'linker_scripts', 'arm', 'cortex-a', 'link.so.lds'))
# add ' -Lsdk/rt-thread/lib -Wl,--whole-archive -lrtthread -Wl,--no-whole-archive' for strong symbol
self.LFLAGS = configuration.get('LFLAGS', DEVICE + ' -T %s' % LINK_SCRIPT + EXT_LFLAGS + ' -Wl,--whole-archive -lrtthread -Wl,--no-whole-archive')
self.SH_LFLAGS = configuration.get('LFLAGS', DEVICE + ' -T %s' % SH_LINK_SCRIPT)
self.PIC_FLAGS = configuration.get('PIC_FLAGS', ' -fPIC')
self.STATIC_FLAGS = configuration.get('STATIC_FLAGS', ' -n --static')
self.SHARED_FLAGS = configuration.get('SHARED_FLAGS', ' -shared')
self.BUILD_DEBUG = ' -O0 -g -gdwarf-2'
self.BUILD_RELEASE = ' -O2 -Os'
self.CXXFLAGS = configuration.get('CXXFLAGS', self.CFLAGS + ' -Wno-delete-non-virtual-dtor -fno-exceptions -fno-rtti')
else:
print('unsupport toolchain')
exit(-1)
if __name__ == '__main__':
arch = ARCHCortexA(Toochain = 'gcc')
print(arch.CC)
#!/usr/bin/env python
# -*- coding: utf-8 -*-
import os
import sys
def GetHome():
return os.environ['HOME']
def GetEnvHome():
home = GetHome()
env_home = os.path.join(home, '.env')
if not os.path.exists(env_home):
os.mkdir(env_home)
return env_home
def Build():
'''
Build Target
'''
try:
import sys
scons_path = os.path.join(sys.prefix, 'lib', 'scons')
if not os.path.isdir(scons_path):
scons_path = os.path.join(sys.prefix, 'Lib', 'site-packages', 'scons')
if not os.path.isdir(scons_path):
for item in sys.path:
if os.path.isdir(os.path.join(item, 'scons')):
scons_path = os.path.join(item, 'scons')
break
# print(scons_path)
sys.path = sys.path + [scons_path, os.path.dirname(__file__)]
import SCons.Script
SCons.Script.main()
except Exception as e:
print('building with scons failed!')
print(e)
return
def Config(userapps_root):
sys.path = sys.path + [os.path.dirname(__file__)]
import menuconfig
menuconfig.menuconfig()
return
def Env():
if len(sys.argv) > 1:
if sys.argv[1] == 'menuconfig':
userapps_root = os.path.abspath(os.getcwd())
print("User APP path => %s" % userapps_root)
if len(sys.argv) == 3:
if os.path.isfile(os.path.join('apps', sys.argv[2], 'Uconfig')):
os.chdir(os.path.join('apps', sys.argv[2]))
Config(userapps_root)
else:
print("No Uconfig under %s" % sys.argv[2])
else:
userapps_root = None
if os.path.isfile('Uconfig'):
Config(userapps_root)
else:
print("No Uconfig file")
return
Build()
if __name__ == '__main__':
Build()
#
# File : gcc.py
# This file is part of RT-Thread RTOS
# COPYRIGHT (C) 2006 - 2018, RT-Thread Development Team
#
# This program is free software; you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation; either version 2 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License along
# with this program; if not, write to the Free Software Foundation, Inc.,
# 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA.
#
# Change Logs:
# Date Author Notes
# 2018-05-22 Bernard The first version
import os
import re
import platform
def GetGCCRoot(rtconfig):
exec_path = rtconfig.EXEC_PATH
prefix = rtconfig.PREFIX
if prefix.endswith('-'):
prefix = prefix[:-1]
root_path = os.path.join(exec_path, '..', prefix)
return root_path
def CheckHeader(rtconfig, filename):
root = GetGCCRoot(rtconfig)
fn = os.path.join(root, 'include', filename)
if os.path.isfile(fn):
return True
return False
def GetNewLibVersion(rtconfig):
version = 'unknown'
root = GetGCCRoot(rtconfig)
if CheckHeader(rtconfig, '_newlib_version.h'): # get version from _newlib_version.h file
f = open(os.path.join(root, 'include', '_newlib_version.h'), 'r')
if f:
for line in f:
if line.find('_NEWLIB_VERSION') != -1 and line.find('"') != -1:
version = re.search(r'\"([^"]+)\"', line).groups()[0]
f.close()
elif CheckHeader(rtconfig, 'newlib.h'): # get version from newlib.h
f = open(os.path.join(root, 'include', 'newlib.h'), 'r')
if f:
for line in f:
if line.find('_NEWLIB_VERSION') != -1 and line.find('"') != -1:
version = re.search(r'\"([^"]+)\"', line).groups()[0]
f.close()
return version
def CheckMUSLLibc():
f = open(".config")
if f:
for line in f:
if line.find('CONFIG_RT_USING_MUSL=y') != -1:
return True
if line.find('libc="musl"') != -1:
return True
f.close()
else:
print("open .config failed")
return False
def GCCResult(rtconfig, str):
import subprocess
result = ''
use_musl = CheckMUSLLibc()
def checkAndGetResult(pattern, string):
if re.search(pattern, string):
return re.search(pattern, string).group(0)
return None
gcc_cmd = os.path.join(rtconfig.EXEC_PATH, rtconfig.CC)
# use temp file to get more information
f = open('__tmp.c', 'w')
if f:
f.write(str)
f.close()
# '-fdirectives-only',
if(platform.system() == 'Windows'):
child = subprocess.Popen([gcc_cmd, '-E', '-P', '__tmp.c'], stdout=subprocess.PIPE, stderr=subprocess.PIPE, shell=True)
else:
child = subprocess.Popen(gcc_cmd + ' -E -P __tmp.c', stdout=subprocess.PIPE, stderr=subprocess.PIPE, shell=True)
stdout, stderr = child.communicate()
# print(stdout)
# if stderr != '':
# print(stderr)
have_fdset = 0
have_sigaction = 0
have_sigevent = 0
have_siginfo = 0
have_sigval = 0
version = None
stdc = '1989'
posix_thread = 0
for line in stdout.split(b'\n'):
line = line.decode()
if re.search('fd_set', line):
have_fdset = 1
# check for sigal
if re.search('struct[ \t]+sigaction', line):
have_sigaction = 1
if re.search('struct[ \t]+sigevent', line):
have_sigevent = 1
if re.search('siginfo_t', line):
have_siginfo = 1
if re.search('union[ \t]+sigval', line):
have_sigval = 1
if re.search('char\* version', line):
version = re.search(r'\"([^"]+)\"', line).groups()[0]
if re.findall('iso_c_visible = [\d]+', line):
stdc = re.findall('[\d]+', line)[0]
if re.findall('pthread_create', line):
posix_thread = 1
if have_fdset:
result += '#define HAVE_FDSET 1\n'
if have_sigaction or use_musl:
result += '#define HAVE_SIGACTION 1\n'
if have_sigevent or use_musl:
result += '#define HAVE_SIGEVENT 1\n'
if have_siginfo or use_musl:
result += '#define HAVE_SIGINFO 1\n'
if have_sigval or use_musl:
result += '#define HAVE_SIGVAL 1\n'
if version:
result += '#define GCC_VERSION "%s"\n' % version
result += '#define STDC "%s"\n' % stdc
if posix_thread:
result += '#define LIBC_POSIX_THREADS 1\n'
os.remove('__tmp.c')
return result
def GenerateMUSLConfig(rtconfig):
str = ''
cc_header = ''
cc_header += '#ifndef CCONFIG_H__\n'
cc_header += '#define CCONFIG_H__\n'
cc_header += '/* Automatically generated file; DO NOT EDIT. */\n'
cc_header += '/* compiler configure file for RT-Thread in GCC/MUSL */\n\n'
cc_header += '#define HAVE_SYS_SIGNAL_H 1\n'
cc_header += '#define HAVE_SYS_SELECT_H 1\n'
cc_header += '#define HAVE_PTHREAD_H 1\n\n'
cc_header += '#define HAVE_FDSET 1\n\n'
cc_header += '#define HAVE_SIGACTION 1\n'
cc_header += '#define HAVE_SIGEVENT 1\n'
cc_header += '#define HAVE_SIGINFO 1\n'
cc_header += '#define HAVE_SIGVAL 1\n'
cc_header += '\n#endif\n'
cc_file = open('cconfig.h', 'w')
if cc_file:
cc_file.write(cc_header)
cc_file.close()
return
def GenerateGCCConfig(rtconfig):
str = ''
cc_header = ''
cc_header += '#ifndef CCONFIG_H__\n'
cc_header += '#define CCONFIG_H__\n'
cc_header += '/* Automatically generated file; DO NOT EDIT. */\n'
cc_header += '/* compiler configure file for RT-Thread in GCC*/\n\n'
if CheckHeader(rtconfig, 'newlib.h'):
str += '#include <newlib.h>\n'
cc_header += '#define HAVE_NEWLIB_H 1\n'
cc_header += '#define LIBC_VERSION "newlib %s"\n\n' % GetNewLibVersion(rtconfig)
if CheckHeader(rtconfig, 'signal.h'):
str += '#include <signal.h>\n'
cc_header += '#define HAVE_SYS_SIGNAL_H 1\n'
if CheckHeader(rtconfig, 'sys/select.h'):
str += '#include <sys/select.h>\n'
cc_header += '#define HAVE_SYS_SELECT_H 1\n'
if CheckHeader(rtconfig, 'pthread.h'):
str += "#include <pthread.h>\n"
cc_header += '#define HAVE_PTHREAD_H 1\n'
# if CheckHeader(rtconfig, 'sys/dirent.h'):
# str += '#include <sys/dirent.h>\n'
# add some common features
str += 'const char* version = __VERSION__;\n'
str += 'const int iso_c_visible = __ISO_C_VISIBLE;\n'
str += '\n#ifdef HAVE_INITFINI_ARRAY\n'
str += 'const int init_fini_array = HAVE_INITFINI_ARRAY;\n'
str += '#endif\n'
cc_header += '\n'
cc_header += GCCResult(rtconfig, str)
cc_header += '\n#endif\n'
cc_file = open('cconfig.h', 'w')
if cc_file:
cc_file.write(cc_header)
cc_file.close()
#!/usr/bin/env python
# -*- coding: utf-8 -*-
#
# Copyright (c) 2022, RT-Thread Development Team
#
# SPDX-License-Identifier: GPL-2.0
#
# Change Logs:
# Date Author Notes
# 2022-02-1 Bernard The first version
#
import os
import sys
import platform
from ci import CI
toolchains_config = {
'arm':
{
'Linux': 'arm-linux-musleabi_for_x86_64-pc-linux-gnu_latest.tar.bz2',
'Windows': 'arm-linux-musleabi_for_i686-w64-mingw32_latest.zip'
},
'aarch64':
{
'Linux' : 'aarch64-linux-musleabi_for_x86_64-pc-linux-gnu_latest.tar.bz2',
'Windows' : 'aarch64-linux-musleabi_for_i686-w64-mingw32_latest.zip'
},
'riscv64':
{
'Linux': 'riscv64-linux-musleabi_for_x86_64-pc-linux-gnu_latest.tar.bz2',
'Windows': 'riscv64-linux-musleabi_for_i686-w64-mingw32_latest.zip'
}
}
if __name__ == '__main__':
# download toolchain
if len(sys.argv) > 1:
target = sys.argv[1]
else:
target = 'arm'
ci = CI()
toolchain_path = os.path.join(os.path.abspath('.'), 'gnu_gcc')
platform = platform.system()
try:
zfile = toolchains_config[target][platform]
# append sub-route to url conditionally
subdir = ''
if target == 'riscv64':
subdir = 'riscv64/'
URL = 'http://117.143.63.254:9012/www/rt-smart/' + subdir + zfile
except:
print('not found target')
exit(0)
ci.downloadFile(zfile, URL)
ci.extractZipFile(zfile, toolchain_path)
ci.delFile(zfile)
#!/usr/bin/env python
# -*- coding: utf-8 -*-
#
# File : building.py
# This file is part of RT-Thread RTOS
# COPYRIGHT (C) 2006 - 2019, RT-Thread Development Team
#
# Change Logs:
# Date Author Notes
# 2019-05-26 Bernard The first version
#
import os
import sys
import string
import pdb
from SCons.Script import *
from building import *
def BuildHostApplication(TARGET, SConscriptFile):
import platform
global Env
platform_type = platform.system()
if platform_type == 'Windows' or platform_type.find('MINGW') != -1:
TARGET = TARGET.replace('.mo', '.exe')
HostRtt = os.path.join(os.path.dirname(__file__), 'host', 'rtthread')
Env = Environment()
if not GetOption('verbose'):
# override the default verbose command string
Env.Replace(
ARCOMSTR = 'AR $TARGET',
ASCOMSTR = 'AS $TARGET',
ASPPCOMSTR = 'AS $TARGET',
CCCOMSTR = 'CC $TARGET',
CXXCOMSTR = 'CXX $TARGET',
LINKCOMSTR = 'LINK $TARGET'
)
objs = SConscript(SConscriptFile)
objs += SConscript(HostRtt + '/SConscript')
target = Env.Program(TARGET, objs)
return target
def BuildHostLibrary(TARGET, SConscriptFile):
import platform
global Env
platform_type = platform.system()
if platform_type == 'Windows' or platform_type.find('MINGW') != -1:
TARGET = TARGET.replace('.mo', '.exe')
HostRtt = os.path.join(os.getcwd(), 'tools', 'host', 'rtthread')
Env = Environment()
if not GetOption('verbose'):
# override the default verbose command string
Env.Replace(
ARCOMSTR = 'AR $TARGET',
ASCOMSTR = 'AS $TARGET',
ASPPCOMSTR = 'AS $TARGET',
CCCOMSTR = 'CC $TARGET',
CXXCOMSTR = 'CXX $TARGET',
LINKCOMSTR = 'LINK $TARGET'
)
objs = SConscript(SConscriptFile)
objs += SConscript(HostRtt + '/SConscript')
target = Env.Program(TARGET, objs)
return target
#
# Copyright (c) 2006-2021, RT-Thread Development Team
#
# SPDX-License-Identifier: GPL-2.0
#
# Change Logs:
# Date Author Notes
# 2020-10-20 Bernard The first version
# 2021-7-24 JasonHu Support i386
#
import os
class ARCHI386():
def __init__(self, **kwargs):
configuration = kwargs.get('configuration', {})
Toolchain = configuration.get('Toolchain', kwargs.get('Toolchain', 'gcc'))
BUILD = configuration.get('BUILD', kwargs.get('BUILD', 'release'))
USR_ROOT = configuration.get('USR_ROOT', kwargs.get('USR_ROOT', '/'))
LIBC_MODE = 'release' # 'debug' or 'release', if debug, use libc in components, or not use libc with toolchain
if Toolchain.find('gcc') != -1:
self.ARCH = 'x86'
self.ARCH_CPU = 'i386'
self.PREFIX = configuration.get('PREFIX', kwargs.get('PREFIX', 'i386-unknown-linux-musl-'))
self.CC = configuration.get('CC', self.PREFIX + 'gcc')
self.CXX = configuration.get('CXX', self.PREFIX + 'g++')
self.AS = self.PREFIX + 'gcc'
self.AR = self.PREFIX + 'ar'
self.LINK = self.PREFIX + 'gcc'
self.TARGET_EXT = configuration.get('TARGET_EXT', 'elf')
self.SIZE = self.PREFIX + 'size'
self.OBJDUMP = self.PREFIX + 'objdump'
self.OBJCPY = self.PREFIX + 'objcopy'
self.STRIP = self.PREFIX + 'strip'
self.EXEC_PATH = configuration.get('EXEC_PATH', kwargs.get('EXEC_PATH', 'NULL'))
self.RANLIB = self.PREFIX + 'ranlib'
DEVICE = ' -march=i386'
if LIBC_MODE == 'debug':
EXT_CFLAGS = ' -nostdinc -nostdlib -Isdk/libc/include'
else:
EXT_CFLAGS = ''
self.CFLAGS = configuration.get('CFLAGS', DEVICE + ' -Werror -Wall' + EXT_CFLAGS)
self.AFLAGS = configuration.get('AFLAGS', ' -c' + DEVICE + ' -x assembler -D__ASSEMBLY__ -I.')
LINK_SCRIPT = configuration.get('LINK_SCRIPT', os.path.join(USR_ROOT, 'linker_scripts', 'i386', 'link.lds'))
# add ' -Lsdk/rt-thread/lib -Wl,--whole-archive -lrtthread -Wl,--no-whole-archive' to add strong symbol
if LIBC_MODE == 'debug':
EXT_LFLAGS = ' -nostdlib -Lsdk/libc/lib -lcrt -lc -Wl,--no-whole-archive'
else:
EXT_LFLAGS = ''
self.LFLAGS = configuration.get('LFLAGS', DEVICE + ' -T %s' % LINK_SCRIPT + EXT_LFLAGS + ' -Lsdk/rt-thread/lib -Wl,--whole-archive -lrtthread -Wl,--no-whole-archive')
# self.LFLAGS = configuration.get('LFLAGS', DEVICE + ' -nostartfiles -nostdlib -T %s' % LINK_SCRIPT)
self.PIC_FLAGS = configuration.get('PIC_FLAGS', ' -fPIC')
self.STATIC_FLAGS = configuration.get('STATIC_FLAGS', ' -n --static')
self.SHARED_FLAGS = configuration.get('SHARED_FLAGS', ' -shared')
self.BUILD_DEBUG = ' -O0 -g -gdwarf-2'
self.BUILD_RELEASE = ' -O2 -Os'
self.CXXFLAGS = configuration.get('CXXFLAGS', self.CFLAGS + ' -Wno-delete-non-virtual-dtor -fno-exceptions -fno-rtti')
else:
print('unsupport toolchain')
exit(-1)
if __name__ == '__main__':
arch = ARCHI386(Toochain = 'gcc')
print(arch.CC)
#
# File: install.py
# Author: Brian A. Vanderburg II
# Purpose: An install builder to install subdirectories and files
# Copyright: This file is placed in the public domain.
##############################################################################
# Requirements
##############################################################################
import os
import fnmatch
import SCons
import SCons.Node.FS
import SCons.Errors
from SCons.Script import *
# Install files code
##############################################################################
def _is_excluded(name, exclude):
"""
Determine if the name is to be excluded based on the exclusion list
"""
if not exclude:
return False
return any( (fnmatch.fnmatchcase(name, i) for i in exclude) )
def _is_globbed(name, glob):
"""
Determine if the name is globbed based on the glob list
"""
if not glob:
return True
return any( (fnmatch.fnmatchcase(name, i) for i in glob) )
def _get_files(env, source, exclude, glob, recursive, reldir=os.curdir):
"""
Find files that match the criteria.
source - absolute path to source file or directory (not a node)
exclude - additional exclusion masks in addition to default
glob - glob masks
recursive - scan recursively or not
Returns a list of 2-element tuples where the first element is
relative to the source, the second is the absolute file name.
"""
# Make sure it exists and is not a link
if not os.path.exists(source):
return []
if os.path.islink(source):
return []
# Handle file directly
if os.path.isfile(source):
return [ (os.path.join(reldir, os.path.basename(source)), source) ]
# Scan source files on disk
if not os.path.isdir(source):
return []
results = []
for entry in os.listdir(source):
fullpath = os.path.join(source, entry)
if os.path.islink(fullpath):
continue
# Excluded (both files and directories)
if _is_excluded(entry, exclude):
continue
# File
if os.path.isfile(fullpath):
if _is_globbed(entry, glob):
results.append( (os.path.join(reldir, entry), fullpath) )
elif os.path.isdir(fullpath):
if recursive:
newrel = os.path.join(reldir, entry)
results.extend(_get_files(env, fullpath, exclude, glob, recursive, newrel))
return results
def _get_built_files(env, source, exclude, glob, recursive, reldir=os.curdir):
"""
Find files that match the criteria.
source - source file or directory node
exclude - additional exclusion masks in addition to default
glob - glob masks
recursive - scan recursively or not
Returns a list of 2-element tuples where the first element is
relative to the source, the second is the absolute file name.
"""
# Source
source = source.disambiguate()
# If a file, return it without scanning
if isinstance(source, SCons.Node.FS.File):
if source.is_derived():
source = source.abspath
return [ (os.path.join(reldir, os.path.basename(source)), source) ]
else:
return []
if not isinstance(source, SCons.Node.FS.Dir):
return []
# Walk the children
results = []
for child in source.children():
child = child.disambiguate()
name = os.path.basename(child.abspath)
# Ignore '.' and '..'
if name == '.' or name == '..':
continue
# Exclude applies to files and directories
if _is_excluded(name, exclude):
continue
if isinstance(child, SCons.Node.FS.File):
if child.is_derived() and _is_globbed(name, glob):
results.append( (os.path.join(reldir, name), child.abspath) )
elif isinstance(child, SCons.Node.FS.Dir):
if recursive:
newrel = os.path.join(reldir, name)
results.extend(_get_built_files(env, child, exclude, glob, recursive, newrel))
return results
from lib2to3.fixes.fix_apply import FixApply
def _envFile(self, s, *args, **kw):
"""Same as Environmet.File but without expanding $VAR logic
"""
if SCons.Util.is_Sequence(s):
result=[]
for e in s:
result.append(self.fs.File((e,) + args, kw))
return result
return self.fs.File((s,) + args, kw)
def _get_both(env, source, exclude, glob, recursive, scan):
"""
Get both the built and source files that match the criteria. Built
files take priority over a source file of the same path and name.
"""
src_nodes = []
results = []
# Get built files
if scan == 0 or scan == 2:
results.extend(_get_built_files(env, source, exclude, glob, recursive))
for (relsrc, src) in results:
node = _envFile(env, src)
src_nodes.append(node.srcnode())
# Get source files
if scan == 1 or scan == 2:
files = _get_files(env, source.srcnode().abspath, exclude, glob, recursive)
for (relsrc, src) in files:
node = _envFile(env, src)
if not node in src_nodes:
results.append( (relsrc, src) )
return results
def InstallFiles(env, target, source, exclude=None, glob=None, recursive=True, scan=2):
"""
InstallFiles pseudo-builder
target - target directory to install to
source - source file or directory to scan
exclude - a list of patterns to exclude in files and directories
glob - a list of patterns to include in files
recursive - scan directories recursively
scan - 0=scan built nodes, 1=scan source files, 2=both
All argument except target and source should be used as keyword arguments
"""
# Information
if exclude:
exclude = Flatten(exclude)
else:
exclude = []
exclude.extend(env['INSTALLFILES_EXCLUDES'])
if glob:
glob = Flatten(glob)
else:
glob = []
# Flatten source/target
target = Flatten(target)
source = Flatten(source)
if len(target) != len(source):
if len(target) == 1:
# If only one target, assume it is for all the sources
target = target * len(source)
else:
raise SCons.Errors.UserError('InstallFiles expects only one target directory or one for each source')
# Scan
files = []
for (t, s) in zip(target, source):
if not isinstance(t, SCons.Node.FS.Base):
t = env.Dir(t)
if not isinstance(s, SCons.Node.FS.Base):
s = env.Entry(s)
for (relsrc, src) in _get_both(env, s, exclude, glob, recursive, scan):
dest = os.path.normpath(os.path.join(t.abspath, relsrc))
files.append( (dest, src) )
# Install
results = []
for (dest, src) in files:
results.extend(env.InstallAs(Entry(dest), Entry(src)))
# Done
return results
def InstallPackageAccum(env, name, target, source, exclude=None, glob=None, recursive=True, scan=2):
"""
InstallPackageAccum accumulate files for a package name
name - the name of the package of files
target - relative target directory under the package directory, can be '.'
source - source file or directory to scan
exclude - a list of patterns to exclude in files and directories
glob - a list of patterns to include in files
recursive - scan directories recursively
scan - 0=scan built nodes, 1=scan source files, 2=both
All argument except target and source should be used as keyword arguments and
target should NOT be nodes but strings such as '.'
"""
# Information
if exclude:
exclude = Flatten(exclude)
else:
exclude = []
exclude.extend(env['INSTALLFILES_EXCLUDES'])
if glob:
glob = Flatten(glob)
else:
glob = []
# Flatten target/source
target = Flatten(target)
source = Flatten(source)
if len(target) != len(source):
if len(target) == 1:
target = target * len(source)
else:
raise SCons.Errors.UserError('InstallPackageAccum expects only one target directory or one for each source')
# Scan
files = []
for (t, s) in zip(target, source):
t = env.subst(t)
if not isinstance(s, SCons.Node.FS.Base):
s = env.Entry(s)
for (relsrc, src) in _get_both(env, s, exclude, glob, recursive, scan):
dest = os.path.normpath(os.path.join(t, relsrc))
files.append( (dest, src) )
# Add package if needed
packages = env['INSTALLFILES_PACKAGES']
if not name in packages:
packages[name] = []
packages[name].extend(files)
def InstallPackage(env, target, name):
"""
Install the files of a given package to a certain location
target - the directory to install the package to
name - the name of the package to install
"""
# Flatten target/name
target = Flatten(target)
name = Flatten(name)
if len(target) != len(name):
if len(target) == 1:
target = target * len(name)
else:
raise SCons.Errors.UserError('InstallPackage expects only one target directory or one for each package')
# Install
results = []
packages = env['INSTALLFILES_PACKAGES']
for (t, n) in zip(target, name):
if not n in packages:
raise SCons.Errors.UserError('InstallPackage package name does not exist: ' + n)
for (relsrc, src) in packages[n]:
dest = os.path.normpath(os.path.join(t, relsrc))
results.extend(env.InstallAs(dest, src))
# Done
return results
def InstallExclude(env, *args):
env['INSTALLFILES_EXCLUDES'] = []
for i in args:
env['INSTALLFILES_EXCLUDES'].extend(Flatten(i))
# Register this with the environment
def TOOL_INSTALL(env):
env.AddMethod(InstallFiles)
env.AddMethod(InstallPackageAccum)
env.AddMethod(InstallPackage)
env.AddMethod(InstallExclude)
env['INSTALLFILES_EXCLUDES'] = []
env['INSTALLFILES_PACKAGES'] = {}
4.11.0 a351e9b9fc24e982ec2f0e76379a49826036da12 Fearless Coyote
1
Authors of kconfig-frontends.
The developers of the Linux kernel are the original authors of the kconfig
parser and frontends. The list is too long to reproduce here, but you can
get a pretty complete list from the Linux kernel repository logs:
git shortlog scripts/kconfig
The packaging uses the GNU autotools build system, of which I
will not try to list the many authors here.
The initial packaging was done by:
"Yann E. MORIN" <yann.morin.1998@free.fr>
For a complete list, see the commit-logs of the kconfig repository.
The kconfig parser and frontends are extracted from the Linux kernel
source tree, which is covered by the GPLv2 only. As Linus Torvalds puts it:
> Also note that the only valid version of the GPL as far as the kernel
> is concerned is _this_ particular version of the license (ie v2, not
> v2.2 or v3.x or whatever), unless explicitly otherwise stated.
Although the above quote explictly mentions the Linux kernel, it is my
understanding that the whole Linux kernel source tree is covered by this
sentence, even non-kernel source code. As such, the license that applies
to the kconfig parser and frontends, as published in this package, are
also covered by this sentence, and available under the GPLv2, and not any
other version of the GPL, unless otherwise stated.
----------------------------------------
GNU GENERAL PUBLIC LICENSE
Version 2, June 1991
Copyright (C) 1989, 1991 Free Software Foundation, Inc.
51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA
Everyone is permitted to copy and distribute verbatim copies
of this license document, but changing it is not allowed.
Preamble
The licenses for most software are designed to take away your
freedom to share and change it. By contrast, the GNU General Public
License is intended to guarantee your freedom to share and change free
software--to make sure the software is free for all its users. This
General Public License applies to most of the Free Software
Foundation's software and to any other program whose authors commit to
using it. (Some other Free Software Foundation software is covered by
the GNU Library General Public License instead.) You can apply it to
your programs, too.
When we speak of free software, we are referring to freedom, not
price. Our General Public Licenses are designed to make sure that you
have the freedom to distribute copies of free software (and charge for
this service if you wish), that you receive source code or can get it
if you want it, that you can change the software or use pieces of it
in new free programs; and that you know you can do these things.
To protect your rights, we need to make restrictions that forbid
anyone to deny you these rights or to ask you to surrender the rights.
These restrictions translate to certain responsibilities for you if you
distribute copies of the software, or if you modify it.
For example, if you distribute copies of such a program, whether
gratis or for a fee, you must give the recipients all the rights that
you have. You must make sure that they, too, receive or can get the
source code. And you must show them these terms so they know their
rights.
We protect your rights with two steps: (1) copyright the software, and
(2) offer you this license which gives you legal permission to copy,
distribute and/or modify the software.
Also, for each author's protection and ours, we want to make certain
that everyone understands that there is no warranty for this free
software. If the software is modified by someone else and passed on, we
want its recipients to know that what they have is not the original, so
that any problems introduced by others will not reflect on the original
authors' reputations.
Finally, any free program is threatened constantly by software
patents. We wish to avoid the danger that redistributors of a free
program will individually obtain patent licenses, in effect making the
program proprietary. To prevent this, we have made it clear that any
patent must be licensed for everyone's free use or not licensed at all.
The precise terms and conditions for copying, distribution and
modification follow.
GNU GENERAL PUBLIC LICENSE
TERMS AND CONDITIONS FOR COPYING, DISTRIBUTION AND MODIFICATION
0. This License applies to any program or other work which contains
a notice placed by the copyright holder saying it may be distributed
under the terms of this General Public License. The "Program", below,
refers to any such program or work, and a "work based on the Program"
means either the Program or any derivative work under copyright law:
that is to say, a work containing the Program or a portion of it,
either verbatim or with modifications and/or translated into another
language. (Hereinafter, translation is included without limitation in
the term "modification".) Each licensee is addressed as "you".
Activities other than copying, distribution and modification are not
covered by this License; they are outside its scope. The act of
running the Program is not restricted, and the output from the Program
is covered only if its contents constitute a work based on the
Program (independent of having been made by running the Program).
Whether that is true depends on what the Program does.
1. You may copy and distribute verbatim copies of the Program's
source code as you receive it, in any medium, provided that you
conspicuously and appropriately publish on each copy an appropriate
copyright notice and disclaimer of warranty; keep intact all the
notices that refer to this License and to the absence of any warranty;
and give any other recipients of the Program a copy of this License
along with the Program.
You may charge a fee for the physical act of transferring a copy, and
you may at your option offer warranty protection in exchange for a fee.
2. You may modify your copy or copies of the Program or any portion
of it, thus forming a work based on the Program, and copy and
distribute such modifications or work under the terms of Section 1
above, provided that you also meet all of these conditions:
a) You must cause the modified files to carry prominent notices
stating that you changed the files and the date of any change.
b) You must cause any work that you distribute or publish, that in
whole or in part contains or is derived from the Program or any
part thereof, to be licensed as a whole at no charge to all third
parties under the terms of this License.
c) If the modified program normally reads commands interactively
when run, you must cause it, when started running for such
interactive use in the most ordinary way, to print or display an
announcement including an appropriate copyright notice and a
notice that there is no warranty (or else, saying that you provide
a warranty) and that users may redistribute the program under
these conditions, and telling the user how to view a copy of this
License. (Exception: if the Program itself is interactive but
does not normally print such an announcement, your work based on
the Program is not required to print an announcement.)
These requirements apply to the modified work as a whole. If
identifiable sections of that work are not derived from the Program,
and can be reasonably considered independent and separate works in
themselves, then this License, and its terms, do not apply to those
sections when you distribute them as separate works. But when you
distribute the same sections as part of a whole which is a work based
on the Program, the distribution of the whole must be on the terms of
this License, whose permissions for other licensees extend to the
entire whole, and thus to each and every part regardless of who wrote it.
Thus, it is not the intent of this section to claim rights or contest
your rights to work written entirely by you; rather, the intent is to
exercise the right to control the distribution of derivative or
collective works based on the Program.
In addition, mere aggregation of another work not based on the Program
with the Program (or with a work based on the Program) on a volume of
a storage or distribution medium does not bring the other work under
the scope of this License.
3. You may copy and distribute the Program (or a work based on it,
under Section 2) in object code or executable form under the terms of
Sections 1 and 2 above provided that you also do one of the following:
a) Accompany it with the complete corresponding machine-readable
source code, which must be distributed under the terms of Sections
1 and 2 above on a medium customarily used for software interchange; or,
b) Accompany it with a written offer, valid for at least three
years, to give any third party, for a charge no more than your
cost of physically performing source distribution, a complete
machine-readable copy of the corresponding source code, to be
distributed under the terms of Sections 1 and 2 above on a medium
customarily used for software interchange; or,
c) Accompany it with the information you received as to the offer
to distribute corresponding source code. (This alternative is
allowed only for noncommercial distribution and only if you
received the program in object code or executable form with such
an offer, in accord with Subsection b above.)
The source code for a work means the preferred form of the work for
making modifications to it. For an executable work, complete source
code means all the source code for all modules it contains, plus any
associated interface definition files, plus the scripts used to
control compilation and installation of the executable. However, as a
special exception, the source code distributed need not include
anything that is normally distributed (in either source or binary
form) with the major components (compiler, kernel, and so on) of the
operating system on which the executable runs, unless that component
itself accompanies the executable.
If distribution of executable or object code is made by offering
access to copy from a designated place, then offering equivalent
access to copy the source code from the same place counts as
distribution of the source code, even though third parties are not
compelled to copy the source along with the object code.
4. You may not copy, modify, sublicense, or distribute the Program
except as expressly provided under this License. Any attempt
otherwise to copy, modify, sublicense or distribute the Program is
void, and will automatically terminate your rights under this License.
However, parties who have received copies, or rights, from you under
this License will not have their licenses terminated so long as such
parties remain in full compliance.
5. You are not required to accept this License, since you have not
signed it. However, nothing else grants you permission to modify or
distribute the Program or its derivative works. These actions are
prohibited by law if you do not accept this License. Therefore, by
modifying or distributing the Program (or any work based on the
Program), you indicate your acceptance of this License to do so, and
all its terms and conditions for copying, distributing or modifying
the Program or works based on it.
6. Each time you redistribute the Program (or any work based on the
Program), the recipient automatically receives a license from the
original licensor to copy, distribute or modify the Program subject to
these terms and conditions. You may not impose any further
restrictions on the recipients' exercise of the rights granted herein.
You are not responsible for enforcing compliance by third parties to
this License.
7. If, as a consequence of a court judgment or allegation of patent
infringement or for any other reason (not limited to patent issues),
conditions are imposed on you (whether by court order, agreement or
otherwise) that contradict the conditions of this License, they do not
excuse you from the conditions of this License. If you cannot
distribute so as to satisfy simultaneously your obligations under this
License and any other pertinent obligations, then as a consequence you
may not distribute the Program at all. For example, if a patent
license would not permit royalty-free redistribution of the Program by
all those who receive copies directly or indirectly through you, then
the only way you could satisfy both it and this License would be to
refrain entirely from distribution of the Program.
If any portion of this section is held invalid or unenforceable under
any particular circumstance, the balance of the section is intended to
apply and the section as a whole is intended to apply in other
circumstances.
It is not the purpose of this section to induce you to infringe any
patents or other property right claims or to contest validity of any
such claims; this section has the sole purpose of protecting the
integrity of the free software distribution system, which is
implemented by public license practices. Many people have made
generous contributions to the wide range of software distributed
through that system in reliance on consistent application of that
system; it is up to the author/donor to decide if he or she is willing
to distribute software through any other system and a licensee cannot
impose that choice.
This section is intended to make thoroughly clear what is believed to
be a consequence of the rest of this License.
8. If the distribution and/or use of the Program is restricted in
certain countries either by patents or by copyrighted interfaces, the
original copyright holder who places the Program under this License
may add an explicit geographical distribution limitation excluding
those countries, so that distribution is permitted only in or among
countries not thus excluded. In such case, this License incorporates
the limitation as if written in the body of this License.
9. The Free Software Foundation may publish revised and/or new versions
of the General Public License from time to time. Such new versions will
be similar in spirit to the present version, but may differ in detail to
address new problems or concerns.
Each version is given a distinguishing version number. If the Program
specifies a version number of this License which applies to it and "any
later version", you have the option of following the terms and conditions
either of that version or of any later version published by the Free
Software Foundation. If the Program does not specify a version number of
this License, you may choose any version ever published by the Free Software
Foundation.
10. If you wish to incorporate parts of the Program into other free
programs whose distribution conditions are different, write to the author
to ask for permission. For software which is copyrighted by the Free
Software Foundation, write to the Free Software Foundation; we sometimes
make exceptions for this. Our decision will be guided by the two goals
of preserving the free status of all derivatives of our free software and
of promoting the sharing and reuse of software generally.
NO WARRANTY
11. BECAUSE THE PROGRAM IS LICENSED FREE OF CHARGE, THERE IS NO WARRANTY
FOR THE PROGRAM, TO THE EXTENT PERMITTED BY APPLICABLE LAW. EXCEPT WHEN
OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR OTHER PARTIES
PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY OF ANY KIND, EITHER EXPRESSED
OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF
MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. THE ENTIRE RISK AS
TO THE QUALITY AND PERFORMANCE OF THE PROGRAM IS WITH YOU. SHOULD THE
PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF ALL NECESSARY SERVICING,
REPAIR OR CORRECTION.
12. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING
WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MAY MODIFY AND/OR
REDISTRIBUTE THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES,
INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING
OUT OF THE USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED
TO LOSS OF DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY
YOU OR THIRD PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER
PROGRAMS), EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE
POSSIBILITY OF SUCH DAMAGES.
END OF TERMS AND CONDITIONS
How to Apply These Terms to Your New Programs
If you develop a new program, and you want it to be of the greatest
possible use to the public, the best way to achieve this is to make it
free software which everyone can redistribute and change under these terms.
To do so, attach the following notices to the program. It is safest
to attach them to the start of each source file to most effectively
convey the exclusion of warranty; and each file should have at least
the "copyright" line and a pointer to where the full notice is found.
<one line to give the program's name and a brief idea of what it does.>
Copyright (C) <year> <name of author>
This program is free software; you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation; either version 2 of the License, or
(at your option) any later version.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with this program; if not, write to the Free Software
Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA
Also add information on how to contact you by electronic and paper mail.
If the program is interactive, make it output a short notice like this
when it starts in an interactive mode:
Gnomovision version 69, Copyright (C) year name of author
Gnomovision comes with ABSOLUTELY NO WARRANTY; for details type `show w'.
This is free software, and you are welcome to redistribute it
under certain conditions; type `show c' for details.
The hypothetical commands `show w' and `show c' should show the appropriate
parts of the General Public License. Of course, the commands you use may
be called something other than `show w' and `show c'; they could even be
mouse-clicks or menu items--whatever suits your program.
You should also get your employer (if you work as a programmer) or your
school, if any, to sign a "copyright disclaimer" for the program, if
necessary. Here is a sample; alter the names:
Yoyodyne, Inc., hereby disclaims all copyright interest in the program
`Gnomovision' (which makes passes at compilers) written by James Hacker.
<signature of Ty Coon>, 1 April 1989
Ty Coon, President of Vice
This General Public License does not permit incorporating your program into
proprietary programs. If your program is a subroutine library, you may
consider it more useful to permit linking proprietary applications with the
library. If this is what you want to do, use the GNU Library General
Public License instead of this License.
Installation Instructions
*************************
Copyright (C) 1994, 1995, 1996, 1999, 2000, 2001, 2002, 2004, 2005,
2006, 2007, 2008, 2009 Free Software Foundation, Inc.
Copying and distribution of this file, with or without modification,
are permitted in any medium without royalty provided the copyright
notice and this notice are preserved. This file is offered as-is,
without warranty of any kind.
Basic Installation
==================
Briefly, the shell commands `./configure; make; make install' should
configure, build, and install this package. The following
more-detailed instructions are generic; see the `README' file for
instructions specific to this package. Some packages provide this
`INSTALL' file but do not implement all of the features documented
below. The lack of an optional feature in a given package is not
necessarily a bug. More recommendations for GNU packages can be found
in *note Makefile Conventions: (standards)Makefile Conventions.
The `configure' shell script attempts to guess correct values for
various system-dependent variables used during compilation. It uses
those values to create a `Makefile' in each directory of the package.
It may also create one or more `.h' files containing system-dependent
definitions. Finally, it creates a shell script `config.status' that
you can run in the future to recreate the current configuration, and a
file `config.log' containing compiler output (useful mainly for
debugging `configure').
It can also use an optional file (typically called `config.cache'
and enabled with `--cache-file=config.cache' or simply `-C') that saves
the results of its tests to speed up reconfiguring. Caching is
disabled by default to prevent problems with accidental use of stale
cache files.
If you need to do unusual things to compile the package, please try
to figure out how `configure' could check whether to do them, and mail
diffs or instructions to the address given in the `README' so they can
be considered for the next release. If you are using the cache, and at
some point `config.cache' contains results you don't want to keep, you
may remove or edit it.
The file `configure.ac' (or `configure.in') is used to create
`configure' by a program called `autoconf'. You need `configure.ac' if
you want to change it or regenerate `configure' using a newer version
of `autoconf'.
The simplest way to compile this package is:
1. `cd' to the directory containing the package's source code and type
`./configure' to configure the package for your system.
Running `configure' might take a while. While running, it prints
some messages telling which features it is checking for.
2. Type `make' to compile the package.
3. Optionally, type `make check' to run any self-tests that come with
the package, generally using the just-built uninstalled binaries.
4. Type `make install' to install the programs and any data files and
documentation. When installing into a prefix owned by root, it is
recommended that the package be configured and built as a regular
user, and only the `make install' phase executed with root
privileges.
5. Optionally, type `make installcheck' to repeat any self-tests, but
this time using the binaries in their final installed location.
This target does not install anything. Running this target as a
regular user, particularly if the prior `make install' required
root privileges, verifies that the installation completed
correctly.
6. You can remove the program binaries and object files from the
source code directory by typing `make clean'. To also remove the
files that `configure' created (so you can compile the package for
a different kind of computer), type `make distclean'. There is
also a `make maintainer-clean' target, but that is intended mainly
for the package's developers. If you use it, you may have to get
all sorts of other programs in order to regenerate files that came
with the distribution.
7. Often, you can also type `make uninstall' to remove the installed
files again. In practice, not all packages have tested that
uninstallation works correctly, even though it is required by the
GNU Coding Standards.
8. Some packages, particularly those that use Automake, provide `make
distcheck', which can by used by developers to test that all other
targets like `make install' and `make uninstall' work correctly.
This target is generally not run by end users.
Compilers and Options
=====================
Some systems require unusual options for compilation or linking that
the `configure' script does not know about. Run `./configure --help'
for details on some of the pertinent environment variables.
You can give `configure' initial values for configuration parameters
by setting variables in the command line or in the environment. Here
is an example:
./configure CC=c99 CFLAGS=-g LIBS=-lposix
*Note Defining Variables::, for more details.
Compiling For Multiple Architectures
====================================
You can compile the package for more than one kind of computer at the
same time, by placing the object files for each architecture in their
own directory. To do this, you can use GNU `make'. `cd' to the
directory where you want the object files and executables to go and run
the `configure' script. `configure' automatically checks for the
source code in the directory that `configure' is in and in `..'. This
is known as a "VPATH" build.
With a non-GNU `make', it is safer to compile the package for one
architecture at a time in the source code directory. After you have
installed the package for one architecture, use `make distclean' before
reconfiguring for another architecture.
On MacOS X 10.5 and later systems, you can create libraries and
executables that work on multiple system types--known as "fat" or
"universal" binaries--by specifying multiple `-arch' options to the
compiler but only a single `-arch' option to the preprocessor. Like
this:
./configure CC="gcc -arch i386 -arch x86_64 -arch ppc -arch ppc64" \
CXX="g++ -arch i386 -arch x86_64 -arch ppc -arch ppc64" \
CPP="gcc -E" CXXCPP="g++ -E"
This is not guaranteed to produce working output in all cases, you
may have to build one architecture at a time and combine the results
using the `lipo' tool if you have problems.
Installation Names
==================
By default, `make install' installs the package's commands under
`/usr/local/bin', include files under `/usr/local/include', etc. You
can specify an installation prefix other than `/usr/local' by giving
`configure' the option `--prefix=PREFIX', where PREFIX must be an
absolute file name.
You can specify separate installation prefixes for
architecture-specific files and architecture-independent files. If you
pass the option `--exec-prefix=PREFIX' to `configure', the package uses
PREFIX as the prefix for installing programs and libraries.
Documentation and other data files still use the regular prefix.
In addition, if you use an unusual directory layout you can give
options like `--bindir=DIR' to specify different values for particular
kinds of files. Run `configure --help' for a list of the directories
you can set and what kinds of files go in them. In general, the
default for these options is expressed in terms of `${prefix}', so that
specifying just `--prefix' will affect all of the other directory
specifications that were not explicitly provided.
The most portable way to affect installation locations is to pass the
correct locations to `configure'; however, many packages provide one or
both of the following shortcuts of passing variable assignments to the
`make install' command line to change installation locations without
having to reconfigure or recompile.
The first method involves providing an override variable for each
affected directory. For example, `make install
prefix=/alternate/directory' will choose an alternate location for all
directory configuration variables that were expressed in terms of
`${prefix}'. Any directories that were specified during `configure',
but not in terms of `${prefix}', must each be overridden at install
time for the entire installation to be relocated. The approach of
makefile variable overrides for each directory variable is required by
the GNU Coding Standards, and ideally causes no recompilation.
However, some platforms have known limitations with the semantics of
shared libraries that end up requiring recompilation when using this
method, particularly noticeable in packages that use GNU Libtool.
The second method involves providing the `DESTDIR' variable. For
example, `make install DESTDIR=/alternate/directory' will prepend
`/alternate/directory' before all installation names. The approach of
`DESTDIR' overrides is not required by the GNU Coding Standards, and
does not work on platforms that have drive letters. On the other hand,
it does better at avoiding recompilation issues, and works well even
when some directory options were not specified in terms of `${prefix}'
at `configure' time.
Optional Features
=================
If the package supports it, you can cause programs to be installed
with an extra prefix or suffix on their names by giving `configure' the
option `--program-prefix=PREFIX' or `--program-suffix=SUFFIX'.
Some packages pay attention to `--enable-FEATURE' options to
`configure', where FEATURE indicates an optional part of the package.
They may also pay attention to `--with-PACKAGE' options, where PACKAGE
is something like `gnu-as' or `x' (for the X Window System). The
`README' should mention any `--enable-' and `--with-' options that the
package recognizes.
For packages that use the X Window System, `configure' can usually
find the X include and library files automatically, but if it doesn't,
you can use the `configure' options `--x-includes=DIR' and
`--x-libraries=DIR' to specify their locations.
Some packages offer the ability to configure how verbose the
execution of `make' will be. For these packages, running `./configure
--enable-silent-rules' sets the default to minimal output, which can be
overridden with `make V=1'; while running `./configure
--disable-silent-rules' sets the default to verbose, which can be
overridden with `make V=0'.
Particular systems
==================
On HP-UX, the default C compiler is not ANSI C compatible. If GNU
CC is not installed, it is recommended to use the following options in
order to use an ANSI C compiler:
./configure CC="cc -Ae -D_XOPEN_SOURCE=500"
and if that doesn't work, install pre-built binaries of GCC for HP-UX.
On OSF/1 a.k.a. Tru64, some versions of the default C compiler cannot
parse its `<wchar.h>' header file. The option `-nodtk' can be used as
a workaround. If GNU CC is not installed, it is therefore recommended
to try
./configure CC="cc"
and if that doesn't work, try
./configure CC="cc -nodtk"
On Solaris, don't put `/usr/ucb' early in your `PATH'. This
directory contains several dysfunctional programs; working variants of
these programs are available in `/usr/bin'. So, if you need `/usr/ucb'
in your `PATH', put it _after_ `/usr/bin'.
On Haiku, software installed for all users goes in `/boot/common',
not `/usr/local'. It is recommended to use the following options:
./configure --prefix=/boot/common
Specifying the System Type
==========================
There may be some features `configure' cannot figure out
automatically, but needs to determine by the type of machine the package
will run on. Usually, assuming the package is built to be run on the
_same_ architectures, `configure' can figure that out, but if it prints
a message saying it cannot guess the machine type, give it the
`--build=TYPE' option. TYPE can either be a short name for the system
type, such as `sun4', or a canonical name which has the form:
CPU-COMPANY-SYSTEM
where SYSTEM can have one of these forms:
OS
KERNEL-OS
See the file `config.sub' for the possible values of each field. If
`config.sub' isn't included in this package, then this package doesn't
need to know the machine type.
If you are _building_ compiler tools for cross-compiling, you should
use the option `--target=TYPE' to select the type of system they will
produce code for.
If you want to _use_ a cross compiler, that generates code for a
platform different from the build platform, you should specify the
"host" platform (i.e., that on which the generated programs will
eventually be run) with `--host=TYPE'.
Sharing Defaults
================
If you want to set default values for `configure' scripts to share,
you can create a site shell script called `config.site' that gives
default values for variables like `CC', `cache_file', and `prefix'.
`configure' looks for `PREFIX/share/config.site' if it exists, then
`PREFIX/etc/config.site' if it exists. Or, you can set the
`CONFIG_SITE' environment variable to the location of the site script.
A warning: not all `configure' scripts look for a site script.
Defining Variables
==================
Variables not defined in a site shell script can be set in the
environment passed to `configure'. However, some packages may run
configure again during the build, and the customized values of these
variables may be lost. In order to avoid this problem, you should set
them in the `configure' command line, using `VAR=value'. For example:
./configure CC=/usr/local2/bin/gcc
causes the specified `gcc' to be used as the C compiler (unless it is
overridden in the site shell script).
Unfortunately, this technique does not work for `CONFIG_SHELL' due to
an Autoconf bug. Until the bug is fixed you can use this workaround:
CONFIG_SHELL=/bin/bash /bin/bash ./configure CONFIG_SHELL=/bin/bash
`configure' Invocation
======================
`configure' recognizes the following options to control how it
operates.
`--help'
`-h'
Print a summary of all of the options to `configure', and exit.
`--help=short'
`--help=recursive'
Print a summary of the options unique to this package's
`configure', and exit. The `short' variant lists options used
only in the top level, while the `recursive' variant lists options
also present in any nested packages.
`--version'
`-V'
Print the version of Autoconf used to generate the `configure'
script, and exit.
`--cache-file=FILE'
Enable the cache: use and save the results of the tests in FILE,
traditionally `config.cache'. FILE defaults to `/dev/null' to
disable caching.
`--config-cache'
`-C'
Alias for `--cache-file=config.cache'.
`--quiet'
`--silent'
`-q'
Do not print messages saying which checks are being made. To
suppress all normal output, redirect it to `/dev/null' (any error
messages will still be shown).
`--srcdir=DIR'
Look for the package's source code in directory DIR. Usually
`configure' can determine that directory automatically.
`--prefix=DIR'
Use DIR as the installation prefix. *note Installation Names::
for more details, including other options available for fine-tuning
the installation locations.
`--no-create'
`-n'
Run the configure checks, but stop before creating any output
files.
`configure' also accepts some other, not widely useful, options. Run
`configure --help' for more details.
ACLOCAL_AMFLAGS = -I scripts/.autostuff/m4
MAKEFLAGS = $(SILENT_MAKEFLAGS_$(V))
SILENT_MAKEFLAGS_ = $(SILENT_MAKEFLAGS_$(AM_DEFAULT_VERBOSITY))
SILENT_MAKEFLAGS_0 = --no-print-directory -s
SILENT_MAKEFLAGS_1 =
EXTRA_DIST = .version
bin_PROGRAMS =
bin_SCRIPTS =
dist_bin_SCRIPTS =
lib_LTLIBRARIES =
noinst_LIBRARIES =
CLEANFILES =
DISTCLEANFILES =
MAINTAINERCLEANFILES =
BUILT_SOURCES =
#===============================================================================
# Docs
dist_doc_DATA = \
docs/kconfig-language.txt \
docs/kconfig.txt
#===============================================================================
# Libraries
SUFFIXES = .gperf
lib_LTLIBRARIES += libs/parser/libkconfig-parser.la
libs_parser_libkconfig_parser_la_SOURCES = libs/parser/yconf.y
dist_EXTRA_libs_parser_libkconfig_parser_la_SOURCES = \
libs/parser/hconf.gperf \
libs/parser/lconf.l \
libs/parser/confdata.c \
libs/parser/menu.c \
libs/parser/symbol.c \
libs/parser/util.c \
libs/parser/expr.c \
libs/parser/expr.h \
libs/parser/lkc.h \
libs/parser/lkc_proto.h
libs_parser_libkconfig_parser_la_CPPFLAGS = \
-DROOTMENU="\"$(root_menu)\"" \
-DCONFIG_=\"$(config_prefix)\" \
-DGPERF_LEN_TYPE="$(GPERF_LEN_TYPE)" \
$(intl_CPPFLAGS) \
-I$(top_srcdir)/libs/parser \
-I$(top_builddir)/libs/parser
libs_parser_libkconfig_parser_la_CFLAGS = \
$(AM_CFLAGS) \
$(kf_CFLAGS)
libs_parser_libkconfig_parser_la_LDFLAGS = \
-release $(KCONFIGPARSER_LIB_VERSION) \
-no-undefined
libs_parser_libkconfig_parser_la_LIBADD = $(intl_LIBS)
libs_parser_kconfig_includedir = $(includedir)/kconfig
libs_parser_kconfig_include_HEADERS = \
libs/parser/list.h \
libs/parser/lkc.h \
libs/parser/expr.h \
libs/parser/lkc_proto.h
AM_V_GPERF = $(AM_V_GPERF_$(V))
AM_V_GPERF_ = $(AM_V_GPERF_$(AM_DEFAULT_VERBOSITY))
AM_V_GPERF_0 = @echo " GPERF " $@;
AM_V_GPERF_1 =
.gperf.c:
$(AM_V_GPERF)$(GPERF) -t --output-file $@ -a -C -E -g -k 1,3,$$ -p -t $<
# The following rule may produce a warning with some versions of automake:
# Makefile.am:85: user target `.l.c' defined here...
# /usr/share/automake-1.11/am/lex.am: ... overrides Automake target
# `.l.c' defined here
#
# This is expected, and can't be avoided (for now).
# That's because, when working with lex+yacc sources, the default is to
# build each files searately, and then link them together into the final
# output. But the Linux kernel's parser simply #include-s the lexer,
# so we can't put lconf.l into the _SOURCES (it's in EXTRA_SOURCES),
# and thus automake does not catch the need to call lex.
# Secondly, when flex is told to change the symbols' prefix (kconfig
# uses zconf in lieue of the original yy), then the output file is
# also renamed, but automake does not now that, and make would fail
# because it would think no file was generated.
.l.c:
$(AM_V_LEX)$(LEXCOMPILE) -o$@ $<
# yconf.c not listed, because it is the real _SOURCES, but others are
# in _EXTRA_SOURCES (above), so must be listed:
BUILT_SOURCES += \
libs/parser/hconf.c \
libs/parser/lconf.c
# Still, .c files generated from .y files are not cleaned by default,
# so yconf.c must be explicitly listed:
MAINTAINERCLEANFILES += \
libs/parser/hconf.c \
libs/parser/lconf.c \
libs/parser/yconf.c
EXTRA_DIST += \
libs/parser/hconf.c \
libs/parser/hconf.gperf.patch \
libs/parser/yconf.y.patch
# libs/parser/kconfig-parser.pc generated by AC_CONFIG_FILES in configure.ac
pkgconfigdir = $(libdir)/pkgconfig
pkgconfig_DATA = libs/parser/kconfig-parser.pc
DISTCLEANFILES += libs/parser/kconfig-parser.pc
EXTRA_DIST += libs/parser/kconfig-parser.pc.in
#--------------------------
# lxdialog lib (for mconf)
if COND_lxdialog
noinst_LIBRARIES += libs/lxdialog/libkconfig-lxdialog.a
libs_lxdialog_libkconfig_lxdialog_a_SOURCES = \
libs/lxdialog/checklist.c \
libs/lxdialog/dialog.h \
libs/lxdialog/inputbox.c \
libs/lxdialog/menubox.c \
libs/lxdialog/textbox.c \
libs/lxdialog/util.c \
libs/lxdialog/yesno.c
libs_lxdialog_libkconfig_lxdialog_a_CPPFLAGS = \
$(AM_CPPFLAGS) \
$(ncurses_mconf_CPPFLAGS) \
$(intl_CPPFLAGS)
libs_lxdialog_liblxdialog_a_CFLAGS = \
$(AM_CFLAGS) \
$(kf_CFLAGS)
endif # COND_lxdialog
#--------------------------
# kconfig meta frontend
if COND_images
noinst_LIBRARIES += libs/images/libkconfig-images.a
libs_images_libkconfig_images_a_SOURCES = libs/images/images.c_orig
nodist_libs_images_libkconfig_images_a_SOURCES = libs/images/images.c
libs/images/images.c: libs/images/images.c_orig
$(AM_V_GEN)$(SED) -e 's/^static //' $< >$@
libs/images/images.h: libs/images/images.c_orig
$(AM_V_GEN)$(SED) -e '/^static \(const char \*xpm_\(.\{1,\}\)\[\]\) = {/!d; s//extern \1;/' \
$< >$@
BUILT_SOURCES += \
libs/images/images.c \
libs/images/images.h
CLEANFILES += \
libs/images/images.c \
libs/images/images.h
endif # COND_images
#===============================================================================
# Frontends
#--------------------------
# kconfig meta frontend
if COND_kconfig
bin_SCRIPTS += frontends/kconfig
frontends/kconfig: frontends/kconfig.in
$(AM_V_GEN)$(SED) -e 's/@KCFG_LIST@/$(kcfg_list)/g' \
$< >$@
@chmod +x $@
EXTRA_DIST += frontends/kconfig.in
endif # COND_kconfig
#--------------------------
# conf frontend
if COND_conf
bin_PROGRAMS += frontends/conf/kconfig-conf
frontends_conf_kconfig_conf_SOURCES = frontends/conf/conf.c
frontends_conf_kconfig_conf_CPPFLAGS = \
$(AM_CPPFLAGS) \
$(intl_CPPFLAGS) \
-I$(top_srcdir)/libs/parser
frontends_conf_kconfig_conf_CFLAGS = \
$(AM_CFLAGS) \
$(kf_CFLAGS)
frontends_conf_kconfig_conf_LDADD = \
$(top_builddir)/libs/parser/libkconfig-parser.la \
$(intl_LIBS) \
$(conf_EXTRA_LIBS)
endif # COND_conf
#--------------------------
# mconf frontend
if COND_mconf
bin_PROGRAMS += frontends/mconf/kconfig-mconf
frontends_mconf_kconfig_mconf_SOURCES = frontends/mconf/mconf.c
frontends_mconf_kconfig_mconf_CPPFLAGS = \
$(AM_CPPFLAGS) \
$(ncurses_mconf_CPPFLAGS) \
$(intl_CPPFLAGS) \
-I$(top_srcdir)/libs \
-I$(top_srcdir)/libs/parser
frontends_mconf_kconfig_mconf_CFLAGS = \
$(AM_CFLAGS) \
$(kf_CFLAGS)
frontends_mconf_kconfig_mconf_LDADD = \
$(top_builddir)/libs/parser/libkconfig-parser.la \
$(top_builddir)/libs/lxdialog/libkconfig-lxdialog.a \
$(intl_LIBS) $(ncurses_LIBS) $(mconf_EXTRA_LIBS)
endif # COND_mconf
#--------------------------
# nconf frontend
if COND_nconf
bin_PROGRAMS += frontends/nconf/kconfig-nconf
frontends_nconf_kconfig_nconf_SOURCES = \
frontends/nconf/nconf.c \
frontends/nconf/nconf.gui.c \
frontends/nconf/nconf.h
frontends_nconf_kconfig_nconf_CPPFLAGS = \
$(AM_CPPFLAGS) \
$(intl_CPPFLAGS) \
$(ncurses_nconf_CPPFLAGS) \
-I$(top_srcdir)/libs/parser
frontends_nconf_kconfig_nconf_CFLAGS = \
$(AM_CFLAGS) \
$(kf_CFLAGS)
frontends_nconf_kconfig_nconf_LDADD = \
$(top_builddir)/libs/parser/libkconfig-parser.la \
$(intl_LIBS) $(ncurses_panel_menu_LIBS) $(ncurses_LIBS) \
$(nconf_EXTRA_LIBS)
endif # COND_nconf
#--------------------------
# gconf frontend
if COND_gconf
bin_PROGRAMS += frontends/gconf/kconfig-gconf
frontends_gconf_kconfig_gconf_SOURCES = \
frontends/gconf/gconf.c \
frontends/gconf/gconf.glade
frontends_gconf_kconfig_gconf_CPPFLAGS = \
$(AM_CPPFLAGS) \
$(intl_CPPFLAGS) \
-I$(top_srcdir)/libs/parser \
-I$(top_builddir)/libs/images \
-DGUI_PATH='"$(pkgdatadir)/gconf.glade"'
frontends_gconf_kconfig_gconf_CFLAGS = \
$(AM_CFLAGS) \
$(kf_CFLAGS) \
$(gtk_CFLAGS)
frontends_gconf_kconfig_gconf_LDADD = \
$(top_builddir)/libs/parser/libkconfig-parser.la \
$(top_builddir)/libs/images/libkconfig-images.a \
$(intl_LIBS) \
$(gtk_LIBS) \
$(gconf_EXTRA_LIBS)
frontends_gconf_kconfig_gconfdir = $(pkgdatadir)
frontends_gconf_kconfig_gconf_DATA = frontends/gconf/gconf.glade
EXTRA_DIST += frontends/gconf/gconf.c.patch
endif # COND_gconf
#--------------------------
# gconf frontend
if COND_qconf
bin_PROGRAMS += frontends/qconf/kconfig-qconf
frontends_qconf_kconfig_qconf_SOURCES = \
frontends/qconf/qconf.cc \
frontends/qconf/qconf.h
BUILT_SOURCES += frontends/qconf/qconf.moc
frontends_qconf_kconfig_qconf_CPPFLAGS = \
$(AM_CPPFLAGS) \
$(intl_CPPFLAGS) \
-I$(top_srcdir)/libs/parser \
-I$(top_builddir)/libs/images \
-I$(top_builddir)/frontends/qconf
frontends_qconf_kconfig_qconf_CXXFLAGS = \
$(AM_CXXFLAGS) \
$(kf_CFLAGS) \
$(Qt5_CFLAGS) \
-fPIC -std=c++11
frontends_qconf_kconfig_qconf_LDADD = \
$(top_builddir)/libs/parser/libkconfig-parser.la \
$(top_builddir)/libs/images/libkconfig-images.a \
$(intl_LIBS) $(Qt5_LIBS) $(qconf_EXTRA_LIBS)
AM_V_MOC = $(AM_V_MOC_$(V))
AM_V_MOC_ = $(AM_V_MOC_$(AM_DEFAULT_VERBOSITY))
AM_V_MOC_0 = @echo " MOC " $@;
AM_V_MOC_1 =
.h.moc:
$(AM_V_MOC)$(MOC) -i $< -o $@
CLEANFILES += frontends/qconf/qconf.moc
EXTRA_DIST += frontends/qconf/qconf.cc.patch
endif # COND_qconf
#===============================================================================
# Utilities
if COND_utils
bin_SCRIPTS += utils/kconfig-tweak
dist_bin_SCRIPTS += utils/kconfig-diff utils/kconfig-merge
if COND_utils_gettext
MAYBE_utils_gettext = utils/kconfig-gettext
endif
bin_PROGRAMS += $(MAYBE_utils_gettext)
utils_kconfig_gettext_SOURCES = utils/gettext.c
utils_kconfig_gettext_CPPFLAGS = \
$(AM_CPPFLAGS) \
-I$(top_srcdir)/libs/parser
utils_kconfig_gettext_CFLAGS = \
$(AM_CFLAGS) \
$(kf_CFLAGS)
utils_kconfig_gettext_LDADD = \
$(top_builddir)/libs/parser/libkconfig-parser.la \
$(intl_LIBS)
CLEANFILES += utils/kconfig-tweak
EXTRA_DIST += \
utils/kconfig-tweak.in \
utils/kconfig-tweak.in.patch
utils/kconfig-tweak: utils/kconfig-tweak.in
$(MKDIR_P) $(@D)
$(AM_V_GEN)$(SED) -e "s/@CONFIG_@/$(config_prefix)/g" \
$< >$@
@chmod +x $@
endif # COND_utils
#===============================================================================
# Misc. scripts
EXTRA_DIST += \
scripts/ksync.sh \
scripts/ksync.list \
scripts/version.sh
This diff is collapsed.
0% or .
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment