¿Puedo ampliar el tamaño de una imagen de disco basada en un archivo?


29

Creé una imagen de disco vacía usando dd, luego usé mkfs para convertirla en una imagen real del sistema de archivos. Estoy montando y usándolo bien. Lo que necesito es poder expandir o reducir esta imagen de disco basada en archivo cuando sea necesario. ¿Es posible aumentar el tamaño de una imagen de disco de esa manera? ¿Hay alguna manera de hacer que esta imagen de disco basada en archivo tenga una característica de cambio de tamaño dinámico como la que se encuentra con las unidades de máquina virtual?

Respuestas:


25

Primero tienes que crear un archivo de imagen:

# dd if=/dev/zero of=./binary.img bs=1M count=1000
1000+0 records in
1000+0 records out
1048576000 bytes (1.0 GB) copied, 10.3739 s, 101 MB/s

Entonces, usted tiene que crear una partición en él - se puede utilizar cualquier herramienta que desee, fdisk, parted, gparted, prefiero parted, por lo que:

# parted binary.img

Primero debe crear una tabla de particiones y luego una partición grande:

(parted) mktable                                                          
New disk label type? msdos      

(parted) mkpartfs
WARNING: you are attempting to use parted to operate on (mkpartfs) a file system.
parted's file system manipulation code is not as robust as what you'll find in
dedicated, file-system-specific packages like e2fsprogs.  We recommend
you use parted only to manipulate partition tables, whenever possible.
Support for performing most operations on most types of file systems
will be removed in an upcoming release.
Partition type?  primary/extended? primary
File system type?  [ext2]? fat32
Start? 1
End? 1049M

Ahora veamos:

(parted) print
Model:  (file)
Disk /media/binary.img: 1049MB
Sector size (logical/physical): 512B/512B
Partition Table: msdos

Number  Start   End     Size    Type     File system  Flags
 1      1049kB  1049MB  1048MB  primary  fat32        lba

Se ve bien,

Desea ampliarlo, así que primero agregue algunos ceros a la imagen usando dd:

# dd if=/dev/zero bs=1M count=400 >> ./binary.img
400+0 records in
400+0 records out
419430400 bytes (419 MB) copied, 2.54333 s, 165 MB/s
root:/media# ls -al binary.img 
-rw-r--r-- 1 root root 1.4G Dec 26 06:47 binary.img

Eso agregó 400M a la imagen:

# parted binary.img 
GNU Parted 2.3
Using /media/binary.img
Welcome to GNU Parted! Type 'help' to view a list of commands.
(parted) print                                                            
Model:  (file)
Disk /media/binary.img: 1468MB
Sector size (logical/physical): 512B/512B
Partition Table: msdos

Number  Start   End     Size    Type     File system  Flags
 1      1049kB  1049MB  1048MB  primary  fat32        lba

Como puede ver, el tamaño de la imagen es diferente (1468MB). Parted también puede mostrarle espacio libre en la imagen. Si quieres verlo, solo escribe en print freelugar de print. Ahora tiene que agregar el espacio extra al sistema de archivos:

(parted) resize 1
WARNING: you are attempting to use parted to operate on (resize) a file system.
parted's file system manipulation code is not as robust as what you'll find in
dedicated, file-system-specific packages like e2fsprogs.  We recommend
you use parted only to manipulate partition tables, whenever possible.
Support for performing most operations on most types of file systems
will be removed in an upcoming release.
Start?  [1049kB]?
End?  [1049MB]? 1468M

y compruébalo:

(parted) print
Model:  (file)
Disk /media/binary.img: 1468MB
Sector size (logical/physical): 512B/512B
Partition Table: msdos

Number  Start   End     Size    Type     File system  Flags
 1      1049kB  1468MB  1467MB  primary  fat32        lba

Bastante agradable. Si desea reducirlo, simplemente haga algo similar:

(parted) resize 1
WARNING: you are attempting to use parted to operate on (resize) a file system.
parted's file system manipulation code is not as robust as what you'll find in
dedicated, file-system-specific packages like e2fsprogs.  We recommend
you use parted only to manipulate partition tables, whenever possible.
Support for performing most operations on most types of file systems
will be removed in an upcoming release.
Start?  [1049kB]?
End?  [1468MB]? 500M

Ahora puede verificar si la partición es más pequeña:

(parted) print
Model:  (file)
Disk /media/binary.img: 1468MB
Sector size (logical/physical): 512B/512B
Partition Table: msdos

Number  Start   End    Size   Type     File system  Flags
 1      1049kB  500MB  499MB  primary  fat32        lba

Sí lo es.

Si intenta cambiar el tamaño de la partición cuando hay datos en ella, debe prestar atención al tamaño de los datos porque cuando la reduce demasiado, obtendrá un error:

Error: Unable to satisfy all constraints on the partition

Después de reducir el sistema de archivos, también debe cortar parte del archivo. Pero esto es complicado. Puede tomar el valor de 500M divididos (FIN):

# dd if=./binary.img of=./binary.img.new bs=1M count=500

Pero esto deja algo de espacio al final del archivo. No estoy seguro de por qué, pero la imagen funciona.

Y hay una cosa sobre el montaje de dicha imagen: debe conocer un desplazamiento para pasar al comando de montaje. Puede obtener el desplazamiento de, por ejemplo, fdisk:

# fdisk -l binary.img

Disk binary.img: 1468 MB, 1468006400 bytes
4 heads, 32 sectors/track, 22400 cylinders, total 2867200 sectors
Units = sectors of 1 * 512 = 512 bytes
Sector size (logical/physical): 512 bytes / 512 bytes
I/O size (minimum/optimal): 512 bytes / 512 bytes
Disk identifier: 0x000f0321

     Device Boot      Start         End      Blocks   Id  System
binary.img1            2048     2867198     1432575+   c  W95 FAT32 (LBA)

2048 (inicio) x 512 (tamaño de sector) = 1048576, por lo que debe usar el siguiente comando para montar la imagen:

# mount -o loop,offset=1048576 binary.img /mnt

1
Cuando escribe "Pero esto deja algo de espacio al final del archivo. No estoy seguro de por qué, pero la imagen funciona". Creo que se debe al hecho de que está utilizando diferentes unidades de medida. En parted, tienes 500MB (en parted 1MB es 1000 * 1000 bytes), entonces 500000000 bytes; en dd copia 1Mx500 = 500M, donde M representa 1024 * 1024 bytes, por lo que copia 524288000 bytes. La diferencia debería ser el espacio que dejó al final del archivo. Para solucionarlo, puede hacerlo con truncar como se describe aquí softwarebakery.com/shrinking-images-on-linux o cambiar las unidades de meas. en despedida o en dd
ste

Ahora es irrelevante usarlo partedcon resize: "Error: el comando de cambio de tamaño se ha eliminado en la partición 3.0"
Abdillah

15

Sí, esto es posible, funciona como una partición. Intenté lo siguiente, que funcionó:

Haga el archivo original, móntelo, verifíquelo, desmóntelo

dd if=/dev/zero of=test.file count=102400 
mkfs.ext3 test.file 
mount test.file /m4 -o loop
df
umount /m4

Hazlo crecer

dd if=/dev/zero count=102400 >> test.file
mount test.file /m4 -o loop
df
resize2fs /dev/loop0
df

No hay ninguna razón por la cual reducir un archivo no funcionaría de manera similar, pero reducir un archivo siempre es más difícil que hacer crecer un archivo (y, por supuesto, debe hacerse cuando el dispositivo de bloqueo no está montado, etc.)

Eche un vistazo a este enlace que habla sobre el uso de qemu-nbd para montar imágenes qcow2


Genial, esta es exactamente la receta que necesitaba. Sin embargo, necesitaba ejecutar e2fsck -f test.file(en mi archivo de imagen) antes de cambiar el tamaño. Otra cosa: agregar 70G en una imagen de disco almacenada en una partición NTFS dd ... >> drive_imagepuede llevar unos 10 minutos.
Tomasz Gandor

Tomasz: usa el seek=parámetro dd de la otra respuesta
Willem

6

Los archivos dispersos son una buena opción para las imágenes de disco dinámicas de crecimiento / cambio de tamaño.

Esto creará un archivo disperso de 1024M:

# dd if=/dev/zero of=sparse.img bs=1M count=0 seek=1024
0+0 records in
0+0 records out
0 bytes (0 B) copied, 0.000565999 s, 0.0 kB/s

La imagen no está utilizando ningún espacio en disco,

# du -m sparse.img
0   sparse.img

pero tiene el tamaño aparente de 1024M.

# ls -l sparse.img
-rw-rw-r--. 1 root root 1073741824 Sep 22 14:22 sparse.img

# du -m --apparent-size sparse.img
1024    sparse.img

Puede formatearlo y montarlo como una imagen de disco normal:

# parted sparse.img 
GNU Parted 2.1
Using /tmp/sparse.img
Welcome to GNU Parted! Type 'help' to view a list of commands.
(parted) mktable                                                          
New disk label type? msdos                                                
(parted) mkpartfs                                                         
WARNING: you are attempting to use parted to operate on (mkpartfs) a file system.
parted's file system manipulation code is not as robust as what you'll find in
dedicated, file-system-specific packages like e2fsprogs.  We recommend
you use parted only to manipulate partition tables, whenever possible.
Support for performing most operations on most types of file systems
will be removed in an upcoming release.
Partition type?  primary/extended? primary                                
File system type?  [ext2]? fat32                                          
Start? 1                                                                  
End? 1024M                                                                
(parted) print                                                            
Model:  (file)
Disk /tmp/sparse.img: 1074MB
Sector size (logical/physical): 512B/512B
Partition Table: msdos

Number  Start   End     Size    Type     File system  Flags
 1      1049kB  1024MB  1023MB  primary  fat32        lba

# du -m sparse.img 
2   sparse.img

Ahora, cambie el tamaño usando el mismo comando para crear simplemente cambiando el parámetro de búsqueda con el nuevo tamaño de la imagen:

dd if=/dev/zero of=sparse.img bs=1M count=0 seek=2048

Como puede ver, la imagen ahora es 2048M y puede agrandar la partición usando la herramienta separada u otra herramienta que elija.

# du -m --apparent-size sparse.img 
2048    sparse.img


# parted sparse.img 
GNU Parted 2.1
Using /tmp/sparse.img
Welcome to GNU Parted! Type 'help' to view a list of commands.
(parted) print free                                                       
Model:  (file)
Disk /tmp/sparse.img: 2147MB
Sector size (logical/physical): 512B/512B
Partition Table: msdos

Number  Start   End     Size    Type     File system  Flags
        16.4kB  1049kB  1032kB           Free Space
 1      1049kB  1024MB  1023MB  primary  fat32        lba
        1024MB  2147MB  1123MB           Free Space

(parted)                               

# du -m sparse.img 
2   sparse.img

¡Ahora disfrútalo!


Bien hecho. Creo que los archivos escasos están infrautilizados.
TonyH
Al usar nuestro sitio, usted reconoce que ha leído y comprende nuestra Política de Cookies y Política de Privacidad.
Licensed under cc by-sa 3.0 with attribution required.