cleanup trailing spaces and extra-long lines
[tools/mic.git] / plugins / imager / loop_plugin.py
1 #!/usr/bin/python -tt
2 #
3 # Copyright (c) 2011 Intel, Inc.
4 #
5 # This program is free software; you can redistribute it and/or modify it
6 # under the terms of the GNU General Public License as published by the Free
7 # Software Foundation; version 2 of the License
8 #
9 # This program is distributed in the hope that it will be useful, but
10 # WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY
11 # or FITNESS FOR A PARTICULAR PURPOSE.  See the GNU General Public License
12 # for more details.
13 #
14 # You should have received a copy of the GNU General Public License along
15 # with this program; if not, write to the Free Software Foundation, Inc., 59
16 # Temple Place - Suite 330, Boston, MA 02111-1307, USA.
17
18 import os
19 import shutil
20 import tempfile
21
22 from mic import chroot, msger, rt_util
23 from mic.utils import misc, fs_related, errors, cmdln
24 from mic.conf import configmgr
25 from mic.plugin import pluginmgr
26 from mic.imager.loop import LoopImageCreator, load_mountpoints
27
28 from mic.pluginbase import ImagerPlugin
29 class LoopPlugin(ImagerPlugin):
30     name = 'loop'
31
32     @classmethod
33     @cmdln.option("--compress-disk-image", dest="compress_image",
34                   type='choice', choices=("gz", "bz2"), default=None,
35                   help="Same with --compress-image")
36                   # alias to compress-image for compatibility
37     @cmdln.option("--compress-image", dest="compress_image",
38                   type='choice', choices=("gz", "bz2"), default=None,
39                   help="Compress all loop images wiht 'gz' or 'bz2'")
40     @cmdln.option("--shrink", action='store_true', default=False,
41                   help="Whether to shrink loop images to minimal size")
42     def do_create(self, subcmd, opts, *args):
43         """${cmd_name}: create loop image
44
45         Usage:
46             ${name} ${cmd_name} <ksfile> [OPTS]
47
48         ${cmd_option_list}
49         """
50
51         if not args:
52             raise errors.Usage("need one argument as the path of ks file")
53
54         if len(args) != 1:
55             raise errors.Usage("Extra arguments given")
56
57         creatoropts = configmgr.create
58         ksconf = args[0]
59
60         if not os.path.exists(ksconf):
61             raise errors.CreatorError("Can't find the file: %s" % ksconf)
62
63         recording_pkgs = []
64         if len(creatoropts['record_pkgs']) > 0:
65             recording_pkgs = creatoropts['record_pkgs']
66
67         if creatoropts['release'] is not None:
68             if 'name' not in recording_pkgs:
69                 recording_pkgs.append('name')
70
71         ksconf = misc.normalize_ksfile(ksconf,
72                                        creatoropts['release'],
73                                        creatoropts['arch'])
74         configmgr._ksconf = ksconf
75
76         # Called After setting the configmgr._ksconf
77         # as the creatoropts['name'] is reset there.
78         if creatoropts['release'] is not None:
79             creatoropts['outdir'] = "%s/%s/images/%s/" % (creatoropts['outdir'],
80                                                           creatoropts['release'],
81                                                           creatoropts['name'])
82
83         # try to find the pkgmgr
84         pkgmgr = None
85         for (key, pcls) in pluginmgr.get_plugins('backend').iteritems():
86             if key == creatoropts['pkgmgr']:
87                 pkgmgr = pcls
88                 break
89
90         if not pkgmgr:
91             pkgmgrs = pluginmgr.get_plugins('backend').keys()
92             raise errors.CreatorError("Can't find package manager: %s "
93                                       "(availables: %s)" \
94                                       % (creatoropts['pkgmgr'],
95                                          ', '.join(pkgmgrs)))
96
97         if creatoropts['runtime']:
98             rt_util.runmic_in_runtime(creatoropts['runtime'], creatoropts, ksconf, None)
99
100         creator = LoopImageCreator(creatoropts,
101                                    pkgmgr,
102                                    opts.compress_image,
103                                    opts.shrink)
104
105         if len(recording_pkgs) > 0:
106             creator._recording_pkgs = recording_pkgs
107
108         self.check_image_exists(creator.destdir,
109                                 creator.pack_to,
110                                 [creator.name + ".img"],
111                                 creatoropts['release'])
112
113         try:
114             creator.check_depend_tools()
115             creator.mount(None, creatoropts["cachedir"])
116             creator.install()
117             creator.configure(creatoropts["repomd"])
118             creator.copy_kernel()
119             creator.unmount()
120             creator.package(creatoropts["outdir"])
121
122             if creatoropts['release'] is not None:
123                 creator.release_output(ksconf,
124                                        creatoropts['outdir'],
125                                        creatoropts['release'])
126             creator.print_outimage_info()
127
128         except errors.CreatorError:
129             raise
130         finally:
131             creator.cleanup()
132
133         msger.info("Finished.")
134         return 0
135
136     @classmethod
137     def _do_chroot_tar(cls, target):
138         mountfp_xml = os.path.splitext(target)[0] + '.xml'
139         if not os.path.exists(mountfp_xml):
140             raise errors.CreatorError("No mount point file found for this tar "
141                                       "image, please check %s" % mountfp_xml)
142
143         import tarfile
144         tar = tarfile.open(target, 'r')
145         tmpdir = misc.mkdtemp()
146         tar.extractall(path=tmpdir)
147         tar.close()
148
149         mntdir = misc.mkdtemp()
150
151         loops = []
152         for (mp, label, name, size, fstype) in load_mountpoints(mountfp_xml):
153             if fstype in ("ext2", "ext3", "ext4"):
154                 myDiskMount = fs_related.ExtDiskMount
155             elif fstype == "btrfs":
156                 myDiskMount = fs_related.BtrfsDiskMount
157             elif fstype in ("vfat", "msdos"):
158                 myDiskMount = fs_related.VfatDiskMount
159             else:
160                 msger.error("Cannot support fstype: %s" % fstype)
161
162             name = os.path.join(tmpdir, name)
163             size = size * 1024L * 1024L
164             loop = myDiskMount(fs_related.SparseLoopbackDisk(name, size),
165                                os.path.join(mntdir, mp.lstrip('/')),
166                                fstype, size, label)
167
168             try:
169                 msger.verbose("Mount %s to %s" % (mp, mntdir + mp))
170                 fs_related.makedirs(os.path.join(mntdir, mp.lstrip('/')))
171                 loop.mount()
172
173             except:
174                 loop.cleanup()
175                 for lp in reversed(loops):
176                     chroot.cleanup_after_chroot("img", lp, None, mntdir)
177
178                 shutil.rmtree(tmpdir, ignore_errors=True)
179                 raise
180
181             loops.append(loop)
182
183         try:
184             chroot.chroot(mntdir, None, "/usr/bin/env HOME=/root /bin/bash")
185         except:
186             raise errors.CreatorError("Failed to chroot to %s." % target)
187         finally:
188             for loop in reversed(loops):
189                 chroot.cleanup_after_chroot("img", loop, None, mntdir)
190
191             shutil.rmtree(tmpdir, ignore_errors=True)
192
193     @classmethod
194     def do_chroot(cls, target):
195         if target.endswith('.tar'):
196             import tarfile
197             if tarfile.is_tarfile(target):
198                 LoopPlugin._do_chroot_tar(target)
199                 return
200             else:
201                 raise errors.CreatorError("damaged tarball for loop images")
202
203         img = target
204         imgsize = misc.get_file_size(img) * 1024L * 1024L
205         imgtype = misc.get_image_type(img)
206         if imgtype == "btrfsimg":
207             fstype = "btrfs"
208             myDiskMount = fs_related.BtrfsDiskMount
209         elif imgtype in ("ext3fsimg", "ext4fsimg"):
210             fstype = imgtype[:4]
211             myDiskMount = fs_related.ExtDiskMount
212         else:
213             raise errors.CreatorError("Unsupported filesystem type: %s" \
214                                       % imgtype)
215
216         extmnt = misc.mkdtemp()
217         extloop = myDiskMount(fs_related.SparseLoopbackDisk(img, imgsize),
218                                                          extmnt,
219                                                          fstype,
220                                                          4096,
221                                                          "%s label" % fstype)
222         try:
223             extloop.mount()
224
225         except errors.MountError:
226             extloop.cleanup()
227             shutil.rmtree(extmnt, ignore_errors=True)
228             raise
229
230         try:
231             envcmd = fs_related.find_binary_inchroot("env", extmnt)
232             if envcmd:
233                 cmdline = "%s HOME=/root /bin/bash" % envcmd
234             else:
235                 cmdline = "/bin/bash"
236             chroot.chroot(extmnt, None, cmdline)
237         except:
238             raise errors.CreatorError("Failed to chroot to %s." % img)
239         finally:
240             chroot.cleanup_after_chroot("img", extloop, None, extmnt)
241
242     @classmethod
243     def do_unpack(cls, srcimg):
244         image = os.path.join(tempfile.mkdtemp(dir="/var/tmp", prefix="tmp"),
245                              "target.img")
246         msger.info("Copying file system ...")
247         shutil.copyfile(srcimg, image)
248         return image