Recent Linux has four ioctls related to discarding blocks on block devices: BLKDISCARD, BLKZEROOUT,
. As far as I’m aware these are not documented anywhere, but this posting describes what they do and how to use them. For a good all round introduction to thin provisioning, see Paolo Bonzini’s talk from DevConf (video here).
BLKDISCARDZEROES, BLKSECDISCARD
BLKDISCARD
This is the simplest ioctl. Given a range described as offset and length (both expressed in bytes), this code:
uint64_t range[2] = { offset, length }; ioctl (fd, BLKDISCARD, range);
will tell the underlying block device (fd
) that it may discard the blocks which are contained in the given byte range.
The kernel code wants you to pass a range which is aligned to 512 bytes, and there may be further restrictions on the range you can pass which you can find out about by reading /sys/block/disk/queue/discard_alignment
, /sys/block/disk/queue/discard_granularity
, and /sys/block/disk/queue/discard_max_bytes
.
If discard_max_bytes
== 0 then discard isn’t supported at all on this device.
Discard is voluntary. The device might ignore it silently. Also what you read back from the discarded blocks might not be zeroes — you might read back stale data or random data (but see below).
BLKZEROOUT
BLKZEROOUT is a bit like BLKDISCARD but it writes zeroes. The code is similar:
uint64_t range[2] = { offset, length }; ioctl (fd, BLKZEROOUT, range);
Again note that offset and length are in bytes, but the kernel wants you to pass a 512-byte aligned range.
As far as I can tell from the implementation, the kernel implements this call itself. There is no help needed from devices, nor any device-specific optimization available.
BLKDISCARDZEROES
I mentioned above that discarded blocks might read back as stale data. However some devices guarantee that discarded blocks read back as zeroes (which means, I assume, that BLKZEROOUT would not be needed on such block devices).
You can find out if the device you are currently using has this guarantee, either by reading the sysfs file /sys/block/disk/queue/discard_zeroes_data
, or by using this code:
unsigned int arg; discard_zeroes = ioctl (fd, BLKDISCARDZEROES, &arg) == 0 && arg;
BLKSECDISCARD
Finally secure discard tells the device that you want to do a secure erase operation on the blocks. Again, pass a byte range (which has the same alignment requirements as BLKDISCARD):
uint64_t range[2] = { offset, length }; ioctl (fd, BLKSECDISCARD, range);
The ioctl will return an error (EOPNOTSUPP) for devices which cannot do secure erase.