[TIC-CORE] fixed default file name of kickstart
[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
30
31 def get_default_recipe():
32     recipe = dict(
33         Default=dict(
34             Baseline= 'tizen-3.0',
35             Active= True,
36             Mic2Options= '-f raw --fstab=uuid --copy-kernel --compress-disk-image=bz2 --generate-bmap',
37             Part='mobile-mbr',
38             Language= 'en_US.UTF-8',
39             Keyboard= 'us',
40             Timezone= 'Asia/Seoul',
41             RootPass= 'tizen',
42             DefaultUser= 'guest',
43             DefaultUserPass= 'tizen',
44             BootLoader= True,
45             BootloaderAppend= "rw vga=current splash rootwait rootfstype=ext4 plymouth.enable=0",
46             BootloaderTimeout= 3,
47             BootloaderOptions= '--ptable=gpt --menus="install:Wipe and Install:systemd.unit=system-installer.service:test"',
48             StartX= False,
49             Desktop= 'None',
50             SaveRepos= False,
51             UserGroups= "audio,video"
52         ),
53         Wayland=dict(
54             Part='mobile-mbr',
55             UserGroups='audio,video',
56             Groups=[],
57             PostScripts=[],
58             Repos= [],
59             NoChrootScripts=[]
60         ),
61         Configurations=[
62             dict(
63                 Name='default',
64                 Architecture='armv7l',
65                 Schedule= "*",
66                 Active= True,
67                 Platform= 'Wayland',
68                 Part= 'mobile-mbr',
69                 Mic2Options= '-f loop --pack-to=@NAME@.tar.gz',
70                 FileName= 'default',
71                 Repos=['tizen-unified', 'tizen-base'],
72                 Groups=[],
73                 ExtraPackages= [],
74                 RemovePackages=[]
75             )
76         ],
77         Repositories=[
78             dict(Name='tizen-unified',
79                  Url='http://download.tizen.org/live/devel:/Tizen:/Unified/standard/',
80                  Options='--ssl_verify=no'),
81             dict(Name='tizen-base',
82                  Url='http://download.tizen.org/snapshots/tizen/base/latest/repos/arm/packages/',
83                  Options='--ssl_verify=no')
84         ],
85         Partitions=[
86             dict(Name='mobile-mbr',
87                  Contents='part / --fstype="ext4" --size=3584 --ondisk=sda --active --label platform --fsoptions=defaults,noatime')
88         ]
89     )
90     return recipe
91
92 def load_yaml(path):
93     try:
94         with file(path) as f:
95             return yaml.load(f)
96     except IOError:
97         raise error.TICError('cannot read meta file: %s' % path)
98     except:
99         raise error.TICError('yaml format error of meta file: %s' % path)
100     
101
102 def convert_recipe_to_yaml(recipe, filepath):
103     logger = logging.getLogger(__name__)
104     
105     # config.yaml
106     config = dict(Default=None, Configurations=[])
107     config['Default'] = recipe.get('Default')
108     # targets (only one target)
109     config['Configurations'].append(recipe.get('Configurations')[0])
110     platform_name = config['Configurations'][0].get('Platform')
111     config[platform_name] = recipe.get(platform_name)
112     
113     dir_path = os.path.join(filepath, datetime.now().strftime('%Y%m%d%H%M%S%f'))
114     make_dirs(dir_path)
115     logger.info('kickstart cache dir=%s' % dir_path)
116     
117     yamlinfo = YamlInfo(dir_path,
118                         os.path.join(dir_path, 'configs.yaml'),
119                         os.path.join(dir_path, 'repos.yaml'))
120     
121     # configs.yaml
122     with open(yamlinfo.configs, 'w') as outfile:
123         yaml.dump(config, outfile, default_flow_style=False)
124
125     # repo.yaml
126     if 'Repositories' in recipe:
127         repos = {}
128         repos['Repositories'] = recipe['Repositories']
129         with open(yamlinfo.repos, 'w') as outfile:
130             yaml.dump(repos, outfile, default_flow_style=False)
131     
132     # partition info
133     if 'Partitions' in recipe:
134         for partition in recipe.get('Partitions'):
135             partition_path = os.path.join(dir_path, 'partitions')
136             file_name = partition.get('Name')
137             temp = os.path.join(partition_path, file_name)
138             write(temp, partition['Contents'])
139     
140     # script.post
141     if 'PostScripts' in recipe:
142         for script in recipe.get('PostScripts'):
143             script_path = os.path.join(dir_path, 'scripts')
144             script_type = script.get('Type')
145             if script_type and script_type == 'nochroot':
146                 file_name = '%s.nochroot' % script.get('Name')
147             else:
148                 file_name = '%s.post' % script.get('Name')
149             write(os.path.join(script_path, file_name), script['Contents'])
150     
151     return yamlinfo
152
153 YamlType = collections.namedtuple('YamlInfo', 'cachedir, configs, repos')
154 def YamlInfo(cachedir, configs, repos):
155     return YamlType(cachedir, configs, repos)