[TIC-CORE] support recommends tag
[archive/20170607/tools/tic-core.git] / tic / parser / recipe_parser.py
1 #!/usr/bin/python
2 # Copyright (c) 2000 - 2016 Samsung Electronics Co., Ltd. All rights reserved.
3 #
4 # Contact: 
5 # @author Chulwoo Shin <cw1.shin@samsung.com>
6
7 # Licensed under the Apache License, Version 2.0 (the "License");
8 # you may not use this file except in compliance with the License.
9 # You may obtain a copy of the License at
10 #
11 # http://www.apache.org/licenses/LICENSE-2.0
12 #
13 # Unless required by applicable law or agreed to in writing, software
14 # distributed under the License is distributed on an "AS IS" BASIS,
15 # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
16 # See the License for the specific language governing permissions and
17 # limitations under the License.
18 #
19 # Contributors:
20 # - S-Core Co., Ltd
21
22 import collections
23 from datetime import datetime
24 import logging
25 import os
26 from tic.utils import error
27 from tic.utils.file import write, make_dirs
28 import yaml
29 from tic.config import configmgr
30
31
32 def get_default_recipe():
33     recipe = dict(
34         Default=dict(
35             Baseline= 'tizen-3.0',
36             Active= True,
37             Mic2Options= '-f raw --fstab=uuid --copy-kernel --compress-disk-image=bz2 --generate-bmap',
38             Part='headless',
39             Language= 'en_US.UTF-8',
40             Keyboard= 'us',
41             Timezone= 'Asia/Seoul',
42             RootPass= 'tizen',
43             DefaultUser= 'guest',
44             DefaultUserPass= 'tizen',
45             BootLoader= True,
46             BootloaderAppend= "rw vga=current splash rootwait rootfstype=ext4 plymouth.enable=0",
47             BootloaderTimeout= 3,
48             BootloaderOptions= '--ptable=gpt --menus="install:Wipe and Install:systemd.unit=system-installer.service:test"',
49             StartX= False,
50             Desktop= 'None',
51             SaveRepos= False,
52             UserGroups= "audio,video"
53         ),
54         Wayland=dict(
55             Part='headless',
56             UserGroups='audio,video',
57             Groups=[],
58             PostScripts=[],
59             Repos= [],
60             NoChrootScripts=[]
61         ),
62         Configurations=[
63             dict(
64                 Name='tizen-headless',
65                 Architecture='armv7l',
66                 Schedule= "*",
67                 Active= True,
68                 Platform= 'Wayland',
69                 Part= 'headless',
70                 Mic2Options= '-f loop --pack-to=@NAME@.tar.gz',
71                 FileName= 'tizen-headless-tm1',
72                 Repos=['tizen-unified', 'tizen-base'],
73                 Groups=[],
74                 ExtraPackages= [],
75                 RemovePackages=[]
76             )
77         ],
78         Repositories=[
79             dict(Name='tizen-unified',
80                  Url='http://download.tizen.org/live/devel:/Tizen:/Unified/standard/',
81                  Options='--ssl_verify=no'),
82             dict(Name='tizen-base',
83                  Url='http://download.tizen.org/snapshots/tizen/base/latest/repos/arm/packages/',
84                  Options='--ssl_verify=no')
85         ],
86         Partitions=[
87             dict(Name='headless',
88                  Contents='part / --size=2000 --ondisk mmcblk0p --fstype=ext4 --label=rootfs --extoptions=\"-J size=16\" \n\
89 part /opt/ --size=1000 --ondisk mmcblk0p --fstype=ext4 --label=system-data --extoptions="-m 0" \n\
90 part /boot/kernel/mod_tizen_tm1/lib/modules --size=12 --ondisk mmcblk0p --fstype=ext4 --label=modules \n')
91         ]
92     )
93     return recipe
94
95 def load_yaml(path):
96     logger = logging.getLogger(__name__)
97     try:
98         with file(path) as f:
99             return yaml.load(f)
100     except IOError as err:
101         logger(err)
102         raise error.TICError(configmgr.message['server_error'])
103     except yaml.YAMLError as err:
104         logger(err)
105         raise error.TICError(configmgr.message['recipe_parse_error'] % os.path.basename(path))
106     
107
108 def convert_recipe_to_yaml(recipe, filepath):
109     logger = logging.getLogger(__name__)
110     
111     # config.yaml
112     config = dict(Default=None, Configurations=[])
113     config['Default'] = recipe.get('Default')
114     # targets (only one target)
115     config['Configurations'].append(recipe.get('Configurations')[0])
116     platform_name = config['Configurations'][0].get('Platform')
117     config[platform_name] = recipe.get(platform_name)
118     
119     dir_path = os.path.join(filepath, datetime.now().strftime('%Y%m%d%H%M%S%f'))
120     make_dirs(dir_path)
121     logger.info('kickstart cache dir=%s' % dir_path)
122     
123     yamlinfo = YamlInfo(dir_path,
124                         os.path.join(dir_path, 'configs.yaml'),
125                         os.path.join(dir_path, 'repos.yaml'))
126     
127     # configs.yaml
128     with open(yamlinfo.configs, 'w') as outfile:
129         yaml.safe_dump(config, outfile, default_flow_style=False)
130
131     # repo.yaml
132     if 'Repositories' in recipe:
133         repos = {}
134         repos['Repositories'] = recipe['Repositories']
135         with open(yamlinfo.repos, 'w') as outfile:
136             yaml.safe_dump(repos, outfile, default_flow_style=False)
137     
138     # partition info
139     if 'Partitions' in recipe:
140         for partition in recipe.get('Partitions'):
141             partition_path = os.path.join(dir_path, 'partitions')
142             file_name = partition.get('Name')
143             temp = os.path.join(partition_path, file_name)
144             write(temp, partition['Contents'])
145     
146     # script.post
147     if 'PostScripts' in recipe:
148         for script in recipe.get('PostScripts'):
149             script_path = os.path.join(dir_path, 'scripts')
150             script_type = script.get('Type')
151             if script_type and script_type == 'nochroot':
152                 file_name = '%s.nochroot' % script.get('Name')
153             else:
154                 file_name = '%s.post' % script.get('Name')
155             write(os.path.join(script_path, file_name), script['Contents'])
156     
157     return yamlinfo
158
159 YamlType = collections.namedtuple('YamlInfo', 'cachedir, configs, repos')
160 def YamlInfo(cachedir, configs, repos):
161     return YamlType(cachedir, configs, repos)