1
0
mirror of git://sourceware.org/git/lvm2.git synced 2025-10-23 23:33:15 +03:00

Compare commits

..

1 Commits

Author SHA1 Message Date
David Teigland
442e43b120 commands: new method for defining commands
The new file command-lines.in defines a prototype for every
unique lvm command.  A unique lvm command is a unique
combination of: command name + required option args +
required positional args.  Each of these prototypes also
includes the optional option args and optional positional
args that the command will accept, a description, and a
unique string ID for the definition.  Any valid command
will match one of the prototypes.

Here's an example of the lvresize command definitions from
command-lines.in, there are three unique lvresize commands:

lvresize --size SizeMB LV
OO: --alloc Alloc, --autobackup Bool, --force,
--nofsck, --nosync, --noudevsync, --reportformat String, --resizefs,
--stripes Number, --stripesize SizeKB, --test, --poolmetadatasize SizeMB
OP: PV ...
ID: lvresize_by_size
DESC: Resize an LV by a specified size.

lvresize LV PV ...
OO: --alloc Alloc, --autobackup Bool, --force,
--nofsck, --nosync, --noudevsync,
--reportformat String, --resizefs, --stripes Number, --stripesize SizeKB,
--test
ID: lvresize_by_pv
DESC: Resize an LV by a specified PV.

lvresize --poolmetadatasize SizeMB LV_thinpool
OO: --alloc Alloc, --autobackup Bool, --force,
--nofsck, --nosync, --noudevsync,
--reportformat String, --stripes Number, --stripesize SizeKB,
--test
OP: PV ...
ID: lvresize_pool_metadata_by_size
DESC: Resize the metadata SubLV of a pool LV.

The three commands have separate definitions because they have
different required parameters.  Required parameters are specified
on the first line of the definition.  Optional options are
listed after OO, and optional positional args are listed after OP.

This data is used to generate corresponding command definition
structures for lvm in command-lines.h.  "usage" text is also
generated, so it is always in sync with the definitions.

Example of the corresponding generated structure in
command-lines.h for the first lvresize prototype
(these structures are never edited directly):

commands[78].name = "lvresize";
commands[78].command_line_id = "lvresize_by_size";
commands[78].command_line_enum = lvresize_by_size_CMD;
commands[78].fn = lvresize;
commands[78].ro_count = 1;
commands[78].rp_count = 1;
commands[78].oo_count = 22;
commands[78].op_count = 1;
commands[78].desc = "DESC: Resize an LV by a specified size.";
commands[78].usage = "lvresize --size Number[m|unit] LV"
" [ --alloc contiguous|cling|cling_by_tags|normal|anywhere|inherit,
   --autobackup y|n, --nofsck, --nosync, --reportformat String,
   --resizefs, --stripes Number, --stripesize Number[k|unit],
   --poolmetadatasize Number[m|unit] ]"
" [ PV ... ]";
commands[78].usage_common =
" [ --commandprofile String, --config String, --debug,
    --driverloaded y|n, --help, --profile String, --quiet,
    --verbose, --version, --yes, --force, --test, --noudevsync ]";
commands[78].required_opt_args[0].opt = size_ARG;
commands[78].required_opt_args[0].def.val_bits = val_enum_to_bit(sizemb_VAL);
commands[78].required_pos_args[0].pos = 1;
commands[78].required_pos_args[0].def.val_bits = val_enum_to_bit(lv_VAL);
commands[78].optional_opt_args[0].opt = commandprofile_ARG;
commands[78].optional_opt_args[0].def.val_bits = val_enum_to_bit(string_VAL);
commands[78].optional_opt_args[1].opt = config_ARG;
commands[78].optional_opt_args[1].def.val_bits = val_enum_to_bit(string_VAL);
commands[78].optional_opt_args[2].opt = debug_ARG;
commands[78].optional_opt_args[3].opt = driverloaded_ARG;
commands[78].optional_opt_args[3].def.val_bits = val_enum_to_bit(bool_VAL);
commands[78].optional_opt_args[4].opt = help_ARG;
commands[78].optional_opt_args[5].opt = profile_ARG;
commands[78].optional_opt_args[5].def.val_bits = val_enum_to_bit(string_VAL);
commands[78].optional_opt_args[6].opt = quiet_ARG;
commands[78].optional_opt_args[7].opt = verbose_ARG;
commands[78].optional_opt_args[8].opt = version_ARG;
commands[78].optional_opt_args[9].opt = yes_ARG;
commands[78].optional_opt_args[10].opt = alloc_ARG;
commands[78].optional_opt_args[10].def.val_bits = val_enum_to_bit(alloc_VAL);
commands[78].optional_opt_args[11].opt = autobackup_ARG;
commands[78].optional_opt_args[11].def.val_bits = val_enum_to_bit(bool_VAL);
commands[78].optional_opt_args[12].opt = force_ARG;
commands[78].optional_opt_args[13].opt = nofsck_ARG;
commands[78].optional_opt_args[14].opt = nosync_ARG;
commands[78].optional_opt_args[15].opt = noudevsync_ARG;
commands[78].optional_opt_args[16].opt = reportformat_ARG;
commands[78].optional_opt_args[16].def.val_bits = val_enum_to_bit(string_VAL);
commands[78].optional_opt_args[17].opt = resizefs_ARG;
commands[78].optional_opt_args[18].opt = stripes_ARG;
commands[78].optional_opt_args[18].def.val_bits = val_enum_to_bit(number_VAL);
commands[78].optional_opt_args[19].opt = stripesize_ARG;
commands[78].optional_opt_args[19].def.val_bits = val_enum_to_bit(sizekb_VAL);
commands[78].optional_opt_args[20].opt = test_ARG;
commands[78].optional_opt_args[21].opt = poolmetadatasize_ARG;
commands[78].optional_opt_args[21].def.val_bits = val_enum_to_bit(sizemb_VAL);
commands[78].optional_pos_args[0].pos = 2;
commands[78].optional_pos_args[0].def.val_bits = val_enum_to_bit(pv_VAL);
commands[78].optional_pos_args[0].def.flags = ARG_DEF_FLAG_MAY_REPEAT;

Every user-entered command is compared against the set of
command structures, and matched with one.  An error is
reported if an entered command does not have the required
parameters for any definition.  The closest match is printed
as a suggestion, and running lvresize --help will display
the usage for each possible lvresize command, e.g.:

$ lvresize --help
  lvresize - Resize a logical volume

  Resize an LV by a specified size.
  lvresize --size Number[m|unit] LV
  	[ --alloc contiguous|cling|cling_by_tags|normal|anywhere|inherit,
	  --autobackup y|n,
	  --nofsck,
	  --nosync,
	  --reportformat String,
	  --resizefs,
	  --stripes Number,
	  --stripesize Number[k|unit],
	  --poolmetadatasize Number[m|unit] ]
  	[ PV ... ]

  Resize an LV by a specified PV.
  lvresize LV PV ...
  	[ --alloc contiguous|cling|cling_by_tags|normal|anywhere|inherit,
	  --autobackup y|n,
	  --nofsck,
	  --nosync,
	  --reportformat String,
	  --resizefs,
	  --stripes Number,
	  --stripesize Number[k|unit] ]

  Resize the metadata SubLV of a pool LV.
  lvresize --poolmetadatasize Number[m|unit] LV_thinpool
  	[ --alloc contiguous|cling|cling_by_tags|normal|anywhere|inherit,
	  --autobackup y|n,
	  --nofsck,
	  --nosync,
	  --reportformat String,
	  --stripes Number,
	  --stripesize Number[k|unit] ]
  	[ PV ... ]

  Common options:
  	[ --commandprofile String,
	  --config String,
	  --debug,
	  --driverloaded y|n,
	  --help,
	  --profile String,
	  --quiet,
	  --verbose,
	  --version,
	  --yes,
	  --force,
	  --test,
	  --noudevsync ]

  (Use --help --help for usage notes.)

$ lvresize --poolmetadatasize 4
  Failed to find a matching command definition.
  Closest command usage is:
  lvresize --poolmetadatasize Number[m|unit] LV_thinpool

Very early in command execution, a matching command is
found, and lvm knows the specific operation being done,
and that the command conforms to the prototype.
This will allow a lot of ad hoc checking/validation to
be removed throughout the code.

Each command definition can also be routed to a specific
function to implement it.  The function is associated with
an enum value for the command definition (generated from
the ID string.)

In the absence of a command-definintion-specific function,
the existing command-name function is used.  Using
specific functions for each definition allows a lot of
code to be removed which tries to figure out what the
command is meant to be doing based on various option
combinations.  What the command is doing is already known
because the command is associated with a definition.

So, this first phase just validates every user-entered
command against the set of command prototypes, then calls
the existing implementation.  The second phase can
associate an implementation function with each definition,
and take further advantage of the known operation to
avoid the complicated option analysis that is currently
used to figure out what the command is supposed to do.

(Man page prototype sections can also be generated, but
this is not yet being used.)
2016-10-12 17:32:11 -05:00
849 changed files with 38591 additions and 75949 deletions

View File

@@ -59,8 +59,6 @@ liblvm: lib
daemons: lib libdaemon tools daemons: lib libdaemon tools
tools: lib libdaemon device-mapper tools: lib libdaemon device-mapper
po: tools daemons po: tools daemons
man: tools
all_man: tools
scripts: liblvm libdm scripts: liblvm libdm
lib.device-mapper: include.device-mapper lib.device-mapper: include.device-mapper
@@ -100,7 +98,7 @@ CLEAN_DIRS += autom4te.cache
check check_system check_cluster check_local check_lvmetad check_lvmpolld check_lvmlockd_test check_lvmlockd_dlm check_lvmlockd_sanlock unit: all check check_system check_cluster check_local check_lvmetad check_lvmpolld check_lvmlockd_test check_lvmlockd_dlm check_lvmlockd_sanlock unit: all
$(MAKE) -C test $(@) $(MAKE) -C test $(@)
conf.generate man.generate: tools conf.generate: tools
# how to use parenthesis in makefiles # how to use parenthesis in makefiles
leftparen:=( leftparen:=(
@@ -130,9 +128,8 @@ rpm: dist
$(top_srcdir)/spec/source.inc >$(rpmbuilddir)/SOURCES/source.inc $(top_srcdir)/spec/source.inc >$(rpmbuilddir)/SOURCES/source.inc
rpmbuild -v --define "_topdir $(rpmbuilddir)" -ba $(top_srcdir)/spec/lvm2.spec rpmbuild -v --define "_topdir $(rpmbuilddir)" -ba $(top_srcdir)/spec/lvm2.spec
generate: conf.generate man.generate generate: conf.generate
$(MAKE) -C conf generate $(MAKE) -C conf generate
$(MAKE) -C man generate
all_man: all_man:
$(MAKE) -C man all_man $(MAKE) -C man all_man

18
README
View File

@@ -6,17 +6,11 @@ Installation instructions are in INSTALL.
There is no warranty - see COPYING and COPYING.LIB. There is no warranty - see COPYING and COPYING.LIB.
Tarballs are available from: Tarballs are available from:
ftp://sourceware.org/pub/lvm2/
ftp://sources.redhat.com/pub/lvm2/ ftp://sources.redhat.com/pub/lvm2/
https://github.com/lvmteam/lvm2/releases
The source code is stored in git: The source code is stored in git:
https://sourceware.org/git/?p=lvm2.git http://git.fedorahosted.org/git/lvm2.git
git clone git://sourceware.org/git/lvm2.git git clone git://git.fedorahosted.org/git/lvm2.git
mirrored to:
https://github.com/lvmteam/lvm2
git clone https://github.com/lvmteam/lvm2.git
git clone git@github.com:lvmteam/lvm2.git
Mailing list for general discussion related to LVM2: Mailing list for general discussion related to LVM2:
linux-lvm@redhat.com linux-lvm@redhat.com
@@ -34,14 +28,6 @@ and multipath-tools:
dm-devel@redhat.com dm-devel@redhat.com
Subscribe from https://www.redhat.com/mailman/listinfo/dm-devel Subscribe from https://www.redhat.com/mailman/listinfo/dm-devel
Website:
https://sourceware.org/lvm2/
Report upstream bugs at:
https://bugzilla.redhat.com/enter_bug.cgi?product=LVM%20and%20device-mapper
or open issues at:
https://github.com/lvmteam/lvm2/issues
The source code repository used until 7th June 2012 is accessible here: The source code repository used until 7th June 2012 is accessible here:
http://sources.redhat.com/cgi-bin/cvsweb.cgi/LVM2/?cvsroot=lvm2. http://sources.redhat.com/cgi-bin/cvsweb.cgi/LVM2/?cvsroot=lvm2.

62
TESTING
View File

@@ -1,62 +0,0 @@
LVM2 Test Suite
===============
The codebase contains many tests in the test subdirectory.
Before running tests
--------------------
Keep in mind the testsuite MUST run under root user.
It is recommended not to use LVM on the test machine, especially when running
tests with udev (`make check_system`.)
You MUST disable (or mask) any LVM daemons:
- lvmetad
- dmeventd
- lvmpolld
- lvmdbusd
- lvmlockd
- clvmd
- cmirrord
For running cluster tests, we are using singlenode locking. Pass
`--with-clvmd=singlenode` to configure.
NOTE: This is useful only for testing, and should not be used in produciton
code.
To run D-Bus daemon tests, existing D-Bus session is required.
Running tests
-------------
As root run:
make check
To run only tests matching a string:
make check T=test
To skip tests matching a string:
make check S=test
There are other targets and many environment variables can be used to tweak the
testsuite - for full list and description run `make -C test help`.
Installing testsuite
--------------------
It is possible to install and run a testsuite against installed LVM. Run the
following:
make -C test install
Then lvm2-testsuite binary can be executed to test installed binaries.
See `lvm2-testsuite --help` for options. The same environment variables can be
used as with `make check`.

View File

@@ -1 +1 @@
2.02.178(2)-git (2017-12-18) 2.02.165(2)-git (2016-08-15)

View File

@@ -1 +1 @@
1.02.147-git (2017-12-18) 1.02.134-git (2016-08-15)

357
WHATS_NEW
View File

@@ -1,360 +1,5 @@
Version 2.02.178 - Version 2.02.165 -
=====================================
Do not reopen output streams for multithreaded users of liblvm.
Use versionsort to fix archive file expiry beyond 100000 files.
Add devices/use_aio, aio_max, aio_memory to configure AIO limits.
Support asynchronous I/O when scanning devices.
Detect asynchronous I/O capability in configure or accept --disable-aio.
Add AIO_SUPPORTED_CODE_PATH to indicate whether AIO may be used.
Configure ensures /usr/bin dir is checked for dmpd tools.
Restore pvmove support for wide-clustered active volumes (2.02.177).
Avoid non-exclusive activation of exclusive segment types.
Fix trimming sibling PVs when doing a pvmove of raid subLVs.
Preserve exclusive activation during thin snaphost merge.
Suppress some repeated reads of the same disk data at the device layer.
Avoid exceeding array bounds in allocation tag processing.
Refactor metadata reading code to use callback functions.
Move memory allocation for the key dev_reads into the device layer.
Version 2.02.177 - 18th December 2017
=====================================
When writing text metadata content, use complete 4096 byte blocks.
Change text format metadata alignment from 512 to 4096 bytes.
When writing metadata, consistently skip mdas marked as failed.
Refactor and adjust text format metadata alignment calculation.
Fix python3 path in lvmdbusd to use value detected by configure.
Reduce checks for active LVs in vgchange before background polling.
Ensure _node_send_message always uses clean status of thin pool.
Fix lvmlockd to use pool lock when accessing _tmeta volume.
Report expected sanlock_convert errors only when retries fail.
Avoid blocking in sanlock_convert on SH to EX lock conversion.
Deactivate missing raid LV legs (_rimage_X-missing_Y_Z) on decativation.
Skip read-modify-write when entire block is replaced.
Categorise I/O with reason annotations in debug messages.
Allow extending of raid LVs created with --nosync after a failed repair.
Command will lock memory only when suspending volumes.
Merge segments when pvmove is finished.
Remove label_verify that has never been used.
Ensure very large numbers used as arguments are not casted to lower values.
Enhance reading and validation of options stripes and stripes_size.
Fix printing of default stripe size when user is not using stripes.
Activation code for pvmove automatically discovers holding LVs for resume.
Make a pvmove LV locking holder.
Do not change critical section counter on resume path without real resume.
Enhance activation code to automatically suspend pvmove participants.
Prevent conversion of thin volumes to snapshot origin when lvmlockd is used.
Correct the steps to change lock type in lvmlockd man page.
Retry lock acquisition on recognized sanlock errors.
Fix lock manager error codes in lvmlockd.
Remove unnecessary single read from lvmdiskscan.
Check raid reshape flags in vg_validate().
Add support for pvmove of cache and snapshot origins.
Avoid using precommitted metadata for suspending pvmove tree.
Ehnance pvmove locking.
Deactivate activated LVs on error path when pvmove activation fails.
Add "io" to log/debug_classes for logging low-level I/O.
Eliminate redundant nested VG metadata in VG struct.
Avoid importing persistent filter in vgscan/pvscan/vgrename.
Fix memleak of string buffer when vgcfgbackup runs in secure mode.
Do not print error when clvmd cannot find running clvmd.
Prevent start of new merge of snapshot if origin is already being merged.
Fix offered type for raid6_n_6 to raid5 conversion (raid5_n).
Deactivate sub LVs when removing unused cache-pool.
Do not take backup with suspended devices.
Avoid RAID4 activation on incompatible kernels under all circumstances.
Reject conversion request to striped/raid0 on 2-legged raid4/5.
Version 2.02.176 - 3rd November 2017
====================================
Keep Install section only in lvm2-{lvmetad,lvmpolld}.socket systemd unit.
Fix segfault in lvm_pv_remove in liblvm. (2.02.173)
Do not allow storing VG metadata with LV without any segment.
Fix printed message when thin snapshot was already merged.
Remove created spare LV when creation of thin-pool failed.
Avoid reading ignored metadata when mda gets used again.
Fix detection of moved PVs in vgsplit. (2.02.175)
Ignore --stripes/--stripesize on RAID takeover
Improve used paths for generated systemd units and init shells.
Disallow creation of snapshot of mirror/raid subLV (was never supported).
Fix regression in more advanced vgname extraction in lvconvert (2.02.169).
Allow lvcreate to be used for caching of _tdata LV.
Avoid internal error when resizing cache type _tdata LV (not yet supported).
Show original converted names when lvconverting LV to pool volume.
Move lib code used only by liblvm into metadata-liblvm.c.
Distinguish between device not found and excluded by filter.
Monitor external origin LVs.
Remove the replicator code, including configure --with-replicators.
Allow lvcreate --type mirror to work with 100%FREE.
Improve selection of resource name for complex volume activation lock.
Avoid cutting first character of resource name for activation lock.
Support for encrypted devices in fsadm.
Improve thin pool overprovisioning and repair warning messages.
Fix incorrect adjustment of region size on striped RaidLVs.
Version 2.02.175 - 6th October 2017
=================================== ===================================
Use --help with blockdev when checking for --getsize64 support in fsadm.
Dump lvmdbusd debug information with SIGUSR1.
Fix metadata corruption in vgsplit and vgmerge intermediate states.
Add PV_MOVED_VG PV status flag to mark PVs moving between VGs.
Fix lvmdbus hang and recognise unknown VG correctly.
Improve error messages when command rules fail.
Require LV name with pvmove in a shared VG.
Allow shared active mirror LVs with lvmlockd, dlm, and cmirrord.
Support lvconvert --repair with cache and cachepool volumes.
lvconvert --repair respects --poolmetadataspare option.
Mark that we don't plan to develop liblvm2app and python bindings any further.
Fix thin pool creation in shared VG. (2.02.173)
Version 2.02.174 - 13th September 2017
======================================
Prevent raid1 split with trackchanges in a shared VG.
Avoid double unlocking of client & lockspace mutexes in lvmlockd.
Fix leaking of file descriptor for non-blocking filebased locking.
Fix check for 2nd mda at end of disk fits if using pvcreate --restorefile.
Use maximum metadataarea size that fits with pvcreate --restorefile.
Always clear cached bootloaderarea when wiping label e.g. in pvcreate.
Disallow --bootloaderareasize with pvcreate --restorefile.
Fix lvmlockd check for running lock managers during lock adoption.
Add --withgeneralpreamble and --withlocalpreamble to lvmconfig.
Improve makefiles' linking.
Fix some paths in generated makefiles to respected configured settings.
Add warning when creating thin-pool with zeroing and chunk size >= 512KiB.
Introduce exit code 4 EINIT_FAILED to replace -1 when initialisation fails.
Add synchronization points with udev during reshape of raid LVs.
Version 2.02.173 - 20th July 2017
=================================
Add synchronization points with udev during conversion of raid LVs.
Improve --size args validation and report more detailed error message.
Initialize debugging mutex before any debug message in clvmd.
Log error instead of warn when noticing connection problem with lvmetad.
Fix memory leak in lvmetad when working with duplicates.
Remove restrictions on reshaping open and clustered raid devices.
Add incompatible data_offset to raid metadata to fix reshape activation.
Accept 'lvm -h' and 'lvm --help' as well as 'lvm help' for help.
Suppress error message from accept() on clean lvmetad shutdown.
Tidy clvmd client list processing and fix segfaults.
Protect clvmd debug log messages with mutex and add client id.
Fix shellcheck reported issues for script files.
Version 2.02.172 - 28th June 2017
=================================
Add missing NULL to argv array when spliting cmdline arguments.
Add display_percent helper function for printing percent values.
lvconvert --repair handles failing raid legs (present but marked 'D'ead).
Do not lvdisplay --maps unset settings of cache pool.
Fix lvdisplay --maps for cache pool without policy settings.
Support aborting of flushing cache LV.
Reenable conversion of data and metadata thin-pool volumes to raid.
Improve raid status reporting with lvs.
No longer necessary to '--force' a repair for RAID1.
Linear to RAID1 upconverts now use "recover" sync action, not "resync".
Improve lvcreate --cachepool arg validation.
Limit maximum size of thin-pool for specific chunk size.
Print a warning about in-use PVs with no VG using them.
Disable automatic clearing of PVs that look like in-use orphans.
Cache format2 flag is now using segment name type field.
Support storing status flags via segtype name field.
Stop using '--yes' mode when fsadm runs without terminal.
Extend validation of filesystems resized by fsadm.
Enhance lvconvert automatic settings of possible (raid) LV types.
Allow lvchange to change properties on a thin pool data sub LV.
Fix lvcreate extent percentage calculation for mirrors.
Don't reinstate still-missing devices when correcting inconsistent metadata.
Properly handle subshell return codes in fsadm.
Disallow cachepool creation with policy cleaner and mode writeback.
Version 2.02.171 - 3rd May 2017
===============================
Fix memory warnings by using mempools for command definition processing.
Fix running commands from a script file.
Add pvcreate prompt when device size doesn't match setphysicalvolumesize.
lvconvert - preserve region size on raid1 image count changes
Adjust pvresize/pvcreate messages and prompt if underlying dev size differs.
raid - sanely handle insufficient space on takeover.
Fix configure --enable-notify-dbus status message.
Change configure option name prefix from --enable-lockd to --enable-lvmlockd.
lvcreate - raise mirror/raid default regionsize to 2MiB
Add missing configurable prefix to configuration file installation directory.
Version 2.02.170 - 13th April 2017
==================================
Introduce global/fsadm_executable to make fsadm path configurable.
Look for limited thin pool metadata size when using 16G metadata.
Add lvconvert pool creation rule disallowing options with poolmetadata.
Fix lvconvert when the same LV is incorrectly reused in options.
Fix lvconvert VG name validation in option values.
Fix missing lvmlockd LV locks in lvchange and lvconvert.
Fix dmeventd setup for lvchange --poll.
Fix use of --poll and --monitor with lvchange and vgchange.
Disallow lvconvert of hidden LV to a pool.
Ignore --partial option when not used for activation.
Allow --activationmode option with lvchange --refresh.
Better message on lvconvert --regionsize
Allow valid lvconvert --regionsize change
Add raid10 alias raid10_near
Handle insufficient PVs on lvconvert takeover
Fix SIGINT blocking to prevent corrupted metadata
Fix systemd unit existence check for lvmconf --services --startstopservices.
Check and use PATH_MAX buffers when creating vgrename device paths.
Version 2.02.169 - 28th March 2017
==================================
Automatically decide whether '-' in a man page is a hyphen or a minus sign.
Add build-time configuration command line to 'lvm version' output.
Handle known table line parameter order change in specific raid target vsns.
Conditionally reject raid convert to striped/raid0* after reshape.
Ensure raid6 upconversion restrictions.
Adjust mirror & raid dmeventd plugins for new lvconvert --repair behaviour.
Disable lvmetad when lvconvert --repair is run.
Remove obsolete lvmchange binary - convert to built-in command.
Show more information for cached volumes in lvdisplay [-m].
Add option for lvcreate/lvconvert --cachemetadataformat auto|1|2.
Support cache segment with configurable metadata format.
Add allocation/cache_metadata_format profilable settings.
Use function cache_set_params() for both lvcreate and lvconvert.
Skip rounding on cache chunk size boudary when create cache LV.
Improve cache_set_params support for chunk_size selection.
Fix metadata profile allocation/cache_[mode|policy] setting.
Fix missing support for using allocation/cache_pool_chunk_size setting.
Upstream git moved to https://sourceware.org/git/?p=lvm2
Support conversion of raid type, stripesize and number of disks
Reject writemostly/writebehind in lvchange during resynchronization.
Deactivate active origin first before removal for improved workflow.
Fix regression of accepting both --type and -m with lvresize. (2.02.158)
Add lvconvert --swapmetadata, new specific way to swap pool metadata LVs.
Add lvconvert --startpoll, new specific way to start polling conversions.
Add lvconvert --mergethin, new specific way to merge thin snapshots.
Add lvconvert --mergemirrors, new specific way to merge split mirrors.
Add lvconvert --mergesnapshot, new specific way to combine cow LVs.
Split up lvconvert code based on command definitions.
Split up lvchange code based on command definitions.
Generate help output and man pages from command definitions.
Verify all command line items against command definition.
Match every command run to one command definition.
Specify every allowed command definition/syntax in command-lines.in.
Add extra memory page when limiting pthread stack size in clvmd.
Support striped/raid0* <-> raid10_near conversions.
Support shrinking of RaidLVs.
Support region size changes on existing RaidLVs.
Avoid parallel usage of cpg_mcast_joined() in clvmd with corosync.
Support raid6_{ls,rs,la,ra}_6 segment types and conversions from/to it.
Support raid6_n_6 segment type and conversions from/to it.
Support raid5_n segment type and conversions from/to it.
Support new internal command _dmeventd_thin_command.
Introduce new dmeventd/thin_command configurable setting.
Use new default units 'r' for displaying sizes.
Also unmount mount point on top of MD device if using blkdeactivate -u.
Restore check preventing resize of cache type volumes (2.02.158).
Add missing udev sync when flushing dirty cache content.
vgchange -p accepts only uint32 numbers.
Report thin LV date for merged LV when the merge is in progress.
Detect if snapshot merge really started before polling for progress.
Checking LV for merging origin requires also it has merged snapshot.
Extend validation of metadata processing.
Enable usage of cached volumes as snapshot origin LV.
Fix displayed lv name when splitting snapshot (2.02.146).
Warn about command not making metadata backup just once per command.
Enable usage of cached volume as thin volume's external origin.
Support cache volume activation with -real layer.
Improve search of lock-holder for external origin and thin-pool.
Support status checking of cache volume used in layer.
Avoid shifting by one number of blocks when clearing dirty cache volume.
Extend metadata validation of external origin LV use count.
Fix dm table when the last user of active external origin is removed.
Improve reported lvs status for active external origin volume.
Fix table load for splitted RAID LV and require explicit activation.
Always active splitted RAID LV exclusively locally.
Do not use LV RAID status bit for segment status.
Check segtype directly instead of checking RAID in segment status.
Reusing exiting code for raid image removal.
Fix pvmove leaving -pvmove0 error device in clustered VG.
Avoid adding extra '_' at end of raid extracted images or metadata.
Optimize another _rmeta clearing code.
Fix deactivation of raid orphan devices for clustered VG.
Fix lvconvert raid1 to mirror table reload order.
Add internal function for separate mirror log preparation.
Fix segfault in lvmetad from missing NULL in daemon_reply_simple.
Simplify internal _info_run() and use _setup_task_run() for mknod.
Better API for internal function _setup_task_run.
Avoid using lv_has_target_type() call within lv_info_with_seg_status.
Simplify internal lv_info_with_seg_status API.
Decide which status is needed in one place for lv_info_with_seg_status.
Fix matching of LV segment when checking for it info status.
Report log_warn when status cannot be parsed.
Test segment type before accessing segment members when checking status.
Implement compatible target function for stripe segment.
Use status info to report merge failed and snapshot invalid lvs fields.
Version 2.02.168 - 30th November 2016
=====================================
Display correct sync_percent on large RaidLVs
lvmdbusd --blackboxsize <n> added, used to override default size of 16
Allow a transiently failed RaidLV to be refreshed
Use lv_update_and_reload() inside mirror code where it applies.
Preserve mirrored status for temporary layered mirrors.
Use transient raid check before repairing raid volume.
Implement transient status check for raid volumes.
Only log msg as debug if lvm2-lvmdbusd unit missing for D-Bus notification.
Avoid duplicated underscore in name of extracted LV image.
Missing stripe filler now could be also 'zero'.
lvconvert --repair accepts --interval and --background option.
More efficiently prepare _rmeta devices when creating a new raid LV.
Version 2.02.167 - 5th November 2016
====================================
Use log_error in regex and sysfs filter to describe reason of failure.
Fix blkdeactivate to deactivate dev stack if dev on top already unmounted.
Prevent non-synced raid1 repair unless --force
Prevent raid4 creation/conversion on non-supporting kernels
Add direct striped -> raid4 conversion
Fix raid4 parity image pair position on conversions from striped/raid0*
Fix a few unconverted return code values for some lvconvert error path.
Disable lvconvert of thin pool to raid while active.
Disable systemd service start rate limiting for lvm2-pvscan@.service.
Version 2.02.166 - 26th September 2016
======================================
Fix lvm2-activation-generator to read all LVM2 config sources. (2.02.155)
Fix lvchange-rebuild-raid.sh to cope with older target versions.
Use dm_config_parse_without_dup_node_check() to speedup metadata reading.
Fix lvconvert --repair regression
Fix reported origin lv field for cache volumes. (2.02.133)
Always specify snapshot cow LV for monitoring not internal LV. (2.02.165)
Fix lvchange --discard|--zero for active thin-pool.
Enforce 4MiB or 25% metadata free space for thin pool operations.
Fix lock-holder device for thin pool with inactive thin volumes.
Use --alloc normal for mirror logs even if the mimages were stricter.
Use O_DIRECT to gather metadata in lvmdump.
Ignore creation_time when checking for matching metadata for lvmetad.
Fix possible NULL pointer derefence when checking for monitoring.
Add lvmreport(7) man page.
Don't install lvmraid(7) man page when raid excluded. (2.02.165)
Report 0% as dirty (copy%) for cache without any used block.
Fix lvm2api reporting of cache data and metadata percent.
Restore reporting of metadata usage for cache volumes (2.02.155).
Support raid scrubbing on cache origin LV.
Version 2.02.165 - 7th September 2016
=====================================
Add lvmraid(7) man page.
Use udev db to check for mpath components before running pvscan for lvmetad.
Use lsblk -s and lsblk -O in lvmdump only if these options are supported.
Fix number of stripes shown in lvcreate raid10 message when too many.
Change lvmdbusd to use new lvm shell facilities.
Do not monitor cache-pool metadata when LV is just being cleared.
Add allocation/cache_pool_max_chunks to prevent misuse of cache target.
Give error not segfault in lvconvert --splitmirrors when PV lies outside LV.
Fix typo in report/columns_as_rows config option name recognition (2.02.99).
Avoid PV tags when checking allocation against parallel PVs.
Disallow mirror conversions of raid10 volumes.
Fix dmeventd unmonitoring when segment type (and dso) changes.
Don't allow lvconvert --repair on raid0 devices or attempt to monitor them.
No longer adjust incorrect number of raid stripes supplied to lvcreate.
Move lcm and gcd to lib/misc.
Fix vgsplit of external origins. (2.02.162)
Prohibit creation of RAID LVs unless VG extent size is at least the page size.
Suppress some unnecessary --stripesize parameter warnings. Suppress some unnecessary --stripesize parameter warnings.
Fix 'pvmove -n name ...' to prohibit collocation of RAID SubLVs Fix 'pvmove -n name ...' to prohibit collocation of RAID SubLVs

View File

@@ -1,118 +1,5 @@
Version 1.02.147 - Version 1.02.134 -
=====================================
Parsing mirror status accepts 'userspace' keyword in status.
Introduce dm_malloc_aligned for page alignment of buffers.
Version 1.02.146 - 18th December 2017
=====================================
Activation tree of thin pool skips duplicated check of pool status.
Remove code supporting replicator target.
Do not ignore failure of _info_by_dev().
Propagate delayed resume for pvmove subvolumes.
Suppress integrity encryption keys in 'table' output unless --showkeys supplied.
Version 1.02.145 - 3rd November 2017
====================================
Keep Install section only in dm-event.socket systemd unit.
Issue a specific error with dmsetup status if device is unknown.
Fix RT_LIBS reference in generated libdevmapper.pc for pkg-config
Version 1.02.144 - 6th October 2017
=================================== ===================================
Schedule exit when received SIGTERM in dmeventd.
Also try to unmount /boot on blkdeactivate -u if on top of supported device.
Use blkdeactivate -r wait in blk-availability systemd service/initscript.
Add blkdeactivate -r wait option to wait for MD resync/recovery/reshape.
Fix blkdeactivate regression with failing DM/MD devs deactivation (1.02.142).
Fix typo in blkdeactivate's '--{dm,lvm,mpath}options' option name.
Correct return value testing when get reserved values for reporting.
Take -S with dmsetup suspend/resume/clear/wipe_table/remove/deps/status/table.
Version 1.02.143 - 13th September 2017
======================================
Restore umask when creation of node fails.
Add --concise to dmsetup create for many devices with tables in one command.
Accept minor number without major in library when it knows dm major number.
Introduce single-line concise table output format: dmsetup table --concise
Version 1.02.142 - 20th July 2017
=================================
Create /dev/disk/by-part{uuid,label} and gpt-auto-root symlinks with udev.
Version 1.02.141 - 28th June 2017
=================================
Fix reusing of dm_task structure for status reading (used by dmeventd).
Add dm_percent_to_round_float for adjusted percentage rounding.
Reset array with dead rimage devices once raid gets in sync.
Drop unneeded --config option from raid dmeventd plugin.
dm_get_status_raid() handle better some incosistent md statuses.
Accept truncated files in calls to dm_stats_update_regions_from_fd().
Restore Warning by 5% increment when thin-pool is over 80% (1.02.138).
Version 1.02.140 - 3rd May 2017
===============================
Add missing configure --enable-dmfilemapd status message and fix --disable.
Version 1.02.139 - 13th April 2017
==================================
Fix assignment in _target_version() when dm task can't run.
Flush stdout on each iteration when using --count or --interval.
Show detailed error message when execvp fails while starting dmfilemapd.
Fix segmentation fault when dmfilemapd is run with no arguments.
Numerous minor dmfilemapd fixes from coverity.
Version 1.02.138 - 28th March 2017
==================================
Support additional raid5/6 configurations.
Provide dm_tree_node_add_cache_target@base compatible symbol.
Support DM_CACHE_FEATURE_METADATA2, new cache metadata format 2.
Improve code to handle mode mask for cache nodes.
Cache status check for passthrough also require trailing space.
Add extra memory page when limiting pthread stack size in dmeventd.
Avoids immediate resume when preloaded device is smaller.
Do not suppress kernel key description in dmsetup table output for dm-crypt.
Support configurable command executed from dmeventd thin plugin.
Support new R|r human readable units output format.
Thin dmeventd plugin reacts faster on lvextend failure path with umount.
Add dm_stats_bind_from_fd() to bind a stats handle from a file descriptor.
Do not try call callback when reverting activation on error path.
Fix file mapping for extents with physically adjacent extents in dmstats.
Validation vsnprintf result in runtime translate of dm_log (1.02.136).
Separate filemap extent allocation from region table in dmstats.
Fix segmentation fault when filemap region creation fails in dmstats.
Fix performance of region cleanup for failed filemap creation in dmstats.
Fix very slow region deletion with many regions in dmstats.
Version 1.02.137 - 30th November 2016
=====================================
Document raid status values.
Always exit dmsetup with success when asked to display help/version.
Version 1.02.136 - 5th November 2016
====================================
Log failure of raid device with log_error level.
Use dm_log_with_errno and translate runtime to dm_log only when needed.
Make log messages from dm and lvm library different from dmeventd.
Notice and Info messages are again logged from dmeventd and its plugins.
Dmeventd now also respects DM_ABORT_ON_INTERNAL_ERRORS as libdm based tool.
Report as non default dm logging also when logging with errno was changed.
Use log_level() macro to consistently decode message log level in dmeventd.
Still produce output when dmsetup dependency tree building finds dev missing.
Check and report pthread_sigmask() failure in dmeventd.
Check mem alloc fail in _canonicalize_field_ids().
Use unsigned math when checking more then 31 legs of raid.
Fix 'dmstats delete' with dmsetup older than v1.02.129
Fix stats walk segfault with dmsetup older than v1.02.129
Version 1.02.135 - 26th September 2016
======================================
Fix man entry for dmsetup status.
Introduce new dm_config_parse_without_dup_node_check().
Don't omit last entry in dmstats list --group.
Version 1.02.134 - 7th September 2016
=====================================
Improve explanation of udev fallback in libdevmapper.h.
Version 1.02.133 - 10th August 2016 Version 1.02.133 - 10th August 2016
=================================== ===================================

View File

@@ -61,174 +61,3 @@ AC_DEFUN([AC_TRY_LDFLAGS],
ifelse([$4], [], [:], [$4]) ifelse([$4], [], [:], [$4])
fi fi
]) ])
# ===========================================================================
# http://www.gnu.org/software/autoconf-archive/ax_gcc_builtin.html
# ===========================================================================
#
# SYNOPSIS
#
# AX_GCC_BUILTIN(BUILTIN)
#
# DESCRIPTION
#
# This macro checks if the compiler supports one of GCC's built-in
# functions; many other compilers also provide those same built-ins.
#
# The BUILTIN parameter is the name of the built-in function.
#
# If BUILTIN is supported define HAVE_<BUILTIN>. Keep in mind that since
# builtins usually start with two underscores they will be copied over
# into the HAVE_<BUILTIN> definition (e.g. HAVE___BUILTIN_EXPECT for
# __builtin_expect()).
#
# The macro caches its result in the ax_cv_have_<BUILTIN> variable (e.g.
# ax_cv_have___builtin_expect).
#
# The macro currently supports the following built-in functions:
#
# __builtin_assume_aligned
# __builtin_bswap16
# __builtin_bswap32
# __builtin_bswap64
# __builtin_choose_expr
# __builtin___clear_cache
# __builtin_clrsb
# __builtin_clrsbl
# __builtin_clrsbll
# __builtin_clz
# __builtin_clzl
# __builtin_clzll
# __builtin_complex
# __builtin_constant_p
# __builtin_ctz
# __builtin_ctzl
# __builtin_ctzll
# __builtin_expect
# __builtin_ffs
# __builtin_ffsl
# __builtin_ffsll
# __builtin_fpclassify
# __builtin_huge_val
# __builtin_huge_valf
# __builtin_huge_vall
# __builtin_inf
# __builtin_infd128
# __builtin_infd32
# __builtin_infd64
# __builtin_inff
# __builtin_infl
# __builtin_isinf_sign
# __builtin_nan
# __builtin_nand128
# __builtin_nand32
# __builtin_nand64
# __builtin_nanf
# __builtin_nanl
# __builtin_nans
# __builtin_nansf
# __builtin_nansl
# __builtin_object_size
# __builtin_parity
# __builtin_parityl
# __builtin_parityll
# __builtin_popcount
# __builtin_popcountl
# __builtin_popcountll
# __builtin_powi
# __builtin_powif
# __builtin_powil
# __builtin_prefetch
# __builtin_trap
# __builtin_types_compatible_p
# __builtin_unreachable
#
# Unsuppored built-ins will be tested with an empty parameter set and the
# result of the check might be wrong or meaningless so use with care.
#
# LICENSE
#
# Copyright (c) 2013 Gabriele Svelto <gabriele.svelto@gmail.com>
#
# Copying and distribution of this file, with or without modification, are
# permitted in any medium without royalty provided the copyright notice
# and this notice are preserved. This file is offered as-is, without any
# warranty.
#serial 3
AC_DEFUN([AX_GCC_BUILTIN], [
AS_VAR_PUSHDEF([ac_var], [ax_cv_have_$1])
AC_CACHE_CHECK([for $1], [ac_var], [
AC_LINK_IFELSE([AC_LANG_PROGRAM([], [
m4_case([$1],
[__builtin_assume_aligned], [$1("", 0)],
[__builtin_bswap16], [$1(0)],
[__builtin_bswap32], [$1(0)],
[__builtin_bswap64], [$1(0)],
[__builtin_choose_expr], [$1(0, 0, 0)],
[__builtin___clear_cache], [$1("", "")],
[__builtin_clrsb], [$1(0)],
[__builtin_clrsbl], [$1(0)],
[__builtin_clrsbll], [$1(0)],
[__builtin_clz], [$1(0)],
[__builtin_clzl], [$1(0)],
[__builtin_clzll], [$1(0)],
[__builtin_complex], [$1(0.0, 0.0)],
[__builtin_constant_p], [$1(0)],
[__builtin_ctz], [$1(0)],
[__builtin_ctzl], [$1(0)],
[__builtin_ctzll], [$1(0)],
[__builtin_expect], [$1(0, 0)],
[__builtin_ffs], [$1(0)],
[__builtin_ffsl], [$1(0)],
[__builtin_ffsll], [$1(0)],
[__builtin_fpclassify], [$1(0, 1, 2, 3, 4, 0.0)],
[__builtin_huge_val], [$1()],
[__builtin_huge_valf], [$1()],
[__builtin_huge_vall], [$1()],
[__builtin_inf], [$1()],
[__builtin_infd128], [$1()],
[__builtin_infd32], [$1()],
[__builtin_infd64], [$1()],
[__builtin_inff], [$1()],
[__builtin_infl], [$1()],
[__builtin_isinf_sign], [$1(0.0)],
[__builtin_nan], [$1("")],
[__builtin_nand128], [$1("")],
[__builtin_nand32], [$1("")],
[__builtin_nand64], [$1("")],
[__builtin_nanf], [$1("")],
[__builtin_nanl], [$1("")],
[__builtin_nans], [$1("")],
[__builtin_nansf], [$1("")],
[__builtin_nansl], [$1("")],
[__builtin_object_size], [$1("", 0)],
[__builtin_parity], [$1(0)],
[__builtin_parityl], [$1(0)],
[__builtin_parityll], [$1(0)],
[__builtin_popcount], [$1(0)],
[__builtin_popcountl], [$1(0)],
[__builtin_popcountll], [$1(0)],
[__builtin_powi], [$1(0, 0)],
[__builtin_powif], [$1(0, 0)],
[__builtin_powil], [$1(0, 0)],
[__builtin_prefetch], [$1("")],
[__builtin_trap], [$1()],
[__builtin_types_compatible_p], [$1(int, int)],
[__builtin_unreachable], [$1()],
[m4_warn([syntax], [Unsupported built-in $1, the test may fail])
$1()]
)
])],
[AS_VAR_SET([ac_var], [yes])],
[AS_VAR_SET([ac_var], [no])])
])
AS_IF([test yes = AS_VAR_GET([ac_var])],
[AC_DEFINE_UNQUOTED(AS_TR_CPP(HAVE_$1), 1,
[Define to 1 if the system has the `$1' built-in function])], [])
AS_VAR_POPDEF([ac_var])
])

1
aclocal.m4 vendored
View File

@@ -536,5 +536,4 @@ AC_DEFUN([AM_RUN_LOG],
echo "$as_me:$LINENO: \$? = $ac_status" >&AS_MESSAGE_LOG_FD echo "$as_me:$LINENO: \$? = $ac_status" >&AS_MESSAGE_LOG_FD
(exit $ac_status); }]) (exit $ac_status); }])
m4_include([acinclude.m4]) m4_include([acinclude.m4])

View File

@@ -32,8 +32,8 @@ include $(top_builddir)/make.tmpl
.PHONY: install_conf install_localconf install_profiles .PHONY: install_conf install_localconf install_profiles
generate: generate:
LD_LIBRARY_PATH=$(top_builddir)/libdm:$(LD_LIBRARY_PATH) $(top_builddir)/tools/lvm dumpconfig --type default --unconfigured --withgeneralpreamble --withcomments --ignorelocal --withspaces > example.conf.in (cat $(top_srcdir)/conf/example.conf.base && LD_LIBRARY_PATH=$(top_builddir)/libdm:$(LD_LIBRARY_PATH) $(top_builddir)/tools/lvm dumpconfig --type default --unconfigured --withcomments --ignorelocal --withspaces) > example.conf.in
LD_LIBRARY_PATH=$(top_builddir)/libdm:$(LD_LIBRARY_PATH) $(top_builddir)/tools/lvm dumpconfig --type default --unconfigured --withlocalpreamble --withcomments --withspaces local > lvmlocal.conf.in (cat $(top_srcdir)/conf/lvmlocal.conf.base && LD_LIBRARY_PATH=$(top_builddir)/libdm:$(LD_LIBRARY_PATH) $(top_builddir)/tools/lvm dumpconfig --type default --unconfigured --withcomments --withspaces local) > lvmlocal.conf.in
install_conf: $(CONFSRC) install_conf: $(CONFSRC)
@if [ ! -e $(confdir)/$(CONFDEST) ]; then \ @if [ ! -e $(confdir)/$(CONFDEST) ]; then \
@@ -48,8 +48,8 @@ install_localconf: $(CONFLOCAL)
fi fi
install_profiles: $(PROFILES) install_profiles: $(PROFILES)
$(INSTALL_DIR) $(profiledir) $(INSTALL_DIR) $(DESTDIR)$(DEFAULT_PROFILE_DIR)
$(INSTALL_DATA) $(PROFILES) $(profiledir)/ $(INSTALL_DATA) $(PROFILES) $(DESTDIR)$(DEFAULT_PROFILE_DIR)/
install_lvm2: install_conf install_localconf install_profiles install_lvm2: install_conf install_localconf install_profiles

View File

@@ -9,6 +9,6 @@ allocation {
cache_mode = "writethrough" cache_mode = "writethrough"
cache_policy = "smq" cache_policy = "smq"
cache_settings { cache_settings {
# currently no settings for "smq" policy # currently no settins for "smq" policy
} }
} }

View File

@@ -39,7 +39,7 @@ report {
list_item_separator="," list_item_separator=","
prefixes=0 prefixes=0
quoted=1 quoted=1
columns_as_rows=0 colums_as_rows=0
binary_values_as_numeric=0 binary_values_as_numeric=0
time_format="%Y-%m-%d %T %z" time_format="%Y-%m-%d %T %z"
devtypes_sort="devtype_name" devtypes_sort="devtype_name"

23
conf/example.conf.base Normal file
View File

@@ -0,0 +1,23 @@
# This is an example configuration file for the LVM2 system.
# It contains the default settings that would be used if there was no
# @DEFAULT_SYS_DIR@/lvm.conf file.
#
# Refer to 'man lvm.conf' for further information including the file layout.
#
# Refer to 'man lvm.conf' for information about how settings configured in
# this file are combined with built-in values and command line options to
# arrive at the final values used by LVM.
#
# Refer to 'man lvmconfig' for information about displaying the built-in
# and configured values used by LVM.
#
# If a default value is set in this file (not commented out), then a
# new version of LVM using this file will continue using that value,
# even if the new version of LVM changes the built-in default value.
#
# To put this file in a different directory and override @DEFAULT_SYS_DIR@ set
# the environment variable LVM_SYSTEM_DIR before running the tools.
#
# N.B. Take care that each setting only appears once if uncommenting
# example settings in this file.

View File

@@ -59,22 +59,6 @@ devices {
# This configuration option is advanced. # This configuration option is advanced.
scan = [ "/dev" ] scan = [ "/dev" ]
# Configuration option devices/use_aio.
# Use linux asynchronous I/O for parallel device access where possible.
# This configuration option has an automatic default value.
# use_aio = 1
# Configuration option devices/aio_max.
# Maximum number of asynchronous I/Os to issue concurrently.
# This configuration option has an automatic default value.
# aio_max = 128
# Configuration option devices/aio_memory.
# Approximate maximum total amount of memory (in MB) used
# for asynchronous I/O buffers.
# This configuration option has an automatic default value.
# aio_memory = 10
# Configuration option devices/obtain_device_list_from_udev. # Configuration option devices/obtain_device_list_from_udev.
# Obtain the list of available devices from udev. # Obtain the list of available devices from udev.
# This avoids opening or using any inapplicable non-block devices or # This avoids opening or using any inapplicable non-block devices or
@@ -130,8 +114,8 @@ devices {
# device path names. Each regex is delimited by a vertical bar '|' # device path names. Each regex is delimited by a vertical bar '|'
# (or any character) and is preceded by 'a' to accept the path, or # (or any character) and is preceded by 'a' to accept the path, or
# by 'r' to reject the path. The first regex in the list to match the # by 'r' to reject the path. The first regex in the list to match the
# path is used, producing the 'a' or 'r' result for that path. # path is used, producing the 'a' or 'r' result for the device.
# If any of multiple existing path names for a block device # When multiple path names exist for a block device, if any path name
# matches an 'a' pattern before an 'r' pattern, then the device is # matches an 'a' pattern before an 'r' pattern, then the device is
# accepted. If all the path names match an 'r' pattern first, then the # accepted. If all the path names match an 'r' pattern first, then the
# device is rejected. Unmatching path names do not affect the accept # device is rejected. Unmatching path names do not affect the accept
@@ -395,9 +379,8 @@ allocation {
# Configuration option allocation/raid_stripe_all_devices. # Configuration option allocation/raid_stripe_all_devices.
# Stripe across all PVs when RAID stripes are not specified. # Stripe across all PVs when RAID stripes are not specified.
# If enabled, all PVs in the VG or on the command line are used for # If enabled, all PVs in the VG or on the command line are used for raid0/4/5/6/10
# raid0/4/5/6/10 when the command does not specify the number of # when the command does not specify the number of stripes to use.
# stripes to use.
# This was the default behaviour until release 2.02.162. # This was the default behaviour until release 2.02.162.
# This configuration option has an automatic default value. # This configuration option has an automatic default value.
# raid_stripe_all_devices = 0 # raid_stripe_all_devices = 0
@@ -406,17 +389,6 @@ allocation {
# Cache pool metadata and data will always use different PVs. # Cache pool metadata and data will always use different PVs.
cache_pool_metadata_require_separate_pvs = 0 cache_pool_metadata_require_separate_pvs = 0
# Configuration option allocation/cache_metadata_format.
# Sets default metadata format for new cache.
#
# Accepted values:
# 0 Automatically detected best available format
# 1 Original format
# 2 Improved 2nd. generation format
#
# This configuration option has an automatic default value.
# cache_metadata_format = 0
# Configuration option allocation/cache_mode. # Configuration option allocation/cache_mode.
# The default cache mode used for new cache. # The default cache mode used for new cache.
# #
@@ -433,7 +405,7 @@ allocation {
# Configuration option allocation/cache_policy. # Configuration option allocation/cache_policy.
# The default cache policy used for new cache volume. # The default cache policy used for new cache volume.
# Since kernel 4.2 the default policy is smq (Stochastic multiqueue), # Since kernel 4.2 the default policy is smq (Stochastic multique),
# otherwise the older mq (Multiqueue) policy is selected. # otherwise the older mq (Multiqueue) policy is selected.
# This configuration option does not have a default value defined. # This configuration option does not have a default value defined.
@@ -456,12 +428,6 @@ allocation {
# 32KiB to 1GiB in multiples of 32. # 32KiB to 1GiB in multiples of 32.
# This configuration option does not have a default value defined. # This configuration option does not have a default value defined.
# Configuration option allocation/cache_pool_max_chunks.
# The maximum number of chunks in a cache pool.
# For cache target v1.9 the recommended maximumm is 1000000 chunks.
# Using cache pool with more chunks may degrade cache performance.
# This configuration option does not have a default value defined.
# Configuration option allocation/thin_pool_metadata_require_separate_pvs. # Configuration option allocation/thin_pool_metadata_require_separate_pvs.
# Thin pool metdata and data will always use different PVs. # Thin pool metdata and data will always use different PVs.
thin_pool_metadata_require_separate_pvs = 0 thin_pool_metadata_require_separate_pvs = 0
@@ -627,9 +593,9 @@ log {
# Select log messages by class. # Select log messages by class.
# Some debugging messages are assigned to a class and only appear in # Some debugging messages are assigned to a class and only appear in
# debug output if the class is listed here. Classes currently # debug output if the class is listed here. Classes currently
# available: memory, devices, io, activation, allocation, lvmetad, # available: memory, devices, activation, allocation, lvmetad,
# metadata, cache, locking, lvmpolld. Use "all" to see everything. # metadata, cache, locking, lvmpolld. Use "all" to see everything.
debug_classes = [ "memory", "devices", "io", "activation", "allocation", "lvmetad", "metadata", "cache", "locking", "lvmpolld", "dbus" ] debug_classes = [ "memory", "devices", "activation", "allocation", "lvmetad", "metadata", "cache", "locking", "lvmpolld", "dbus" ]
} }
# Configuration section backup. # Configuration section backup.
@@ -693,7 +659,7 @@ global {
# Configuration option global/units. # Configuration option global/units.
# Default value for --units argument. # Default value for --units argument.
units = "r" units = "h"
# Configuration option global/si_unit_consistency. # Configuration option global/si_unit_consistency.
# Distinguish between powers of 1024 and 1000 bytes. # Distinguish between powers of 1024 and 1000 bytes.
@@ -956,7 +922,7 @@ global {
use_lvmetad = @DEFAULT_USE_LVMETAD@ use_lvmetad = @DEFAULT_USE_LVMETAD@
# Configuration option global/lvmetad_update_wait_time. # Configuration option global/lvmetad_update_wait_time.
# Number of seconds a command will wait for lvmetad update to finish. # The number of seconds a command will wait for lvmetad update to finish.
# After waiting for this period, a command will not use lvmetad, and # After waiting for this period, a command will not use lvmetad, and
# will revert to disk scanning. # will revert to disk scanning.
# This configuration option has an automatic default value. # This configuration option has an automatic default value.
@@ -1041,7 +1007,7 @@ global {
# Configuration option global/cache_disabled_features. # Configuration option global/cache_disabled_features.
# Features to not use in the cache driver. # Features to not use in the cache driver.
# This can be helpful for testing, or to avoid using a feature that is # This can be helpful for testing, or to avoid using a feature that is
# causing problems. Features include: policy_mq, policy_smq, metadata2. # causing problems. Features include: policy_mq, policy_smq.
# #
# Example # Example
# cache_disabled_features = [ "policy_smq" ] # cache_disabled_features = [ "policy_smq" ]
@@ -1086,12 +1052,6 @@ global {
# This configuration option has an automatic default value. # This configuration option has an automatic default value.
# cache_repair_options = [ "" ] # cache_repair_options = [ "" ]
# Configuration option global/fsadm_executable.
# The full path to the fsadm command.
# LVM uses this command to help with lvresize -r operations.
# This configuration option has an automatic default value.
# fsadm_executable = "@FSADM_PATH@"
# Configuration option global/system_id_source. # Configuration option global/system_id_source.
# The method LVM uses to set the local system ID. # The method LVM uses to set the local system ID.
# Volume Groups can also be given a system ID (by vgcreate, vgchange, # Volume Groups can also be given a system ID (by vgcreate, vgchange,
@@ -1190,8 +1150,7 @@ activation {
# Configuration option activation/missing_stripe_filler. # Configuration option activation/missing_stripe_filler.
# Method to fill missing stripes when activating an incomplete LV. # Method to fill missing stripes when activating an incomplete LV.
# Using 'error' will make inaccessible parts of the device return I/O # Using 'error' will make inaccessible parts of the device return I/O
# errors on access. Using 'zero' will return success (and zero) on I/O # errors on access. You can instead use a device path, in which case,
# You can instead use a device path, in which case,
# that device will be used in place of missing stripes. Using anything # that device will be used in place of missing stripes. Using anything
# other than 'error' with mirrored or snapshotted volumes is likely to # other than 'error' with mirrored or snapshotted volumes is likely to
# result in data corruption. # result in data corruption.
@@ -1311,10 +1270,9 @@ activation {
# Configuration option activation/raid_region_size. # Configuration option activation/raid_region_size.
# Size in KiB of each raid or mirror synchronization region. # Size in KiB of each raid or mirror synchronization region.
# The clean/dirty state of data is tracked for each region. # For raid or mirror segment types, this is the amount of data that is
# The value is rounded down to a power of two if necessary, and # copied at once when initializing, or moved at once by pvmove.
# is ignored if it is not a multiple of the machine memory page size. raid_region_size = 512
raid_region_size = 2048
# Configuration option activation/error_when_full. # Configuration option activation/error_when_full.
# Return errors if a thin pool runs out of space. # Return errors if a thin pool runs out of space.
@@ -1726,11 +1684,11 @@ activation {
# This configuration option has an automatic default value. # This configuration option has an automatic default value.
# quoted = 1 # quoted = 1
# Configuration option report/columns_as_rows. # Configuration option report/colums_as_rows.
# Output each column as a row. # Output each column as a row.
# If set, this also implies report/prefixes=1. # If set, this also implies report/prefixes=1.
# This configuration option has an automatic default value. # This configuration option has an automatic default value.
# columns_as_rows = 0 # colums_as_rows = 0
# Configuration option report/binary_values_as_numeric. # Configuration option report/binary_values_as_numeric.
# Use binary values 0 or 1 instead of descriptive literal values. # Use binary values 0 or 1 instead of descriptive literal values.
@@ -2084,15 +2042,6 @@ dmeventd {
# warning is repeated when 85%, 90% and 95% of the pool is filled. # warning is repeated when 85%, 90% and 95% of the pool is filled.
thin_library = "libdevmapper-event-lvm2thin.so" thin_library = "libdevmapper-event-lvm2thin.so"
# Configuration option dmeventd/thin_command.
# The plugin runs command with each 5% increment when thin-pool data volume
# or metadata volume gets above 50%.
# Command which starts with 'lvm ' prefix is internal lvm command.
# You can write your own handler to customise behaviour in more details.
# User handler is specified with the full path starting with '/'.
# This configuration option has an automatic default value.
# thin_command = "lvm lvextend --use-policies"
# Configuration option dmeventd/executable. # Configuration option dmeventd/executable.
# The full path to the dmeventd binary. # The full path to the dmeventd binary.
# This configuration option has an automatic default value. # This configuration option has an automatic default value.

19
conf/lvmlocal.conf.base Normal file
View File

@@ -0,0 +1,19 @@
# This is a local configuration file template for the LVM2 system
# which should be installed as @DEFAULT_SYS_DIR@/lvmlocal.conf .
#
# Refer to 'man lvm.conf' for information about the file layout.
#
# To put this file in a different directory and override
# @DEFAULT_SYS_DIR@ set the environment variable LVM_SYSTEM_DIR before
# running the tools.
#
# The lvmlocal.conf file is normally expected to contain only the
# "local" section which contains settings that should not be shared or
# repeated among different hosts. (But if other sections are present,
# they *will* get processed. Settings in this file override equivalent
# ones in lvm.conf and are in turn overridden by ones in any enabled
# lvm_<tag>.conf files.)
#
# Please take care that each setting only appears once if uncommenting
# example settings in this file and never copy this file between hosts.

774
configure vendored

File diff suppressed because it is too large Load Diff

View File

@@ -15,7 +15,6 @@ AC_PREREQ(2.69)
################################################################################ ################################################################################
dnl -- Process this file with autoconf to produce a configure script. dnl -- Process this file with autoconf to produce a configure script.
AC_INIT AC_INIT
CONFIGURE_LINE="$0 $@"
AC_CONFIG_SRCDIR([lib/device/dev-cache.h]) AC_CONFIG_SRCDIR([lib/device/dev-cache.h])
AC_CONFIG_HEADERS([include/configure.h]) AC_CONFIG_HEADERS([include/configure.h])
@@ -31,7 +30,6 @@ AS_IF([test -z "$CFLAGS"], [COPTIMISE_FLAG="-O2"])
case "$host_os" in case "$host_os" in
linux*) linux*)
CLDFLAGS="$CLDFLAGS -Wl,--version-script,.export.sym" CLDFLAGS="$CLDFLAGS -Wl,--version-script,.export.sym"
# equivalent to -rdynamic
ELDFLAGS="-Wl,--export-dynamic" ELDFLAGS="-Wl,--export-dynamic"
# FIXME Generate list and use --dynamic-list=.dlopen.sym # FIXME Generate list and use --dynamic-list=.dlopen.sym
CLDWHOLEARCHIVE="-Wl,-whole-archive" CLDWHOLEARCHIVE="-Wl,-whole-archive"
@@ -39,7 +37,6 @@ case "$host_os" in
LDDEPS="$LDDEPS .export.sym" LDDEPS="$LDDEPS .export.sym"
LIB_SUFFIX=so LIB_SUFFIX=so
DEVMAPPER=yes DEVMAPPER=yes
AIO=yes
BUILD_LVMETAD=no BUILD_LVMETAD=no
BUILD_LVMPOLLD=no BUILD_LVMPOLLD=no
LOCKDSANLOCK=no LOCKDSANLOCK=no
@@ -59,7 +56,6 @@ case "$host_os" in
CLDNOWHOLEARCHIVE= CLDNOWHOLEARCHIVE=
LIB_SUFFIX=dylib LIB_SUFFIX=dylib
DEVMAPPER=yes DEVMAPPER=yes
AIO=no
ODIRECT=no ODIRECT=no
DM_IOCTLS=no DM_IOCTLS=no
SELINUX=no SELINUX=no
@@ -79,7 +75,6 @@ AC_PROG_CC
AC_PROG_CXX AC_PROG_CXX
CFLAGS=$save_CFLAGS CFLAGS=$save_CFLAGS
CXXFLAGS=$save_CXXFLAGS CXXFLAGS=$save_CXXFLAGS
PATH_SBIN="$PATH:/usr/sbin:/sbin"
dnl probably no longer needed in 2008, but... dnl probably no longer needed in 2008, but...
AC_PROG_GCC_TRADITIONAL AC_PROG_GCC_TRADITIONAL
@@ -88,12 +83,9 @@ AC_PROG_LN_S
AC_PROG_MAKE_SET AC_PROG_MAKE_SET
AC_PROG_MKDIR_P AC_PROG_MKDIR_P
AC_PROG_RANLIB AC_PROG_RANLIB
AC_CHECK_TOOL(AR, ar)
AC_PATH_TOOL(CFLOW_CMD, cflow) AC_PATH_TOOL(CFLOW_CMD, cflow)
AC_PATH_TOOL(CSCOPE_CMD, cscope) AC_PATH_TOOL(CSCOPE_CMD, cscope)
AC_PATH_TOOL(CHMOD, chmod) AC_PATH_TOOL(CHMOD, chmod)
AC_PATH_TOOL(WC, wc)
AC_PATH_TOOL(SORT, sort)
################################################################################ ################################################################################
dnl -- Check for header files. dnl -- Check for header files.
@@ -111,7 +103,7 @@ AC_CHECK_HEADERS([assert.h ctype.h dirent.h errno.h fcntl.h float.h \
sys/time.h sys/types.h sys/utsname.h sys/wait.h time.h \ sys/time.h sys/types.h sys/utsname.h sys/wait.h time.h \
unistd.h], , [AC_MSG_ERROR(bailing out)]) unistd.h], , [AC_MSG_ERROR(bailing out)])
AC_CHECK_HEADERS(termios.h sys/statvfs.h sys/timerfd.h sys/vfs.h linux/magic.h linux/fiemap.h) AC_CHECK_HEADERS(termios.h sys/statvfs.h sys/timerfd.h linux/magic.h linux/fiemap.h)
case "$host_os" in case "$host_os" in
linux*) linux*)
@@ -126,7 +118,6 @@ AC_C_CONST
AC_C_INLINE AC_C_INLINE
AC_CHECK_MEMBERS([struct stat.st_rdev]) AC_CHECK_MEMBERS([struct stat.st_rdev])
AC_CHECK_TYPES([ptrdiff_t]) AC_CHECK_TYPES([ptrdiff_t])
AC_STRUCT_ST_BLOCKS
AC_STRUCT_TM AC_STRUCT_TM
AC_TYPE_OFF_T AC_TYPE_OFF_T
AC_TYPE_PID_T AC_TYPE_PID_T
@@ -143,7 +134,6 @@ AC_TYPE_UINT8_T
AC_TYPE_UINT16_T AC_TYPE_UINT16_T
AC_TYPE_UINT32_T AC_TYPE_UINT32_T
AC_TYPE_UINT64_T AC_TYPE_UINT64_T
AX_GCC_BUILTIN([__builtin_clz])
################################################################################ ################################################################################
dnl -- Check for functions dnl -- Check for functions
@@ -194,15 +184,9 @@ AC_SUBST(HAVE_FULL_RELRO)
################################################################################ ################################################################################
dnl -- Prefix is /usr by default, the exec_prefix default is setup later dnl -- Prefix is /usr by default, the exec_prefix default is setup later
AC_PREFIX_DEFAULT(/usr) AC_PREFIX_DEFAULT(/usr)
if test "$prefix" = NONE; then
################################################################################ datarootdir=${ac_default_prefix}/share
dnl -- Clear default exec_prefix - install into /sbin rather than /usr/sbin fi
test "$exec_prefix" = NONE -a "$prefix" = NONE && exec_prefix=""
test "x$prefix" = xNONE && prefix=$ac_default_prefix
# Let make expand exec_prefix.
test "x$exec_prefix" = xNONE && exec_prefix='${prefix}'
################################################################################ ################################################################################
dnl -- Setup the ownership of the files dnl -- Setup the ownership of the files
@@ -417,6 +401,22 @@ AC_DEFINE_UNQUOTED([DEFAULT_RAID10_SEGTYPE], ["$DEFAULT_RAID10_SEGTYPE"],
[Default segtype used for raid10 volumes.]) [Default segtype used for raid10 volumes.])
################################################################################ ################################################################################
dnl -- asynchronous volume replicator inclusion type
AC_MSG_CHECKING(whether to include replicators)
AC_ARG_WITH(replicators,
AC_HELP_STRING([--with-replicators=TYPE],
[replicator support: internal/shared/none [none]]),
REPLICATORS=$withval, REPLICATORS=none)
AC_MSG_RESULT($REPLICATORS)
case "$REPLICATORS" in
none|shared) ;;
internal) AC_DEFINE([REPLICATOR_INTERNAL], 1,
[Define to 1 to include built-in support for replicators.]) ;;
*) AC_MSG_ERROR([--with-replicators parameter invalid ($REPLICATORS)]) ;;
esac
AC_ARG_WITH(default-sparse-segtype, AC_ARG_WITH(default-sparse-segtype,
AC_HELP_STRING([--with-default-sparse-segtype=TYPE], AC_HELP_STRING([--with-default-sparse-segtype=TYPE],
[default sparse segtype: thin/snapshot [thin]]), [default sparse segtype: thin/snapshot [thin]]),
@@ -471,7 +471,7 @@ case "$THIN" in
internal|shared) internal|shared)
# Empty means a config way to ignore thin checking # Empty means a config way to ignore thin checking
if test "$THIN_CHECK_CMD" = "autodetect"; then if test "$THIN_CHECK_CMD" = "autodetect"; then
AC_PATH_TOOL(THIN_CHECK_CMD, thin_check, [], [$PATH_SBIN]) AC_PATH_TOOL(THIN_CHECK_CMD, thin_check)
if test -z "$THIN_CHECK_CMD"; then if test -z "$THIN_CHECK_CMD"; then
AC_MSG_WARN([thin_check not found in path $PATH]) AC_MSG_WARN([thin_check not found in path $PATH])
THIN_CHECK_CMD=/usr/sbin/thin_check THIN_CHECK_CMD=/usr/sbin/thin_check
@@ -495,7 +495,7 @@ case "$THIN" in
fi fi
# Empty means a config way to ignore thin dumping # Empty means a config way to ignore thin dumping
if test "$THIN_DUMP_CMD" = "autodetect"; then if test "$THIN_DUMP_CMD" = "autodetect"; then
AC_PATH_TOOL(THIN_DUMP_CMD, thin_dump, [], [$PATH_SBIN]) AC_PATH_TOOL(THIN_DUMP_CMD, thin_dump)
test -z "$THIN_DUMP_CMD" && { test -z "$THIN_DUMP_CMD" && {
AC_MSG_WARN(thin_dump not found in path $PATH) AC_MSG_WARN(thin_dump not found in path $PATH)
THIN_DUMP_CMD=/usr/sbin/thin_dump THIN_DUMP_CMD=/usr/sbin/thin_dump
@@ -504,7 +504,7 @@ case "$THIN" in
fi fi
# Empty means a config way to ignore thin repairing # Empty means a config way to ignore thin repairing
if test "$THIN_REPAIR_CMD" = "autodetect"; then if test "$THIN_REPAIR_CMD" = "autodetect"; then
AC_PATH_TOOL(THIN_REPAIR_CMD, thin_repair, [], [$PATH_SBIN]) AC_PATH_TOOL(THIN_REPAIR_CMD, thin_repair)
test -z "$THIN_REPAIR_CMD" && { test -z "$THIN_REPAIR_CMD" && {
AC_MSG_WARN(thin_repair not found in path $PATH) AC_MSG_WARN(thin_repair not found in path $PATH)
THIN_REPAIR_CMD=/usr/sbin/thin_repair THIN_REPAIR_CMD=/usr/sbin/thin_repair
@@ -513,7 +513,7 @@ case "$THIN" in
fi fi
# Empty means a config way to ignore thin restoring # Empty means a config way to ignore thin restoring
if test "$THIN_RESTORE_CMD" = "autodetect"; then if test "$THIN_RESTORE_CMD" = "autodetect"; then
AC_PATH_TOOL(THIN_RESTORE_CMD, thin_restore, [], [$PATH_SBIN]) AC_PATH_TOOL(THIN_RESTORE_CMD, thin_restore)
test -z "$THIN_RESTORE_CMD" && { test -z "$THIN_RESTORE_CMD" && {
AC_MSG_WARN(thin_restore not found in path $PATH) AC_MSG_WARN(thin_restore not found in path $PATH)
THIN_RESTORE_CMD=/usr/sbin/thin_restore THIN_RESTORE_CMD=/usr/sbin/thin_restore
@@ -585,7 +585,7 @@ case "$CACHE" in
internal|shared) internal|shared)
# Empty means a config way to ignore cache checking # Empty means a config way to ignore cache checking
if test "$CACHE_CHECK_CMD" = "autodetect"; then if test "$CACHE_CHECK_CMD" = "autodetect"; then
AC_PATH_TOOL(CACHE_CHECK_CMD, cache_check, [], [$PATH_SBIN]) AC_PATH_TOOL(CACHE_CHECK_CMD, cache_check)
if test -z "$CACHE_CHECK_CMD"; then if test -z "$CACHE_CHECK_CMD"; then
AC_MSG_WARN([cache_check not found in path $PATH]) AC_MSG_WARN([cache_check not found in path $PATH])
CACHE_CHECK_CMD=/usr/sbin/cache_check CACHE_CHECK_CMD=/usr/sbin/cache_check
@@ -612,15 +612,11 @@ case "$CACHE" in
CACHE_CHECK_VERSION_WARN=y CACHE_CHECK_VERSION_WARN=y
CACHE_CHECK_NEEDS_CHECK=no CACHE_CHECK_NEEDS_CHECK=no
fi fi
if test "$CACHE_CHECK_VSN_MINOR" -lt 7 ; then
AC_MSG_WARN([$CACHE_CHECK_CMD: Old version "$CACHE_CHECK_VSN" does not support new cache format V2])
CACHE_CHECK_VERSION_WARN=y
fi
fi fi
fi fi
# Empty means a config way to ignore cache dumping # Empty means a config way to ignore cache dumping
if test "$CACHE_DUMP_CMD" = "autodetect"; then if test "$CACHE_DUMP_CMD" = "autodetect"; then
AC_PATH_TOOL(CACHE_DUMP_CMD, cache_dump, [], [$PATH_SBIN]) AC_PATH_TOOL(CACHE_DUMP_CMD, cache_dump)
test -z "$CACHE_DUMP_CMD" && { test -z "$CACHE_DUMP_CMD" && {
AC_MSG_WARN(cache_dump not found in path $PATH) AC_MSG_WARN(cache_dump not found in path $PATH)
CACHE_DUMP_CMD=/usr/sbin/cache_dump CACHE_DUMP_CMD=/usr/sbin/cache_dump
@@ -629,7 +625,7 @@ case "$CACHE" in
fi fi
# Empty means a config way to ignore cache repairing # Empty means a config way to ignore cache repairing
if test "$CACHE_REPAIR_CMD" = "autodetect"; then if test "$CACHE_REPAIR_CMD" = "autodetect"; then
AC_PATH_TOOL(CACHE_REPAIR_CMD, cache_repair, [], [$PATH_SBIN]) AC_PATH_TOOL(CACHE_REPAIR_CMD, cache_repair)
test -z "$CACHE_REPAIR_CMD" && { test -z "$CACHE_REPAIR_CMD" && {
AC_MSG_WARN(cache_repair not found in path $PATH) AC_MSG_WARN(cache_repair not found in path $PATH)
CACHE_REPAIR_CMD=/usr/sbin/cache_repair CACHE_REPAIR_CMD=/usr/sbin/cache_repair
@@ -638,7 +634,7 @@ case "$CACHE" in
fi fi
# Empty means a config way to ignore cache restoring # Empty means a config way to ignore cache restoring
if test "$CACHE_RESTORE_CMD" = "autodetect"; then if test "$CACHE_RESTORE_CMD" = "autodetect"; then
AC_PATH_TOOL(CACHE_RESTORE_CMD, cache_restore, [], [$PATH_SBIN]) AC_PATH_TOOL(CACHE_RESTORE_CMD, cache_restore)
test -z "$CACHE_RESTORE_CMD" && { test -z "$CACHE_RESTORE_CMD" && {
AC_MSG_WARN(cache_restore not found in path $PATH) AC_MSG_WARN(cache_restore not found in path $PATH)
CACHE_RESTORE_CMD=/usr/sbin/cache_restore CACHE_RESTORE_CMD=/usr/sbin/cache_restore
@@ -669,9 +665,11 @@ AC_DEFINE_UNQUOTED([CACHE_RESTORE_CMD], ["$CACHE_RESTORE_CMD"],
################################################################################ ################################################################################
dnl -- Disable readline dnl -- Disable readline
AC_MSG_CHECKING(whether to enable readline)
AC_ARG_ENABLE([readline], AC_ARG_ENABLE([readline],
AC_HELP_STRING([--disable-readline], [disable readline support]), AC_HELP_STRING([--disable-readline], [disable readline support]),
READLINE=$enableval, READLINE=maybe) READLINE=$enableval, READLINE=maybe)
AC_MSG_RESULT($READLINE)
################################################################################ ################################################################################
dnl -- Disable realtime clock support dnl -- Disable realtime clock support
@@ -1124,24 +1122,6 @@ if test "$DEVMAPPER" = yes; then
AC_DEFINE([DEVMAPPER_SUPPORT], 1, [Define to 1 to enable LVM2 device-mapper interaction.]) AC_DEFINE([DEVMAPPER_SUPPORT], 1, [Define to 1 to enable LVM2 device-mapper interaction.])
fi fi
################################################################################
dnl -- Disable aio
AC_MSG_CHECKING(whether to use asynchronous I/O)
AC_ARG_ENABLE(aio,
AC_HELP_STRING([--disable-aio],
[disable asynchronous I/O]),
AIO=$enableval)
AC_MSG_RESULT($AIO)
if test "$AIO" = yes; then
AC_CHECK_LIB(aio, io_setup,
[AC_DEFINE([AIO_SUPPORT], 1, [Define to 1 if aio is available.])
AIO_LIBS="-laio"
AIO_SUPPORT=yes],
[AIO_LIBS=
AIO_SUPPORT=no ])
fi
################################################################################ ################################################################################
dnl -- Build lvmetad dnl -- Build lvmetad
AC_MSG_CHECKING(whether to build LVMetaD) AC_MSG_CHECKING(whether to build LVMetaD)
@@ -1165,10 +1145,10 @@ AC_MSG_RESULT($BUILD_LVMPOLLD)
################################################################################ ################################################################################
BUILD_LVMLOCKD=no BUILD_LVMLOCKD=no
dnl -- Build lvmlockdsanlock dnl -- Build lockdsanlock
AC_MSG_CHECKING(whether to build lvmlockdsanlock) AC_MSG_CHECKING(whether to build lockdsanlock)
AC_ARG_ENABLE(lvmlockd-sanlock, AC_ARG_ENABLE(lockd-sanlock,
AC_HELP_STRING([--enable-lvmlockd-sanlock], AC_HELP_STRING([--enable-lockd-sanlock],
[enable the LVM lock daemon using sanlock]), [enable the LVM lock daemon using sanlock]),
LOCKDSANLOCK=$enableval) LOCKDSANLOCK=$enableval)
AC_MSG_RESULT($LOCKDSANLOCK) AC_MSG_RESULT($LOCKDSANLOCK)
@@ -1183,10 +1163,10 @@ if test "$BUILD_LOCKDSANLOCK" = yes; then
fi fi
################################################################################ ################################################################################
dnl -- Build lvmlockddlm dnl -- Build lockddlm
AC_MSG_CHECKING(whether to build lvmlockddlm) AC_MSG_CHECKING(whether to build lockddlm)
AC_ARG_ENABLE(lvmlockd-dlm, AC_ARG_ENABLE(lockd-dlm,
AC_HELP_STRING([--enable-lvmlockd-dlm], AC_HELP_STRING([--enable-lockd-dlm],
[enable the LVM lock daemon using dlm]), [enable the LVM lock daemon using dlm]),
LOCKDDLM=$enableval) LOCKDDLM=$enableval)
AC_MSG_RESULT($LOCKDDLM) AC_MSG_RESULT($LOCKDDLM)
@@ -1288,80 +1268,75 @@ fi
AC_DEFINE_UNQUOTED(DEFAULT_USE_LVMPOLLD, [$DEFAULT_USE_LVMPOLLD], AC_DEFINE_UNQUOTED(DEFAULT_USE_LVMPOLLD, [$DEFAULT_USE_LVMPOLLD],
[Use lvmpolld by default.]) [Use lvmpolld by default.])
################################################################################
dnl -- Check dmfilemapd
AC_MSG_CHECKING(whether to build dmfilemapd)
AC_ARG_ENABLE(dmfilemapd, AC_HELP_STRING([--enable-dmfilemapd],
[enable the dmstats filemap daemon]),
BUILD_DMFILEMAPD=$enableval, BUILD_DMFILEMAPD=no)
AC_MSG_RESULT($BUILD_DMFILEMAPD)
AC_DEFINE([DMFILEMAPD], $BUILD_DMFILEMAPD, [Define to 1 to enable the device-mapper filemap daemon.])
dnl -- dmfilemapd requires FIEMAP
if test "$BUILD_DMFILEMAPD" = yes; then
AC_CHECK_HEADER([linux/fiemap.h], , [AC_MSG_ERROR(--enable-dmfilemapd requires fiemap.h)])
fi
################################################################################ ################################################################################
dnl -- Build notifydbus dnl -- Build notifydbus
AC_MSG_CHECKING(whether to build notifydbus) AC_MSG_CHECKING(whether to build notifydbus)
AC_ARG_ENABLE(notify-dbus, AC_ARG_ENABLE(notify-dbus,
AC_HELP_STRING([--enable-notify-dbus], AC_HELP_STRING([--enable-notify-dbus],
[enable LVM notification using dbus]), [enable LVM notification using dbus]),
NOTIFYDBUS_SUPPORT=$enableval, NOTIFYDBUS_SUPPORT=no) NOTIFYDBUS=$enableval)
AC_MSG_RESULT($NOTIFYDBUS_SUPPORT) AC_MSG_RESULT($NOTIFYDBUS)
if test "$NOTIFYDBUS_SUPPORT" = yes; then BUILD_NOTIFYDBUS=$NOTIFYDBUS
if test "$BUILD_NOTIFYDBUS" = yes; then
AC_DEFINE([NOTIFYDBUS_SUPPORT], 1, [Define to 1 to include code that uses dbus notification.]) AC_DEFINE([NOTIFYDBUS_SUPPORT], 1, [Define to 1 to include code that uses dbus notification.])
SYSTEMD_LIBS="-lsystemd" LIBS="-lsystemd $LIBS"
fi fi
################################################################################ ################################################################################
dnl -- Look for dbus libraries dnl -- Look for dbus libraries
if test "$NOTIFYDBUS_SUPPORT" = yes; then if test "$BUILD_NOTIFYDBUS" = yes; then
PKG_CHECK_MODULES(NOTIFY_DBUS, systemd >= 221, [HAVE_NOTIFY_DBUS=yes], $bailout) PKG_CHECK_MODULES(NOTIFY_DBUS, systemd >= 221, [HAVE_NOTIFY_DBUS=yes], $bailout)
fi fi
################################################################################ ################################################################################
dnl -- Enable blkid wiping functionality dnl -- Enable blkid wiping functionality
AC_MSG_CHECKING(whether to enable libblkid detection of signatures when wiping)
AC_ARG_ENABLE(blkid_wiping, AC_ARG_ENABLE(blkid_wiping,
AC_HELP_STRING([--disable-blkid_wiping], AC_HELP_STRING([--disable-blkid_wiping],
[disable libblkid detection of signatures when wiping and use native code instead]), [disable libblkid detection of signatures when wiping and use native code instead]),
BLKID_WIPING=$enableval, BLKID_WIPING=maybe) BLKID_WIPING=$enableval, BLKID_WIPING=maybe)
AC_MSG_RESULT($BLKID_WIPING)
DEFAULT_USE_BLKID_WIPING=0
if test "$BLKID_WIPING" != no; then if test "$BLKID_WIPING" != no; then
pkg_config_init pkg_config_init
PKG_CHECK_MODULES(BLKID, blkid >= 2.24, PKG_CHECK_MODULES(BLKID, blkid >= 2.24,
[ BLKID_WIPING=yes [test "$BLKID_WIPING" = maybe && BLKID_WIPING=yes],
BLKID_PC="blkid" [if test "$BLKID_WIPING" = maybe; then
DEFAULT_USE_BLKID_WIPING=1
AC_DEFINE([BLKID_WIPING_SUPPORT], 1, [Define to 1 to use libblkid detection of signatures when wiping.])
], [if test "$BLKID_WIPING" = maybe; then
BLKID_WIPING=no BLKID_WIPING=no
else else
AC_MSG_ERROR([bailing out... blkid library >= 2.24 is required]) AC_MSG_ERROR([bailing out... blkid library >= 2.24 is required])
fi]) fi])
if test "$BLKID_WIPING" = yes; then
BLKID_PC="blkid"
DEFAULT_USE_BLKID_WIPING=1
AC_DEFINE([BLKID_WIPING_SUPPORT], 1, [Define to 1 to use libblkid detection of signatures when wiping.])
else
DEFAULT_USE_BLKID_WIPING=0
fi
else
DEFAULT_USE_BLKID_WIPING=0
fi fi
AC_MSG_CHECKING([whether to enable libblkid detection of signatures when wiping])
AC_MSG_RESULT($BLKID_WIPING)
AC_DEFINE_UNQUOTED(DEFAULT_USE_BLKID_WIPING, [$DEFAULT_USE_BLKID_WIPING], AC_DEFINE_UNQUOTED(DEFAULT_USE_BLKID_WIPING, [$DEFAULT_USE_BLKID_WIPING],
[Use blkid wiping by default.]) [Use blkid wiping by default.])
################################################################################ ################################################################################
dnl -- Enable udev-systemd protocol to instantiate a service for background jobs dnl -- Enable udev-systemd protocol to instantiate a service for background jobs
dnl -- Requires systemd version 205 at least (including support for systemd-run) dnl -- Requires systemd version 205 at least (including support for systemd-run)
AC_MSG_CHECKING(whether to use udev-systemd protocol for jobs in background)
AC_ARG_ENABLE(udev-systemd-background-jobs, AC_ARG_ENABLE(udev-systemd-background-jobs,
AC_HELP_STRING([--disable-udev-systemd-background-jobs], AC_HELP_STRING([--disable-udev-systemd-background-jobs],
[disable udev-systemd protocol to instantiate a service for background job]), [disable udev-systemd protocol to instantiate a service for background job]),
UDEV_SYSTEMD_BACKGROUND_JOBS=$enableval, UDEV_SYSTEMD_BACKGROUND_JOBS=$enableval,
UDEV_SYSTEMD_BACKGROUND_JOBS=maybe) UDEV_SYSTEMD_BACKGROUND_JOBS=maybe)
AC_MSG_RESULT($UDEV_SYSTEMD_BACKGROUND_JOBS)
if test "$UDEV_SYSTEMD_BACKGROUND_JOBS" != no; then if test "$UDEV_SYSTEMD_BACKGROUND_JOBS" != no; then
pkg_config_init pkg_config_init
PKG_CHECK_MODULES(SYSTEMD, systemd >= 205, PKG_CHECK_MODULES(SYSTEMD, systemd >= 205,
[UDEV_SYSTEMD_BACKGROUND_JOBS=yes], [test "$UDEV_SYSTEMD_BACKGROUND_JOBS" = maybe && UDEV_SYSTEMD_BACKGROUND_JOBS=yes],
[if test "$UDEV_SYSTEMD_BACKGROUND_JOBS" = maybe; then [if test "$UDEV_SYSTEMD_BACKGROUND_JOBS" = maybe; then
UDEV_SYSTEMD_BACKGROUND_JOBS=no UDEV_SYSTEMD_BACKGROUND_JOBS=no
else else
@@ -1369,9 +1344,6 @@ if test "$UDEV_SYSTEMD_BACKGROUND_JOBS" != no; then
fi]) fi])
fi fi
AC_MSG_CHECKING(whether to use udev-systemd protocol for jobs in background)
AC_MSG_RESULT($UDEV_SYSTEMD_BACKGROUND_JOBS)
################################################################################ ################################################################################
dnl -- Enable udev synchronisation dnl -- Enable udev synchronisation
AC_MSG_CHECKING(whether to enable synchronisation with udev processing) AC_MSG_CHECKING(whether to enable synchronisation with udev processing)
@@ -1475,8 +1447,6 @@ AC_SUBST([LVM2APP_LIB])
test "$APPLIB" = yes \ test "$APPLIB" = yes \
&& LVM2APP_LIB=-llvm2app \ && LVM2APP_LIB=-llvm2app \
|| LVM2APP_LIB= || LVM2APP_LIB=
AS_IF([test "$APPLIB"],
[AC_MSG_WARN([liblvm2app is deprecated. Use D-Bus API])])
################################################################################ ################################################################################
dnl -- Enable cmdlib dnl -- Enable cmdlib
@@ -1497,8 +1467,6 @@ AC_ARG_ENABLE(dbus-service,
AC_HELP_STRING([--enable-dbus-service], [install D-Bus support]), AC_HELP_STRING([--enable-dbus-service], [install D-Bus support]),
BUILD_LVMDBUSD=$enableval, BUILD_LVMDBUSD=no) BUILD_LVMDBUSD=$enableval, BUILD_LVMDBUSD=no)
AC_MSG_RESULT($BUILD_LVMDBUSD) AC_MSG_RESULT($BUILD_LVMDBUSD)
AS_IF([test "$NOTIFYDBUS_SUPPORT" = yes && test "BUILD_LVMDBUSD" = yes],
[AC_MSG_WARN([Building D-Bus support without D-Bus notifications.])])
################################################################################ ################################################################################
dnl -- Enable Python liblvm2app bindings dnl -- Enable Python liblvm2app bindings
@@ -1551,7 +1519,7 @@ if test "$PYTHON3_BINDINGS" = yes -o "$BUILD_LVMDBUSD" = yes; then
PYTHON3_INCDIRS=`"$PYTHON3_CONFIG" --includes` PYTHON3_INCDIRS=`"$PYTHON3_CONFIG" --includes`
PYTHON3_LIBDIRS=`"$PYTHON3_CONFIG" --libs` PYTHON3_LIBDIRS=`"$PYTHON3_CONFIG" --libs`
PYTHON3DIR=$pythondir PYTHON3DIR=$pythondir
test "$PYTHON3_BINDINGS" = yes && PYTHON_BINDINGS=yes PYTHON_BINDINGS=yes
fi fi
if test "$BUILD_LVMDBUSD" = yes; then if test "$BUILD_LVMDBUSD" = yes; then
@@ -1561,7 +1529,6 @@ if test "$BUILD_LVMDBUSD" = yes; then
fi fi
if test "$PYTHON_BINDINGS" = yes -o "$PYTHON2_BINDINGS" = yes -o "$PYTHON3_BINDINGS" = yes; then if test "$PYTHON_BINDINGS" = yes -o "$PYTHON2_BINDINGS" = yes -o "$PYTHON3_BINDINGS" = yes; then
AC_MSG_WARN([Python bindings are deprecated. Use D-Bus API])
test "$APPLIB" != yes && AC_MSG_ERROR([Python_bindings require --enable-applib]) test "$APPLIB" != yes && AC_MSG_ERROR([Python_bindings require --enable-applib])
fi fi
@@ -1597,11 +1564,13 @@ dnl -- enable dmeventd handling
AC_MSG_CHECKING(whether to use dmeventd) AC_MSG_CHECKING(whether to use dmeventd)
AC_ARG_ENABLE(dmeventd, AC_HELP_STRING([--enable-dmeventd], AC_ARG_ENABLE(dmeventd, AC_HELP_STRING([--enable-dmeventd],
[enable the device-mapper event daemon]), [enable the device-mapper event daemon]),
BUILD_DMEVENTD=$enableval, BUILD_DMEVENTD=no) DMEVENTD=$enableval)
AC_MSG_RESULT($BUILD_DMEVENTD) AC_MSG_RESULT($DMEVENTD)
BUILD_DMEVENTD=$DMEVENTD
dnl -- dmeventd currently requires internal mirror support dnl -- dmeventd currently requires internal mirror support
if test "$BUILD_DMEVENTD" = yes; then if test "$DMEVENTD" = yes; then
if test "$MIRRORS" != internal; then if test "$MIRRORS" != internal; then
AC_MSG_ERROR([--enable-dmeventd currently requires --with-mirrors=internal]) AC_MSG_ERROR([--enable-dmeventd currently requires --with-mirrors=internal])
fi fi
@@ -1625,6 +1594,10 @@ AC_CHECK_LIB(c, canonicalize_file_name,
AC_DEFINE([HAVE_CANONICALIZE_FILE_NAME], 1, AC_DEFINE([HAVE_CANONICALIZE_FILE_NAME], 1,
[Define to 1 if canonicalize_file_name is available.])) [Define to 1 if canonicalize_file_name is available.]))
################################################################################
dnl -- Clear default exec_prefix - install into /sbin rather than /usr/sbin
test "$exec_prefix" = NONE -a "$prefix" = NONE && exec_prefix=""
################################################################################ ################################################################################
dnl -- Check for dlopen dnl -- Check for dlopen
AC_CHECK_LIB(dl, dlopen, AC_CHECK_LIB(dl, dlopen,
@@ -1681,16 +1654,13 @@ fi
################################################################################ ################################################################################
dnl -- Check for realtime clock support dnl -- Check for realtime clock support
RT_LIBS=
HAVE_REALTIME=no
if test "$REALTIME" = yes; then if test "$REALTIME" = yes; then
AC_CHECK_FUNCS([clock_gettime], HAVE_REALTIME=yes) AC_CHECK_LIB(rt, clock_gettime, HAVE_REALTIME=yes, HAVE_REALTIME=no)
AS_IF([test "$HAVE_REALTIME" != yes], [ # try again with -lrt
AC_CHECK_LIB([rt], [clock_gettime], RT_LIBS="-lrt"; HAVE_REALTIME=yes)])
if test "$HAVE_REALTIME" = yes; then if test "$HAVE_REALTIME" = yes; then
AC_DEFINE([HAVE_REALTIME], 1, [Define to 1 to include support for realtime clock.]) AC_DEFINE([HAVE_REALTIME], 1, [Define to 1 to include support for realtime clock.])
LIBS="-lrt $LIBS"
RT_LIB="-lrt"
else else
AC_MSG_WARN(Disabling realtime clock) AC_MSG_WARN(Disabling realtime clock)
fi fi
@@ -1734,7 +1704,6 @@ Note: (n)curses also seems to work as a substitute for termcap. This was
AC_DEFINE([READLINE_SUPPORT], 1, AC_DEFINE([READLINE_SUPPORT], 1,
[Define to 1 to include the LVM readline shell.]) [Define to 1 to include the LVM readline shell.])
dnl -- Try only with -lreadline and check for different symbol dnl -- Try only with -lreadline and check for different symbol
READLINE=yes
LIBS=$lvm_saved_libs LIBS=$lvm_saved_libs
AC_CHECK_LIB([readline], [rl_line_buffer], AC_CHECK_LIB([readline], [rl_line_buffer],
[ READLINE_LIBS="-lreadline" ], [ [ READLINE_LIBS="-lreadline" ], [
@@ -1841,16 +1810,13 @@ dnl -- Ensure additional headers required
if test "$READLINE" = yes; then if test "$READLINE" = yes; then
AC_CHECK_HEADERS(readline/readline.h readline/history.h,,hard_bailout) AC_CHECK_HEADERS(readline/readline.h readline/history.h,,hard_bailout)
fi fi
AC_MSG_CHECKING(whether to enable readline)
AC_MSG_RESULT($READLINE)
if test "$BUILD_CMIRRORD" = yes; then if test "$BUILD_CMIRRORD" = yes; then
AC_CHECK_FUNCS(atexit,,hard_bailout) AC_CHECK_FUNCS(atexit,,hard_bailout)
fi fi
if test "$BUILD_LVMLOCKD" = yes; then if test "$BUILD_LVMLOCKD" = yes; then
AS_IF([test "$HAVE_REALTIME" != yes], [AC_MSG_ERROR([Realtime clock support is mandatory for lvmlockd.])]) AC_CHECK_FUNCS(clock_gettime strtoull,,hard_bailout)
AC_CHECK_FUNCS(strtoull,,hard_bailout)
fi fi
if test "$BUILD_LVMPOLLD" = yes; then if test "$BUILD_LVMPOLLD" = yes; then
@@ -1870,7 +1836,7 @@ if test "$CLUSTER" != none; then
AC_CHECK_FUNCS(socket,,hard_bailout) AC_CHECK_FUNCS(socket,,hard_bailout)
fi fi
if test "$BUILD_DMEVENTD" = yes; then if test "$DMEVENTD" = yes; then
AC_CHECK_HEADERS(arpa/inet.h,,hard_bailout) AC_CHECK_HEADERS(arpa/inet.h,,hard_bailout)
fi fi
@@ -1886,30 +1852,25 @@ if test "$UDEV_SYNC" = yes; then
AC_CHECK_HEADERS(sys/ipc.h sys/sem.h,,hard_bailout) AC_CHECK_HEADERS(sys/ipc.h sys/sem.h,,hard_bailout)
fi fi
if test "$BUILD_DMFILEMAPD" = yes; then
AC_CHECK_HEADERS([sys/inotify.h],,hard_bailout)
fi
################################################################################ ################################################################################
AC_PATH_TOOL(MODPROBE_CMD, modprobe, [], [$PATH_SBIN]) AC_PATH_TOOL(MODPROBE_CMD, modprobe)
if test -n "$MODPROBE_CMD"; then if test -n "$MODPROBE_CMD"; then
AC_DEFINE_UNQUOTED([MODPROBE_CMD], ["$MODPROBE_CMD"], [The path to 'modprobe', if available.]) AC_DEFINE_UNQUOTED([MODPROBE_CMD], ["$MODPROBE_CMD"], [The path to 'modprobe', if available.])
fi fi
SYSCONFDIR="$(eval echo $(eval echo $sysconfdir))"
SBINDIR="$(eval echo $(eval echo $sbindir))" lvm_exec_prefix=$exec_prefix
LVM_PATH="$SBINDIR/lvm" test "$lvm_exec_prefix" = NONE && lvm_exec_prefix=$prefix
test "$lvm_exec_prefix" = NONE && lvm_exec_prefix=$ac_default_prefix
LVM_PATH="$lvm_exec_prefix/sbin/lvm"
AC_DEFINE_UNQUOTED(LVM_PATH, ["$LVM_PATH"], [Path to lvm binary.]) AC_DEFINE_UNQUOTED(LVM_PATH, ["$LVM_PATH"], [Path to lvm binary.])
USRSBINDIR="$(eval echo $(eval echo $usrsbindir))" clvmd_prefix=$ac_default_prefix
CLVMD_PATH="$USRSBINDIR/clvmd" test "$prefix" != NONE && clvmd_prefix=$prefix
CLVMD_PATH="$clvmd_prefix/sbin/clvmd"
AC_DEFINE_UNQUOTED(CLVMD_PATH, ["$CLVMD_PATH"], [Path to clvmd binary.]) AC_DEFINE_UNQUOTED(CLVMD_PATH, ["$CLVMD_PATH"], [Path to clvmd binary.])
FSADM_PATH="$SBINDIR/fsadm"
AC_DEFINE_UNQUOTED(FSADM_PATH, ["$FSADM_PATH"], [Path to fsadm binary.])
################################################################################ ################################################################################
dnl -- dmeventd pidfile and executable path dnl -- dmeventd pidfile and executable path
if test "$BUILD_DMEVENTD" = yes; then if test "$BUILD_DMEVENTD" = yes; then
@@ -1927,7 +1888,7 @@ if test "$BUILD_DMEVENTD" = yes; then
AC_HELP_STRING([--with-dmeventd-path=PATH], AC_HELP_STRING([--with-dmeventd-path=PATH],
[dmeventd path [EPREFIX/sbin/dmeventd]]), [dmeventd path [EPREFIX/sbin/dmeventd]]),
DMEVENTD_PATH=$withval, DMEVENTD_PATH=$withval,
DMEVENTD_PATH="$SBINDIR/dmeventd") DMEVENTD_PATH="$lvm_exec_prefix/sbin/dmeventd")
AC_DEFINE_UNQUOTED(DMEVENTD_PATH, ["$DMEVENTD_PATH"], AC_DEFINE_UNQUOTED(DMEVENTD_PATH, ["$DMEVENTD_PATH"],
[Path to dmeventd binary.]) [Path to dmeventd binary.])
fi fi
@@ -1970,17 +1931,13 @@ AC_ARG_WITH(default-cache-subdir,
AC_DEFINE_UNQUOTED(DEFAULT_CACHE_SUBDIR, ["$DEFAULT_CACHE_SUBDIR"], AC_DEFINE_UNQUOTED(DEFAULT_CACHE_SUBDIR, ["$DEFAULT_CACHE_SUBDIR"],
[Name of default metadata cache subdirectory.]) [Name of default metadata cache subdirectory.])
# Select default system locking dir, prefer /run/lock over /var/lock
DEFAULT_SYS_LOCK_DIR="$RUN_DIR/lock"
test -d "$DEFAULT_SYS_LOCK_DIR" || DEFAULT_SYS_LOCK_DIR="/var/lock"
# Support configurable locking subdir for lvm
AC_ARG_WITH(default-locking-dir, AC_ARG_WITH(default-locking-dir,
AC_HELP_STRING([--with-default-locking-dir=DIR], AC_HELP_STRING([--with-default-locking-dir=DIR],
[default locking directory [autodetect_lock_dir/lvm]]), [default locking directory [autodetect_lock_dir/lvm]]),
DEFAULT_LOCK_DIR=$withval, DEFAULT_LOCK_DIR=$withval,
[AC_MSG_CHECKING(for default lock directory) [AC_MSG_CHECKING(for default lock directory)
DEFAULT_LOCK_DIR="$DEFAULT_SYS_LOCK_DIR/lvm" DEFAULT_LOCK_DIR="$RUN_DIR/lock/lvm"
test -d "$RUN_DIR/lock" || DEFAULT_LOCK_DIR="/var/lock/lvm"
AC_MSG_RESULT($DEFAULT_LOCK_DIR)]) AC_MSG_RESULT($DEFAULT_LOCK_DIR)])
AC_DEFINE_UNQUOTED(DEFAULT_LOCK_DIR, ["$DEFAULT_LOCK_DIR"], AC_DEFINE_UNQUOTED(DEFAULT_LOCK_DIR, ["$DEFAULT_LOCK_DIR"],
[Name of default locking directory.]) [Name of default locking directory.])
@@ -2022,8 +1979,6 @@ LVM_MINOR=`echo "$VER" | $AWK -F '.' '{print $2}'`
LVM_PATCHLEVEL=`echo "$VER" | $AWK -F '[[(.]]' '{print $3}'` LVM_PATCHLEVEL=`echo "$VER" | $AWK -F '[[(.]]' '{print $3}'`
LVM_LIBAPI=`echo "$VER" | $AWK -F '[[()]]' '{print $2}'` LVM_LIBAPI=`echo "$VER" | $AWK -F '[[()]]' '{print $2}'`
AC_DEFINE_UNQUOTED(LVM_CONFIGURE_LINE, "$CONFIGURE_LINE", [configure command line used])
################################################################################ ################################################################################
AC_SUBST(APPLIB) AC_SUBST(APPLIB)
AC_SUBST(AWK) AC_SUBST(AWK)
@@ -2036,7 +1991,7 @@ AC_SUBST(BUILD_LVMPOLLD)
AC_SUBST(BUILD_LVMLOCKD) AC_SUBST(BUILD_LVMLOCKD)
AC_SUBST(BUILD_LOCKDSANLOCK) AC_SUBST(BUILD_LOCKDSANLOCK)
AC_SUBST(BUILD_LOCKDDLM) AC_SUBST(BUILD_LOCKDDLM)
AC_SUBST(BUILD_DMFILEMAPD) AC_SUBST(BUILD_NOTIFYDBUS)
AC_SUBST(CACHE) AC_SUBST(CACHE)
AC_SUBST(CFLAGS) AC_SUBST(CFLAGS)
AC_SUBST(CFLOW_CMD) AC_SUBST(CFLOW_CMD)
@@ -2075,22 +2030,19 @@ AC_SUBST(DEFAULT_RAID10_SEGTYPE)
AC_SUBST(DEFAULT_RUN_DIR) AC_SUBST(DEFAULT_RUN_DIR)
AC_SUBST(DEFAULT_SPARSE_SEGTYPE) AC_SUBST(DEFAULT_SPARSE_SEGTYPE)
AC_SUBST(DEFAULT_SYS_DIR) AC_SUBST(DEFAULT_SYS_DIR)
AC_SUBST(DEFAULT_SYS_LOCK_DIR)
AC_SUBST(DEFAULT_USE_BLKID_WIPING) AC_SUBST(DEFAULT_USE_BLKID_WIPING)
AC_SUBST(DEFAULT_USE_LVMETAD) AC_SUBST(DEFAULT_USE_LVMETAD)
AC_SUBST(DEFAULT_USE_LVMPOLLD) AC_SUBST(DEFAULT_USE_LVMPOLLD)
AC_SUBST(DEFAULT_USE_LVMLOCKD) AC_SUBST(DEFAULT_USE_LVMLOCKD)
AC_SUBST(DEVMAPPER) AC_SUBST(DEVMAPPER)
AC_SUBST(AIO)
AC_SUBST(DLM_CFLAGS) AC_SUBST(DLM_CFLAGS)
AC_SUBST(DLM_LIBS) AC_SUBST(DLM_LIBS)
AC_SUBST(DL_LIBS) AC_SUBST(DL_LIBS)
AC_SUBST(AIO_LIBS) AC_SUBST(DMEVENTD)
AC_SUBST(DMEVENTD_PATH) AC_SUBST(DMEVENTD_PATH)
AC_SUBST(DM_LIB_PATCHLEVEL) AC_SUBST(DM_LIB_PATCHLEVEL)
AC_SUBST(ELDFLAGS) AC_SUBST(ELDFLAGS)
AC_SUBST(FSADM) AC_SUBST(FSADM)
AC_SUBST(FSADM_PATH)
AC_SUBST(BLKDEACTIVATE) AC_SUBST(BLKDEACTIVATE)
AC_SUBST(HAVE_LIBDL) AC_SUBST(HAVE_LIBDL)
AC_SUBST(HAVE_REALTIME) AC_SUBST(HAVE_REALTIME)
@@ -2116,7 +2068,6 @@ AC_SUBST(MIRRORS)
AC_SUBST(MSGFMT) AC_SUBST(MSGFMT)
AC_SUBST(OCF) AC_SUBST(OCF)
AC_SUBST(OCFDIR) AC_SUBST(OCFDIR)
AC_SUBST(ODIRECT)
AC_SUBST(PKGCONFIG) AC_SUBST(PKGCONFIG)
AC_SUBST(POOL) AC_SUBST(POOL)
AC_SUBST(M_LIBS) AC_SUBST(M_LIBS)
@@ -2135,18 +2086,15 @@ AC_SUBST(PYTHON3DIR)
AC_SUBST(QUORUM_CFLAGS) AC_SUBST(QUORUM_CFLAGS)
AC_SUBST(QUORUM_LIBS) AC_SUBST(QUORUM_LIBS)
AC_SUBST(RAID) AC_SUBST(RAID)
AC_SUBST(RT_LIBS) AC_SUBST(RT_LIB)
AC_SUBST(READLINE_LIBS) AC_SUBST(READLINE_LIBS)
AC_SUBST(REPLICATORS) AC_SUBST(REPLICATORS)
AC_SUBST(SACKPT_CFLAGS) AC_SUBST(SACKPT_CFLAGS)
AC_SUBST(SACKPT_LIBS) AC_SUBST(SACKPT_LIBS)
AC_SUBST(SALCK_CFLAGS) AC_SUBST(SALCK_CFLAGS)
AC_SUBST(SALCK_LIBS) AC_SUBST(SALCK_LIBS)
AC_SUBST(SBINDIR)
AC_SUBST(SELINUX_LIBS) AC_SUBST(SELINUX_LIBS)
AC_SUBST(SELINUX_PC) AC_SUBST(SELINUX_PC)
AC_SUBST(SYSCONFDIR)
AC_SUBST(SYSTEMD_LIBS)
AC_SUBST(SNAPSHOTS) AC_SUBST(SNAPSHOTS)
AC_SUBST(STATICDIR) AC_SUBST(STATICDIR)
AC_SUBST(STATIC_LINK) AC_SUBST(STATIC_LINK)
@@ -2168,7 +2116,6 @@ AC_SUBST(UDEV_SYSTEMD_BACKGROUND_JOBS)
AC_SUBST(UDEV_RULE_EXEC_DETECTION) AC_SUBST(UDEV_RULE_EXEC_DETECTION)
AC_SUBST(UDEV_HAS_BUILTIN_BLKID) AC_SUBST(UDEV_HAS_BUILTIN_BLKID)
AC_SUBST(USE_TRACKING) AC_SUBST(USE_TRACKING)
AC_SUBST(USRSBINDIR)
AC_SUBST(VALGRIND_POOL) AC_SUBST(VALGRIND_POOL)
AC_SUBST(WRITE_INSTALL) AC_SUBST(WRITE_INSTALL)
AC_SUBST(DMEVENTD_PIDFILE) AC_SUBST(DMEVENTD_PIDFILE)
@@ -2207,11 +2154,7 @@ daemons/dmeventd/plugins/raid/Makefile
daemons/dmeventd/plugins/mirror/Makefile daemons/dmeventd/plugins/mirror/Makefile
daemons/dmeventd/plugins/snapshot/Makefile daemons/dmeventd/plugins/snapshot/Makefile
daemons/dmeventd/plugins/thin/Makefile daemons/dmeventd/plugins/thin/Makefile
daemons/dmfilemapd/Makefile
daemons/lvmdbusd/Makefile daemons/lvmdbusd/Makefile
daemons/lvmdbusd/lvmdbusd
daemons/lvmdbusd/lvmdb.py
daemons/lvmdbusd/lvm_shell_proxy.py
daemons/lvmdbusd/path.py daemons/lvmdbusd/path.py
daemons/lvmetad/Makefile daemons/lvmetad/Makefile
daemons/lvmpolld/Makefile daemons/lvmpolld/Makefile
@@ -2228,6 +2171,7 @@ lib/format1/Makefile
lib/format_pool/Makefile lib/format_pool/Makefile
lib/locking/Makefile lib/locking/Makefile
lib/mirror/Makefile lib/mirror/Makefile
lib/replicator/Makefile
include/lvm-version.h include/lvm-version.h
lib/raid/Makefile lib/raid/Makefile
lib/snapshot/Makefile lib/snapshot/Makefile
@@ -2269,7 +2213,6 @@ scripts/lvm2_monitoring_init_red_hat
scripts/lvm2_monitoring_systemd_red_hat.service scripts/lvm2_monitoring_systemd_red_hat.service
scripts/lvm2_pvscan_systemd_red_hat@.service scripts/lvm2_pvscan_systemd_red_hat@.service
scripts/lvm2_tmpfiles_red_hat.conf scripts/lvm2_tmpfiles_red_hat.conf
scripts/lvmdump.sh
scripts/Makefile scripts/Makefile
test/Makefile test/Makefile
test/api/Makefile test/api/Makefile
@@ -2286,14 +2229,10 @@ AS_IF([test -n "$THIN_CONFIGURE_WARN"],
[AC_MSG_WARN([Support for thin provisioning is limited since some thin provisioning tools are missing!])]) [AC_MSG_WARN([Support for thin provisioning is limited since some thin provisioning tools are missing!])])
AS_IF([test -n "$THIN_CHECK_VERSION_WARN"], AS_IF([test -n "$THIN_CHECK_VERSION_WARN"],
[AC_MSG_WARN([You should also install latest thin_check vsn 0.7.0 (or later) for lvm2 thin provisioning])]) [AC_MSG_WARN([You should also install thin_check vsn 0.3.2 (or later) to use lvm2 thin provisioning])])
AS_IF([test -n "$CACHE_CONFIGURE_WARN"], AS_IF([test -n "$CACHE_CONFIGURE_WARN"],
[AC_MSG_WARN([Support for cache is limited since some cache tools are missing!])]) [AC_MSG_WARN([Support for cache is limited since some cache tools are missing!])])
AS_IF([test -n "$CACHE_CHECK_VERSION_WARN"],
[AC_MSG_WARN([You should install latest cache_check vsn 0.7.0 to use lvm2 cache metadata format 2])])
AS_IF([test "$ODIRECT" != yes], AS_IF([test "$ODIRECT" != yes],
[AC_MSG_WARN([O_DIRECT disabled: low-memory pvmove may lock up])]) [AC_MSG_WARN([O_DIRECT disabled: low-memory pvmove may lock up])])

View File

@@ -41,19 +41,6 @@ struct lv_segment *last_seg(const struct logical_volume *lv)
return ((struct lv_segment **)lv)[0]; return ((struct lv_segment **)lv)[0];
} }
const char *find_config_tree_str(struct cmd_context *cmd, int id, struct profile *profile)
{
return "STRING";
}
struct logical_volume *origin_from_cow(const struct logical_volume *lv)
{
if (lv)
return lv;
__coverity_panic__();
}
/* simple_memccpy() from glibc */ /* simple_memccpy() from glibc */
void *memccpy(void *dest, const void *src, int c, size_t n) void *memccpy(void *dest, const void *src, int c, size_t n)
{ {
@@ -84,17 +71,6 @@ void model_FD_ZERO(void *fdset)
((long*)fdset)[i] = 0; ((long*)fdset)[i] = 0;
} }
/* Resent Coverity reports quite weird errors... */
int *__errno_location(void)
{
}
const unsigned short **__ctype_b_loc (void)
{
}
/* /*
* Added extra pointer check to not need these models, * Added extra pointer check to not need these models,
* for now just keep then in file * for now just keep then in file

View File

@@ -48,12 +48,8 @@ ifeq ("@BUILD_LVMDBUSD@", "yes")
SUBDIRS += lvmdbusd SUBDIRS += lvmdbusd
endif endif
ifeq ("@BUILD_DMFILEMAPD@", "yes")
SUBDIRS += dmfilemapd
endif
ifeq ($(MAKECMDGOALS),distclean) ifeq ($(MAKECMDGOALS),distclean)
SUBDIRS = clvmd cmirrord dmeventd lvmetad lvmpolld lvmlockd lvmdbusd dmfilemapd SUBDIRS = clvmd cmirrord dmeventd lvmetad lvmpolld lvmlockd lvmdbusd
endif endif
include $(top_builddir)/make.tmpl include $(top_builddir)/make.tmpl

View File

@@ -72,17 +72,26 @@ endif
TARGETS = \ TARGETS = \
clvmd clvmd
LVMLIBS = $(LVMINTERNAL_LIBS)
ifeq ("@DMEVENTD@", "yes")
LVMLIBS += -ldevmapper-event
endif
include $(top_builddir)/make.tmpl include $(top_builddir)/make.tmpl
LIBS += $(LVMINTERNAL_LIBS) -ldevmapper $(PTHREAD_LIBS) LVMLIBS += -ldevmapper
LIBS += $(PTHREAD_LIBS)
CFLAGS += -fno-strict-aliasing $(EXTRA_EXEC_CFLAGS) CFLAGS += -fno-strict-aliasing $(EXTRA_EXEC_CFLAGS)
LDFLAGS += $(EXTRA_EXEC_LDFLAGS)
INSTALL_TARGETS = \ INSTALL_TARGETS = \
install_clvmd install_clvmd
clvmd: $(OBJECTS) $(top_builddir)/lib/liblvm-internal.a clvmd: $(OBJECTS) $(top_builddir)/lib/liblvm-internal.a
$(CC) $(CFLAGS) $(LDFLAGS) $(EXTRA_EXEC_LDFLAGS) $(ELDFLAGS) \ $(CC) $(CFLAGS) $(LDFLAGS) -o clvmd $(OBJECTS) \
-o clvmd $(OBJECTS) $(LMLIBS) $(LIBS) $(LVMLIBS) $(LMLIBS) $(LIBS)
.PHONY: install_clvmd .PHONY: install_clvmd

View File

@@ -171,10 +171,8 @@ int do_command(struct local_client *client, struct clvm_header *msg, int msglen,
/* Check the status of the command and return the error text */ /* Check the status of the command and return the error text */
if (status) { if (status) {
if (*buf) *retlen = 1 + ((*buf) ? dm_snprintf(*buf, buflen, "%s",
*retlen = dm_snprintf(*buf, buflen, "%s", strerror(status)) + 1; strerror(status)) : -1);
else
*retlen = 0;
} }
return status; return status;
@@ -208,7 +206,7 @@ static int lock_vg(struct local_client *client)
lock_mode = ((int) lock_cmd & LCK_TYPE_MASK); lock_mode = ((int) lock_cmd & LCK_TYPE_MASK);
/* lock_flags = args[1]; */ /* lock_flags = args[1]; */
lockname = &args[2]; lockname = &args[2];
DEBUGLOG("(%p) doing PRE command LOCK_VG '%s' at %x\n", client, lockname, lock_cmd); DEBUGLOG("doing PRE command LOCK_VG '%s' at %x (client=%p)\n", lockname, lock_cmd, client);
if (lock_mode == LCK_UNLOCK) { if (lock_mode == LCK_UNLOCK) {
if (!(lkid = (int) (long) dm_hash_lookup(lock_hash, lockname))) if (!(lkid = (int) (long) dm_hash_lookup(lock_hash, lockname)))
@@ -325,7 +323,7 @@ void cmd_client_cleanup(struct local_client *client)
int lkid; int lkid;
char *lockname; char *lockname;
DEBUGLOG("(%p) Client thread cleanup\n", client); DEBUGLOG("Client thread cleanup (%p)\n", client);
if (!client->bits.localsock.private) if (!client->bits.localsock.private)
return; return;
@@ -334,7 +332,7 @@ void cmd_client_cleanup(struct local_client *client)
dm_hash_iterate(v, lock_hash) { dm_hash_iterate(v, lock_hash) {
lkid = (int)(long)dm_hash_get_data(lock_hash, v); lkid = (int)(long)dm_hash_get_data(lock_hash, v);
lockname = dm_hash_get_key(lock_hash, v); lockname = dm_hash_get_key(lock_hash, v);
DEBUGLOG("(%p) Cleanup: Unlocking lock %s %x\n", client, lockname, lkid); DEBUGLOG("Cleanup (%p): Unlocking lock %s %x\n", client, lockname, lkid);
(void) sync_unlock(lockname, lkid); (void) sync_unlock(lockname, lkid);
} }

View File

@@ -532,7 +532,6 @@ static int _cluster_fd_callback(struct local_client *fd, char *buf, int len,
static int _cluster_send_message(const void *buf, int msglen, const char *csid, static int _cluster_send_message(const void *buf, int msglen, const char *csid,
const char *errtext) const char *errtext)
{ {
static pthread_mutex_t _mutex = PTHREAD_MUTEX_INITIALIZER;
struct iovec iov[2]; struct iovec iov[2];
cs_error_t err; cs_error_t err;
int target_node; int target_node;
@@ -547,10 +546,7 @@ static int _cluster_send_message(const void *buf, int msglen, const char *csid,
iov[1].iov_base = (char *)buf; iov[1].iov_base = (char *)buf;
iov[1].iov_len = msglen; iov[1].iov_len = msglen;
pthread_mutex_lock(&_mutex);
err = cpg_mcast_joined(cpg_handle, CPG_TYPE_AGREED, iov, 2); err = cpg_mcast_joined(cpg_handle, CPG_TYPE_AGREED, iov, 2);
pthread_mutex_unlock(&_mutex);
return cs_to_errno(err); return cs_to_errno(err);
} }

View File

@@ -425,6 +425,8 @@ static void _add_up_node(const char *csid)
DEBUGLOG("openais_add_up_node %d\n", ninfo->nodeid); DEBUGLOG("openais_add_up_node %d\n", ninfo->nodeid);
ninfo->state = NODE_CLVMD; ninfo->state = NODE_CLVMD;
return;
} }
/* Call a callback for each node, so the caller knows whether it's up or down */ /* Call a callback for each node, so the caller knows whether it's up or down */

View File

@@ -58,7 +58,6 @@
/* Head of the fd list. Also contains /* Head of the fd list. Also contains
the cluster_socket details */ the cluster_socket details */
static struct local_client local_client_head; static struct local_client local_client_head;
static int _local_client_count = 0;
static unsigned short global_xid = 0; /* Last transaction ID issued */ static unsigned short global_xid = 0; /* Last transaction ID issued */
@@ -69,37 +68,6 @@ static unsigned max_csid_len;
static unsigned max_cluster_message; static unsigned max_cluster_message;
static unsigned max_cluster_member_name_len; static unsigned max_cluster_member_name_len;
static void _add_client(struct local_client *new_client, struct local_client *existing_client)
{
_local_client_count++;
DEBUGLOG("(%p) Adding listener for fd %d. (Now %d monitored fds.)\n", new_client, new_client->fd, _local_client_count);
new_client->next = existing_client->next;
existing_client->next = new_client;
}
int add_client(struct local_client *new_client)
{
_add_client(new_client, &local_client_head);
return 0;
}
/* Returns 0 if delfd is found and removed from list */
static int _del_client(struct local_client *delfd)
{
struct local_client *lastfd, *thisfd;
for (lastfd = &local_client_head; (thisfd = lastfd->next); lastfd = thisfd)
if (thisfd == delfd) {
DEBUGLOG("(%p) Removing listener for fd %d\n", thisfd, thisfd->fd);
lastfd->next = delfd->next;
_local_client_count--;
return 0;
}
return 1;
}
/* Structure of items on the LVM thread list */ /* Structure of items on the LVM thread list */
struct lvm_thread_cmd { struct lvm_thread_cmd {
struct dm_list list; struct dm_list list;
@@ -124,7 +92,6 @@ static const size_t STACK_SIZE = 128 * 1024;
static pthread_attr_t stack_attr; static pthread_attr_t stack_attr;
static int lvm_thread_exit = 0; static int lvm_thread_exit = 0;
static pthread_mutex_t lvm_thread_mutex; static pthread_mutex_t lvm_thread_mutex;
static pthread_mutex_t _debuglog_mutex = PTHREAD_MUTEX_INITIALIZER;
static pthread_cond_t lvm_thread_cond; static pthread_cond_t lvm_thread_cond;
static pthread_barrier_t lvm_start_barrier; static pthread_barrier_t lvm_start_barrier;
static struct dm_list lvm_cmd_head; static struct dm_list lvm_cmd_head;
@@ -251,17 +218,14 @@ void debuglog(const char *fmt, ...)
switch (clvmd_get_debug()) { switch (clvmd_get_debug()) {
case DEBUG_STDERR: case DEBUG_STDERR:
pthread_mutex_lock(&_debuglog_mutex);
va_start(ap,fmt); va_start(ap,fmt);
time(&P); time(&P);
fprintf(stderr, "CLVMD[%x]: %.15s ", (int)pthread_self(), ctime_r(&P, buf_ctime) + 4); fprintf(stderr, "CLVMD[%x]: %.15s ", (int)pthread_self(), ctime_r(&P, buf_ctime) + 4);
vfprintf(stderr, fmt, ap); vfprintf(stderr, fmt, ap);
va_end(ap); va_end(ap);
fflush(stderr); fflush(stderr);
pthread_mutex_unlock(&_debuglog_mutex);
break; break;
case DEBUG_SYSLOG: case DEBUG_SYSLOG:
pthread_mutex_lock(&_debuglog_mutex);
if (!syslog_init) { if (!syslog_init) {
openlog("clvmd", LOG_PID, LOG_DAEMON); openlog("clvmd", LOG_PID, LOG_DAEMON);
syslog_init = 1; syslog_init = 1;
@@ -270,7 +234,6 @@ void debuglog(const char *fmt, ...)
va_start(ap,fmt); va_start(ap,fmt);
vsyslog(LOG_DEBUG, fmt, ap); vsyslog(LOG_DEBUG, fmt, ap);
va_end(ap); va_end(ap);
pthread_mutex_unlock(&_debuglog_mutex);
break; break;
case DEBUG_OFF: case DEBUG_OFF:
break; break;
@@ -554,7 +517,7 @@ int main(int argc, char *argv[])
/* Initialise the LVM thread variables */ /* Initialise the LVM thread variables */
dm_list_init(&lvm_cmd_head); dm_list_init(&lvm_cmd_head);
if (pthread_attr_init(&stack_attr) || if (pthread_attr_init(&stack_attr) ||
pthread_attr_setstacksize(&stack_attr, STACK_SIZE + getpagesize())) { pthread_attr_setstacksize(&stack_attr, STACK_SIZE)) {
log_sys_error("pthread_attr_init", ""); log_sys_error("pthread_attr_init", "");
exit(1); exit(1);
} }
@@ -621,7 +584,6 @@ int main(int argc, char *argv[])
local_client_head.fd = clops->get_main_cluster_fd(); local_client_head.fd = clops->get_main_cluster_fd();
local_client_head.type = CLUSTER_MAIN_SOCK; local_client_head.type = CLUSTER_MAIN_SOCK;
local_client_head.callback = clops->cluster_fd_callback; local_client_head.callback = clops->cluster_fd_callback;
_local_client_count++;
/* Add the local socket to the list */ /* Add the local socket to the list */
if (!(newfd = dm_zalloc(sizeof(struct local_client)))) { if (!(newfd = dm_zalloc(sizeof(struct local_client)))) {
@@ -632,14 +594,14 @@ int main(int argc, char *argv[])
newfd->fd = local_sock; newfd->fd = local_sock;
newfd->type = LOCAL_RENDEZVOUS; newfd->type = LOCAL_RENDEZVOUS;
newfd->callback = local_rendezvous_callback; newfd->callback = local_rendezvous_callback;
newfd->next = local_client_head.next;
(void) add_client(newfd); local_client_head.next = newfd;
/* This needs to be started after cluster initialisation /* This needs to be started after cluster initialisation
as it may need to take out locks */ as it may need to take out locks */
DEBUGLOG("Starting LVM thread\n"); DEBUGLOG("Starting LVM thread\n");
DEBUGLOG("(%p) Main cluster socket fd %d with local socket %d (%p)\n", DEBUGLOG("Main cluster socket fd %d (%p) with local socket %d (%p)\n",
&local_client_head, local_client_head.fd, newfd->fd, newfd); local_client_head.fd, &local_client_head, newfd->fd, newfd);
/* Don't let anyone else to do work until we are started */ /* Don't let anyone else to do work until we are started */
if (pthread_create(&lvm_thread, &stack_attr, lvm_thread_fn, &lvm_params)) { if (pthread_create(&lvm_thread, &stack_attr, lvm_thread_fn, &lvm_params)) {
@@ -675,7 +637,6 @@ int main(int argc, char *argv[])
while ((delfd = local_client_head.next)) { while ((delfd = local_client_head.next)) {
local_client_head.next = delfd->next; local_client_head.next = delfd->next;
_local_client_count--;
/* Failing cleanup_zombie leaks... */ /* Failing cleanup_zombie leaks... */
if (delfd->type == LOCAL_SOCK && !cleanup_zombie(delfd)) if (delfd->type == LOCAL_SOCK && !cleanup_zombie(delfd))
cmd_client_cleanup(delfd); /* calls sync_unlock */ cmd_client_cleanup(delfd); /* calls sync_unlock */
@@ -737,13 +698,13 @@ static int local_rendezvous_callback(struct local_client *thisfd, char *buf,
pthread_mutex_init(&newfd->bits.localsock.mutex, NULL); pthread_mutex_init(&newfd->bits.localsock.mutex, NULL);
if (fcntl(client_fd, F_SETFD, 1)) if (fcntl(client_fd, F_SETFD, 1))
DEBUGLOG("(%p) Setting CLOEXEC on client fd %d failed: %s\n", thisfd, client_fd, strerror(errno)); DEBUGLOG("Setting CLOEXEC on client fd failed: %s\n", strerror(errno));
newfd->fd = client_fd; newfd->fd = client_fd;
newfd->type = LOCAL_SOCK; newfd->type = LOCAL_SOCK;
newfd->callback = local_sock_callback; newfd->callback = local_sock_callback;
newfd->bits.localsock.all_success = 1; newfd->bits.localsock.all_success = 1;
DEBUGLOG("(%p) Got new connection on fd %d\n", newfd, newfd->fd); DEBUGLOG("Got new connection on fd %d (%p)\n", newfd->fd, newfd);
*new_client = newfd; *new_client = newfd;
} }
return 1; return 1;
@@ -765,8 +726,8 @@ static int local_pipe_callback(struct local_client *thisfd, char *buf,
if (len == sizeof(int)) if (len == sizeof(int))
memcpy(&status, buffer, sizeof(int)); memcpy(&status, buffer, sizeof(int));
DEBUGLOG("(%p) Read on pipe %d, %d bytes, status %d\n", DEBUGLOG("Read on pipe %d, %d bytes, status %d\n",
thisfd, thisfd->fd, len, status); thisfd->fd, len, status);
/* EOF on pipe or an error, close it */ /* EOF on pipe or an error, close it */
if (len <= 0) { if (len <= 0) {
@@ -789,11 +750,11 @@ static int local_pipe_callback(struct local_client *thisfd, char *buf,
} }
return -1; return -1;
} else { } else {
DEBUGLOG("(%p) Background routine status was %d, sock_client %p\n", DEBUGLOG("Background routine status was %d, sock_client (%p)\n",
thisfd, status, sock_client); status, sock_client);
/* But has the client gone away ?? */ /* But has the client gone away ?? */
if (!sock_client) { if (!sock_client) {
DEBUGLOG("(%p) Got pipe response for dead client, ignoring it\n", thisfd); DEBUGLOG("Got pipe response for dead client, ignoring it\n");
} else { } else {
/* If error then just return that code */ /* If error then just return that code */
if (status) if (status)
@@ -833,7 +794,7 @@ static void timedout_callback(struct local_client *client, const char *csid,
return; return;
clops->name_from_csid(csid, nodename); clops->name_from_csid(csid, nodename);
DEBUGLOG("(%p) Checking for a reply from %s\n", client, nodename); DEBUGLOG("Checking for a reply from %s\n", nodename);
pthread_mutex_lock(&client->bits.localsock.mutex); pthread_mutex_lock(&client->bits.localsock.mutex);
reply = client->bits.localsock.replies; reply = client->bits.localsock.replies;
@@ -843,7 +804,7 @@ static void timedout_callback(struct local_client *client, const char *csid,
pthread_mutex_unlock(&client->bits.localsock.mutex); pthread_mutex_unlock(&client->bits.localsock.mutex);
if (!reply) { if (!reply) {
DEBUGLOG("(%p) Node %s timed-out\n", client, nodename); DEBUGLOG("Node %s timed-out\n", nodename);
add_reply_to_list(client, ETIMEDOUT, csid, add_reply_to_list(client, ETIMEDOUT, csid,
"Command timed out", 18); "Command timed out", 18);
} }
@@ -858,7 +819,7 @@ static void timedout_callback(struct local_client *client, const char *csid,
*/ */
static void request_timed_out(struct local_client *client) static void request_timed_out(struct local_client *client)
{ {
DEBUGLOG("(%p) Request timed-out. padding\n", client); DEBUGLOG("Request timed-out. padding\n");
clops->cluster_do_node_callback(client, timedout_callback); clops->cluster_do_node_callback(client, timedout_callback);
if (!client->bits.localsock.threadid) if (!client->bits.localsock.threadid)
@@ -892,11 +853,13 @@ static void main_loop(int cmd_timeout)
while (!quit) { while (!quit) {
fd_set in; fd_set in;
int select_status; int select_status;
struct local_client *thisfd, *nextfd; struct local_client *thisfd;
struct timeval tv = { cmd_timeout, 0 }; struct timeval tv = { cmd_timeout, 0 };
int quorate = clops->is_quorate(); int quorate = clops->is_quorate();
int client_count = 0; int client_count = 0;
int max_fd = 0; int max_fd = 0;
struct local_client *lastfd = &local_client_head;
struct local_client *nextfd = local_client_head.next;
/* Wait on the cluster FD and all local sockets/pipes */ /* Wait on the cluster FD and all local sockets/pipes */
local_client_head.fd = clops->get_main_cluster_fd(); local_client_head.fd = clops->get_main_cluster_fd();
@@ -912,22 +875,21 @@ static void main_loop(int cmd_timeout)
fprintf(stderr, "WARNING: Your cluster may freeze up if the number of clvmd file descriptors (%d) exceeds %d.\n", max_fd + 1, FD_SETSIZE); fprintf(stderr, "WARNING: Your cluster may freeze up if the number of clvmd file descriptors (%d) exceeds %d.\n", max_fd + 1, FD_SETSIZE);
} }
for (thisfd = &local_client_head; thisfd; thisfd = nextfd) { for (thisfd = &local_client_head; thisfd; thisfd = nextfd, nextfd = thisfd ? thisfd->next : NULL) {
nextfd = thisfd->next;
if (thisfd->removeme && !cleanup_zombie(thisfd)) { if (thisfd->removeme && !cleanup_zombie(thisfd)) {
/* cleanup_zombie might have removed the next list element */ struct local_client *free_fd = thisfd;
nextfd = thisfd->next; lastfd->next = nextfd;
DEBUGLOG("removeme set for %p with %d monitored fds remaining\n", free_fd, client_count - 1);
(void) _del_client(thisfd);
DEBUGLOG("(%p) removeme set with %d monitored fds remaining\n", thisfd, _local_client_count);
/* Queue cleanup, this also frees the client struct */ /* Queue cleanup, this also frees the client struct */
add_to_lvmqueue(thisfd, NULL, 0, NULL); add_to_lvmqueue(free_fd, NULL, 0, NULL);
continue; continue;
} }
lastfd = thisfd;
if (thisfd->removeme) if (thisfd->removeme)
continue; continue;
@@ -977,15 +939,16 @@ static void main_loop(int cmd_timeout)
type == CLUSTER_INTERNAL) type == CLUSTER_INTERNAL)
goto closedown; goto closedown;
DEBUGLOG("(%p) ret == %d, errno = %d. removing client\n", DEBUGLOG("ret == %d, errno = %d. removing client\n",
thisfd, ret, errno); ret, errno);
thisfd->removeme = 1; thisfd->removeme = 1;
continue; continue;
} }
/* New client...simply add it to the list */ /* New client...simply add it to the list */
if (newfd) { if (newfd) {
_add_client(newfd, thisfd); newfd->next = thisfd->next;
thisfd->next = newfd;
thisfd = newfd; thisfd = newfd;
} }
} }
@@ -1003,8 +966,8 @@ static void main_loop(int cmd_timeout)
thisfd->bits.localsock.expected_replies != thisfd->bits.localsock.expected_replies !=
thisfd->bits.localsock.num_replies) { thisfd->bits.localsock.num_replies) {
/* Send timed out message + replies we already have */ /* Send timed out message + replies we already have */
DEBUGLOG("Request to client %p timed-out (send: %ld, now: %ld)\n", DEBUGLOG("Request timed-out (send: %ld, now: %ld)\n",
thisfd, thisfd->bits.localsock.sent_time, the_time); thisfd->bits.localsock.sent_time, the_time);
thisfd->bits.localsock.all_success = 0; thisfd->bits.localsock.all_success = 0;
@@ -1105,31 +1068,31 @@ static void be_daemon(int timeout)
break; break;
default: /* Parent */ default: /* Parent */
(void) close(devnull);
(void) close(child_pipe[1]); (void) close(child_pipe[1]);
wait_for_child(child_pipe[0], timeout); /* noreturn */ wait_for_child(child_pipe[0], timeout);
} }
/* Detach ourself from the calling environment */ /* Detach ourself from the calling environment */
if ((dup2(devnull, STDIN_FILENO) == -1) || if (close(0) || close(1) || close(2)) {
(dup2(devnull, STDOUT_FILENO) == -1) || perror("Error closing terminal FDs");
(dup2(devnull, STDERR_FILENO) == -1)) { exit(4);
}
setsid();
if (dup2(devnull, 0) < 0 || dup2(devnull, 1) < 0
|| dup2(devnull, 2) < 0) {
perror("Error setting terminal FDs to /dev/null"); perror("Error setting terminal FDs to /dev/null");
log_error("Error setting terminal FDs to /dev/null: %m"); log_error("Error setting terminal FDs to /dev/null: %m");
exit(5); exit(5);
} }
if ((devnull > STDERR_FILENO) && close(devnull)) { if ((devnull > STDERR_FILENO) && close(devnull)) {
log_sys_error("close", "/dev/null"); log_sys_error("close", "/dev/null");
exit(7); exit(7);
} }
if (chdir("/")) { if (chdir("/")) {
log_error("Error setting current directory to /: %m"); log_error("Error setting current directory to /: %m");
exit(6); exit(6);
} }
setsid();
} }
static int verify_message(char *buf, int len) static int verify_message(char *buf, int len)
@@ -1216,8 +1179,8 @@ static int cleanup_zombie(struct local_client *thisfd)
if (!thisfd->bits.localsock.cleanup_needed) if (!thisfd->bits.localsock.cleanup_needed)
return 0; return 0;
DEBUGLOG("(%p) EOF on local socket %d: inprogress=%d\n", DEBUGLOG("EOF on local socket: inprogress=%d\n",
thisfd, thisfd->fd, thisfd->bits.localsock.in_progress); thisfd->bits.localsock.in_progress);
if ((pipe_client = thisfd->bits.localsock.pipe_client)) if ((pipe_client = thisfd->bits.localsock.pipe_client))
pipe_client = pipe_client->bits.pipe.client; pipe_client = pipe_client->bits.pipe.client;
@@ -1239,7 +1202,7 @@ static int cleanup_zombie(struct local_client *thisfd)
/* Kill the subthread & free resources */ /* Kill the subthread & free resources */
if (thisfd->bits.localsock.threadid) { if (thisfd->bits.localsock.threadid) {
DEBUGLOG("(%p) Waiting for pre&post thread\n", pipe_client); DEBUGLOG("Waiting for pre&post thread (%p)\n", pipe_client);
pthread_mutex_lock(&thisfd->bits.localsock.mutex); pthread_mutex_lock(&thisfd->bits.localsock.mutex);
thisfd->bits.localsock.state = PRE_COMMAND; thisfd->bits.localsock.state = PRE_COMMAND;
thisfd->bits.localsock.finished = 1; thisfd->bits.localsock.finished = 1;
@@ -1250,21 +1213,25 @@ static int cleanup_zombie(struct local_client *thisfd)
(void **) &status))) (void **) &status)))
log_sys_error("pthread_join", ""); log_sys_error("pthread_join", "");
DEBUGLOG("(%p) Joined pre&post thread\n", pipe_client); DEBUGLOG("Joined pre&post thread\n");
thisfd->bits.localsock.threadid = 0; thisfd->bits.localsock.threadid = 0;
/* Remove the pipe client */ /* Remove the pipe client */
if (thisfd->bits.localsock.pipe_client) { if (thisfd->bits.localsock.pipe_client) {
struct local_client *delfd = thisfd->bits.localsock.pipe_client; struct local_client *delfd;
struct local_client *lastfd;
(void) close(delfd->fd); /* Close pipe */ (void) close(thisfd->bits.localsock.pipe_client->fd); /* Close pipe */
(void) close(thisfd->bits.localsock.pipe); (void) close(thisfd->bits.localsock.pipe);
/* Remove pipe client */ /* Remove pipe client */
if (!_del_client(delfd)) { for (lastfd = &local_client_head; (delfd = lastfd->next); lastfd = delfd)
dm_free(delfd); if (thisfd->bits.localsock.pipe_client == delfd) {
thisfd->bits.localsock.pipe_client = NULL; thisfd->bits.localsock.pipe_client = NULL;
lastfd->next = delfd->next;
dm_free(delfd);
break;
} }
} }
} }
@@ -1296,7 +1263,7 @@ static int read_from_local_sock(struct local_client *thisfd)
if (len == -1 && errno == EINTR) if (len == -1 && errno == EINTR)
return 1; return 1;
DEBUGLOG("(%p) Read on local socket %d, len = %d\n", thisfd, thisfd->fd, len); DEBUGLOG("Read on local socket %d, len = %d\n", thisfd->fd, len);
if (len && verify_message(buffer, len) < 0) { if (len && verify_message(buffer, len) < 0) {
log_error("read_from_local_sock from %d len %d bad verify.", log_error("read_from_local_sock from %d len %d bad verify.",
@@ -1370,15 +1337,15 @@ static int read_from_local_sock(struct local_client *thisfd)
char *argptr = inheader->node + strlen(inheader->node) + 1; char *argptr = inheader->node + strlen(inheader->node) + 1;
while (missing_len > 0) { while (missing_len > 0) {
DEBUGLOG("(%p) got %d bytes, need another %d (total %d)\n", DEBUGLOG("got %d bytes, need another %d (total %d)\n",
thisfd, argslen, missing_len, inheader->arglen); argslen, missing_len, inheader->arglen);
len = read(thisfd->fd, argptr + argslen, missing_len); len = read(thisfd->fd, argptr + argslen, missing_len);
if (len == -1 && errno == EINTR) if (len == -1 && errno == EINTR)
continue; continue;
if (len <= 0) { if (len <= 0) {
/* EOF or error on socket */ /* EOF or error on socket */
DEBUGLOG("(%p) EOF on local socket\n", thisfd); DEBUGLOG("EOF on local socket\n");
dm_free(thisfd->bits.localsock.cmd); dm_free(thisfd->bits.localsock.cmd);
thisfd->bits.localsock.cmd = NULL; thisfd->bits.localsock.cmd = NULL;
return 0; return 0;
@@ -1406,7 +1373,7 @@ static int read_from_local_sock(struct local_client *thisfd)
.status = ENOENT .status = ENOENT
}; };
DEBUGLOG("(%p) Unknown node: '%s'\n", thisfd, inheader->node); DEBUGLOG("Unknown node: '%s'\n", inheader->node);
send_message(&reply, sizeof(reply), our_csid, thisfd->fd, send_message(&reply, sizeof(reply), our_csid, thisfd->fd,
"Error sending ENOENT reply to local user"); "Error sending ENOENT reply to local user");
thisfd->bits.localsock.expected_replies = 0; thisfd->bits.localsock.expected_replies = 0;
@@ -1432,7 +1399,7 @@ static int read_from_local_sock(struct local_client *thisfd)
.status = EBUSY .status = EBUSY
}; };
DEBUGLOG("(%p) Creating pipe failed: %s\n", thisfd, strerror(errno)); DEBUGLOG("Creating pipe failed: %s\n", strerror(errno));
send_message(&reply, sizeof(reply), our_csid, thisfd->fd, send_message(&reply, sizeof(reply), our_csid, thisfd->fd,
"Error sending EBUSY reply to local user"); "Error sending EBUSY reply to local user");
return len; return len;
@@ -1452,7 +1419,7 @@ static int read_from_local_sock(struct local_client *thisfd)
return len; return len;
} }
DEBUGLOG("(%p) Creating pipe, [%d, %d]\n", thisfd, comms_pipe[0], comms_pipe[1]); DEBUGLOG("Creating pipe, [%d, %d]\n", comms_pipe[0], comms_pipe[1]);
if (fcntl(comms_pipe[0], F_SETFD, 1)) if (fcntl(comms_pipe[0], F_SETFD, 1))
DEBUGLOG("setting CLOEXEC on pipe[0] failed: %s\n", strerror(errno)); DEBUGLOG("setting CLOEXEC on pipe[0] failed: %s\n", strerror(errno));
@@ -1463,8 +1430,8 @@ static int read_from_local_sock(struct local_client *thisfd)
newfd->type = THREAD_PIPE; newfd->type = THREAD_PIPE;
newfd->callback = local_pipe_callback; newfd->callback = local_pipe_callback;
newfd->bits.pipe.client = thisfd; newfd->bits.pipe.client = thisfd;
newfd->next = thisfd->next;
_add_client(newfd, thisfd); thisfd->next = newfd;
/* Store a cross link to the pipe */ /* Store a cross link to the pipe */
thisfd->bits.localsock.pipe_client = newfd; thisfd->bits.localsock.pipe_client = newfd;
@@ -1477,10 +1444,10 @@ static int read_from_local_sock(struct local_client *thisfd)
thisfd->bits.localsock.in_progress = TRUE; thisfd->bits.localsock.in_progress = TRUE;
thisfd->bits.localsock.state = PRE_COMMAND; thisfd->bits.localsock.state = PRE_COMMAND;
thisfd->bits.localsock.cleanup_needed = 1; thisfd->bits.localsock.cleanup_needed = 1;
DEBUGLOG("(%p) Creating pre&post thread for pipe fd %d\n", newfd, newfd->fd); DEBUGLOG("Creating pre&post thread for pipe fd %d (%p)\n", newfd->fd, newfd);
status = pthread_create(&thisfd->bits.localsock.threadid, status = pthread_create(&thisfd->bits.localsock.threadid,
&stack_attr, pre_and_post_thread, thisfd); &stack_attr, pre_and_post_thread, thisfd);
DEBUGLOG("(%p) Created pre&post thread, state = %d\n", newfd, status); DEBUGLOG("Created pre&post thread, state = %d\n", status);
return len; return len;
} }
@@ -1488,6 +1455,13 @@ static int read_from_local_sock(struct local_client *thisfd)
/* Add a file descriptor from the cluster or comms interface to /* Add a file descriptor from the cluster or comms interface to
our list of FDs for select our list of FDs for select
*/ */
int add_client(struct local_client *new_client)
{
new_client->next = local_client_head.next;
local_client_head.next = new_client;
return 0;
}
/* Called when the pre-command has completed successfully - we /* Called when the pre-command has completed successfully - we
now execute the real command on all the requested nodes */ now execute the real command on all the requested nodes */
@@ -1498,8 +1472,8 @@ static int distribute_command(struct local_client *thisfd)
int len = thisfd->bits.localsock.cmd_len; int len = thisfd->bits.localsock.cmd_len;
thisfd->xid = global_xid++; thisfd->xid = global_xid++;
DEBUGLOG("(%p) distribute command: XID = %d, flags=0x%x (%s%s)\n", DEBUGLOG("distribute command: XID = %d, flags=0x%x (%s%s)\n",
thisfd, thisfd->xid, inheader->flags, thisfd->xid, inheader->flags,
(inheader->flags & CLVMD_FLAG_LOCAL) ? "LOCAL" : "", (inheader->flags & CLVMD_FLAG_LOCAL) ? "LOCAL" : "",
(inheader->flags & CLVMD_FLAG_REMOTE) ? "REMOTE" : ""); (inheader->flags & CLVMD_FLAG_REMOTE) ? "REMOTE" : "");
@@ -1521,7 +1495,7 @@ static int distribute_command(struct local_client *thisfd)
*/ */
add_to_lvmqueue(thisfd, inheader, len, NULL); add_to_lvmqueue(thisfd, inheader, len, NULL);
DEBUGLOG("(%p) Sending message to all cluster nodes\n", thisfd); DEBUGLOG("Sending message to all cluster nodes\n");
inheader->xid = thisfd->xid; inheader->xid = thisfd->xid;
send_message(inheader, len, NULL, -1, send_message(inheader, len, NULL, -1,
"Error forwarding message to cluster"); "Error forwarding message to cluster");
@@ -1540,11 +1514,11 @@ static int distribute_command(struct local_client *thisfd)
/* Are we the requested node ?? */ /* Are we the requested node ?? */
if (memcmp(csid, our_csid, max_csid_len) == 0) { if (memcmp(csid, our_csid, max_csid_len) == 0) {
DEBUGLOG("(%p) Doing command on local node only\n", thisfd); DEBUGLOG("Doing command on local node only\n");
add_to_lvmqueue(thisfd, inheader, len, NULL); add_to_lvmqueue(thisfd, inheader, len, NULL);
} else { } else {
DEBUGLOG("(%p) Sending message to single node: %s\n", DEBUGLOG("Sending message to single node: %s\n",
thisfd, inheader->node); inheader->node);
inheader->xid = thisfd->xid; inheader->xid = thisfd->xid;
send_message(inheader, len, csid, -1, send_message(inheader, len, csid, -1,
"Error forwarding message to cluster node"); "Error forwarding message to cluster node");
@@ -1555,7 +1529,7 @@ static int distribute_command(struct local_client *thisfd)
thisfd->bits.localsock.in_progress = TRUE; thisfd->bits.localsock.in_progress = TRUE;
thisfd->bits.localsock.expected_replies = 1; thisfd->bits.localsock.expected_replies = 1;
thisfd->bits.localsock.num_replies = 0; thisfd->bits.localsock.num_replies = 0;
DEBUGLOG("(%p) Doing command explicitly on local node only\n", thisfd); DEBUGLOG("Doing command explicitly on local node only\n");
add_to_lvmqueue(thisfd, inheader, len, NULL); add_to_lvmqueue(thisfd, inheader, len, NULL);
} }
@@ -1681,7 +1655,7 @@ static void add_reply_to_list(struct local_client *client, int status,
reply->status = status; reply->status = status;
clops->name_from_csid(csid, reply->node); clops->name_from_csid(csid, reply->node);
DEBUGLOG("(%p) Reply from node %s: %d bytes\n", client, reply->node, len); DEBUGLOG("Reply from node %s: %d bytes\n", reply->node, len);
if (len > 0) { if (len > 0) {
if (!(reply->replymsg = dm_malloc(len))) if (!(reply->replymsg = dm_malloc(len)))
@@ -1708,8 +1682,8 @@ static void add_reply_to_list(struct local_client *client, int status,
client->bits.localsock.state = POST_COMMAND; client->bits.localsock.state = POST_COMMAND;
pthread_cond_signal(&client->bits.localsock.cond); pthread_cond_signal(&client->bits.localsock.cond);
} }
DEBUGLOG("(%p) Got %d replies, expecting: %d\n", DEBUGLOG("Got %d replies, expecting: %d\n",
client, client->bits.localsock.num_replies, client->bits.localsock.num_replies,
client->bits.localsock.expected_replies); client->bits.localsock.expected_replies);
} }
pthread_mutex_unlock(&client->bits.localsock.mutex); pthread_mutex_unlock(&client->bits.localsock.mutex);
@@ -1724,7 +1698,7 @@ static __attribute__ ((noreturn)) void *pre_and_post_thread(void *arg)
sigset_t ss; sigset_t ss;
int pipe_fd = client->bits.localsock.pipe; int pipe_fd = client->bits.localsock.pipe;
DEBUGLOG("(%p) Pre&post thread pipe fd %d\n", client, pipe_fd); DEBUGLOG("Pre&post thread (%p), pipe fd %d\n", client, pipe_fd);
pthread_mutex_lock(&client->bits.localsock.mutex); pthread_mutex_lock(&client->bits.localsock.mutex);
/* Ignore SIGUSR1 (handled by master process) but enable /* Ignore SIGUSR1 (handled by master process) but enable
@@ -1744,7 +1718,7 @@ static __attribute__ ((noreturn)) void *pre_and_post_thread(void *arg)
if ((status = do_pre_command(client))) if ((status = do_pre_command(client)))
client->bits.localsock.all_success = 0; client->bits.localsock.all_success = 0;
DEBUGLOG("(%p) Pre&post thread writes status %d down to pipe fd %d\n", DEBUGLOG("Pre&post thread (%p) writes status %d down to pipe fd %d\n",
client, status, pipe_fd); client, status, pipe_fd);
/* Tell the parent process we have finished this bit */ /* Tell the parent process we have finished this bit */
@@ -1762,13 +1736,13 @@ static __attribute__ ((noreturn)) void *pre_and_post_thread(void *arg)
/* We may need to wait for the condition variable before running the post command */ /* We may need to wait for the condition variable before running the post command */
if (client->bits.localsock.state != POST_COMMAND && if (client->bits.localsock.state != POST_COMMAND &&
!client->bits.localsock.finished) { !client->bits.localsock.finished) {
DEBUGLOG("(%p) Pre&post thread waiting to do post command, state = %d\n", DEBUGLOG("Pre&post thread (%p) waiting to do post command, state = %d\n",
client, client->bits.localsock.state); client, client->bits.localsock.state);
pthread_cond_wait(&client->bits.localsock.cond, pthread_cond_wait(&client->bits.localsock.cond,
&client->bits.localsock.mutex); &client->bits.localsock.mutex);
} }
DEBUGLOG("(%p) Pre&post thread got post command condition...\n", client); DEBUGLOG("Pre&post thread (%p) got post command condition...\n", client);
/* POST function must always run, even if the client aborts */ /* POST function must always run, even if the client aborts */
status = 0; status = 0;
@@ -1782,15 +1756,15 @@ static __attribute__ ((noreturn)) void *pre_and_post_thread(void *arg)
next_pre: next_pre:
if (client->bits.localsock.state != PRE_COMMAND && if (client->bits.localsock.state != PRE_COMMAND &&
!client->bits.localsock.finished) { !client->bits.localsock.finished) {
DEBUGLOG("(%p) Pre&post thread waiting for next pre command\n", client); DEBUGLOG("Pre&post thread (%p) waiting for next pre command\n", client);
pthread_cond_wait(&client->bits.localsock.cond, pthread_cond_wait(&client->bits.localsock.cond,
&client->bits.localsock.mutex); &client->bits.localsock.mutex);
} }
DEBUGLOG("(%p) Pre&post thread got pre command condition...\n", client); DEBUGLOG("Pre&post thread (%p) got pre command condition...\n", client);
} }
pthread_mutex_unlock(&client->bits.localsock.mutex); pthread_mutex_unlock(&client->bits.localsock.mutex);
DEBUGLOG("(%p) Pre&post thread finished\n", client); DEBUGLOG("Pre&post thread (%p) finished\n", client);
pthread_exit(NULL); pthread_exit(NULL);
} }
@@ -1808,8 +1782,8 @@ static int process_local_command(struct clvm_header *msg, int msglen,
if (!(replybuf = dm_malloc(max_cluster_message))) if (!(replybuf = dm_malloc(max_cluster_message)))
return -1; return -1;
DEBUGLOG("(%p) process_local_command: %s msg=%p, msglen =%d\n", DEBUGLOG("process_local_command: %s msg=%p, msglen =%d, client=%p\n",
client, decode_cmd(msg->cmd), msg, msglen); decode_cmd(msg->cmd), msg, msglen, client);
/* If remote flag is set, just set a successful status code. */ /* If remote flag is set, just set a successful status code. */
if (msg->flags & CLVMD_FLAG_REMOTE) if (msg->flags & CLVMD_FLAG_REMOTE)
@@ -1824,8 +1798,8 @@ static int process_local_command(struct clvm_header *msg, int msglen,
if (xid == client->xid) if (xid == client->xid)
add_reply_to_list(client, status, our_csid, replybuf, replylen); add_reply_to_list(client, status, our_csid, replybuf, replylen);
else else
DEBUGLOG("(%p) Local command took too long, discarding xid %d, current is %d\n", DEBUGLOG("Local command took too long, discarding xid %d, current is %d\n",
client, xid, client->xid); xid, client->xid);
dm_free(replybuf); dm_free(replybuf);
@@ -1867,7 +1841,7 @@ static void send_local_reply(struct local_client *client, int status, int fd)
char *ptr; char *ptr;
int message_len = 0; int message_len = 0;
DEBUGLOG("(%p) Send local reply\n", client); DEBUGLOG("Send local reply\n");
/* Work out the total size of the reply */ /* Work out the total size of the reply */
while (thisreply) { while (thisreply) {
@@ -1884,7 +1858,7 @@ static void send_local_reply(struct local_client *client, int status, int fd)
/* Add in the size of our header */ /* Add in the size of our header */
message_len = message_len + sizeof(struct clvm_header); message_len = message_len + sizeof(struct clvm_header);
if (!(replybuf = dm_malloc(message_len))) { if (!(replybuf = dm_malloc(message_len))) {
DEBUGLOG("(%p) Memory allocation fails\n", client); DEBUGLOG("Memory allocation fails\n");
return; return;
} }
@@ -2013,7 +1987,6 @@ static int send_message(void *buf, int msglen, const char *csid, int fd,
(void) nanosleep (&delay, &remtime); (void) nanosleep (&delay, &remtime);
continue; continue;
} }
DEBUGLOG("%s", errtext);
log_error("%s", errtext); log_error("%s", errtext);
break; break;
} }
@@ -2027,7 +2000,7 @@ static int process_work_item(struct lvm_thread_cmd *cmd)
{ {
/* If msg is NULL then this is a cleanup request */ /* If msg is NULL then this is a cleanup request */
if (cmd->msg == NULL) { if (cmd->msg == NULL) {
DEBUGLOG("(%p) process_work_item: free\n", cmd->client); DEBUGLOG("process_work_item: free %p\n", cmd->client);
cmd_client_cleanup(cmd->client); cmd_client_cleanup(cmd->client);
pthread_mutex_destroy(&cmd->client->bits.localsock.mutex); pthread_mutex_destroy(&cmd->client->bits.localsock.mutex);
pthread_cond_destroy(&cmd->client->bits.localsock.cond); pthread_cond_destroy(&cmd->client->bits.localsock.cond);
@@ -2036,11 +2009,11 @@ static int process_work_item(struct lvm_thread_cmd *cmd)
} }
if (!cmd->remote) { if (!cmd->remote) {
DEBUGLOG("(%p) process_work_item: local\n", cmd->client); DEBUGLOG("process_work_item: local\n");
process_local_command(cmd->msg, cmd->msglen, cmd->client, process_local_command(cmd->msg, cmd->msglen, cmd->client,
cmd->xid); cmd->xid);
} else { } else {
DEBUGLOG("(%p) process_work_item: remote\n", cmd->client); DEBUGLOG("process_work_item: remote\n");
process_remote_command(cmd->msg, cmd->msglen, cmd->client->fd, process_remote_command(cmd->msg, cmd->msglen, cmd->client->fd,
cmd->csid); cmd->csid);
} }
@@ -2134,8 +2107,8 @@ static int add_to_lvmqueue(struct local_client *client, struct clvm_header *msg,
} else } else
cmd->remote = 0; cmd->remote = 0;
DEBUGLOG("(%p) add_to_lvmqueue: cmd=%p, msg=%p, len=%d, csid=%p, xid=%d\n", DEBUGLOG("add_to_lvmqueue: cmd=%p. client=%p, msg=%p, len=%d, csid=%p, xid=%d\n",
client, cmd, msg, msglen, csid, cmd->xid); cmd, client, msg, msglen, csid, cmd->xid);
pthread_mutex_lock(&lvm_thread_mutex); pthread_mutex_lock(&lvm_thread_mutex);
if (lvm_thread_exit) { if (lvm_thread_exit) {
pthread_mutex_unlock(&lvm_thread_mutex); pthread_mutex_unlock(&lvm_thread_mutex);
@@ -2151,14 +2124,6 @@ static int add_to_lvmqueue(struct local_client *client, struct clvm_header *msg,
} }
/* Return 0 if we can talk to an existing clvmd */ /* Return 0 if we can talk to an existing clvmd */
/*
* FIXME:
*
* This function returns only -1 or 0, but there are
* different levels of errors, some of them should stop
* further execution of clvmd thus another state is needed
* and some error message need to be only informational.
*/
static int check_local_clvmd(void) static int check_local_clvmd(void)
{ {
int local_socket; int local_socket;
@@ -2178,10 +2143,6 @@ static int check_local_clvmd(void)
if (connect(local_socket,(struct sockaddr *) &sockaddr, if (connect(local_socket,(struct sockaddr *) &sockaddr,
sizeof(sockaddr))) { sizeof(sockaddr))) {
/* connection failure is expected state */
if (errno == ENOENT)
log_sys_debug("connect", "local socket");
else
log_sys_error("connect", "local socket"); log_sys_error("connect", "local socket");
ret = -1; ret = -1;
} }
@@ -2283,8 +2244,7 @@ static void check_all_callback(struct local_client *client, const char *csid,
If not, returns -1 and prints out a list of errant nodes */ If not, returns -1 and prints out a list of errant nodes */
static int check_all_clvmds_running(struct local_client *client) static int check_all_clvmds_running(struct local_client *client)
{ {
DEBUGLOG("(%p) check_all_clvmds_running\n", client); DEBUGLOG("check_all_clvmds_running\n");
return clops->cluster_do_node_callback(client, check_all_callback); return clops->cluster_do_node_callback(client, check_all_callback);
} }
@@ -2323,11 +2283,13 @@ static void ntoh_clvm(struct clvm_header *hdr)
static void sigusr2_handler(int sig) static void sigusr2_handler(int sig)
{ {
DEBUGLOG("SIGUSR2 received\n"); DEBUGLOG("SIGUSR2 received\n");
return;
} }
static void sigterm_handler(int sig) static void sigterm_handler(int sig)
{ {
quit = 1; quit = 1;
return;
} }
static void sighup_handler(int sig) static void sighup_handler(int sig)

View File

@@ -29,7 +29,7 @@ include $(top_builddir)/make.tmpl
LIBS += -ldevmapper LIBS += -ldevmapper
LMLIBS += $(CPG_LIBS) $(SACKPT_LIBS) LMLIBS += $(CPG_LIBS) $(SACKPT_LIBS)
CFLAGS += $(CPG_CFLAGS) $(SACKPT_CFLAGS) $(EXTRA_EXEC_CFLAGS) CFLAGS += $(CPG_CFLAGS) $(SACKPT_CFLAGS) $(EXTRA_EXEC_CFLAGS)
LDFLAGS += $(EXTRA_EXEC_LDFLAGS) $(ELDFLAGS) LDFLAGS += $(EXTRA_EXEC_LDFLAGS)
cmirrord: $(OBJECTS) $(top_builddir)/lib/liblvm-internal.a cmirrord: $(OBJECTS) $(top_builddir)/lib/liblvm-internal.a
$(CC) $(CFLAGS) $(LDFLAGS) -o $@ $(OBJECTS) \ $(CC) $(CFLAGS) $(LDFLAGS) -o $@ $(OBJECTS) \

View File

@@ -182,7 +182,7 @@ int cluster_send(struct clog_request *rq)
} }
/* /*
* Once the request heads for the cluster, the luid loses * Once the request heads for the cluster, the luid looses
* all its meaning. * all its meaning.
*/ */
rq->u_rq.luid = 0; rq->u_rq.luid = 0;

View File

@@ -12,7 +12,6 @@
#include "logging.h" #include "logging.h"
#include "functions.h" #include "functions.h"
#include <sys/sysmacros.h>
#include <dirent.h> #include <dirent.h>
#include <errno.h> #include <errno.h>
#include <fcntl.h> #include <fcntl.h>
@@ -377,7 +376,7 @@ static int _clog_ctr(char *uuid, uint64_t luid,
uint32_t block_on_error = 0; uint32_t block_on_error = 0;
int disk_log; int disk_log;
char disk_path[PATH_MAX]; char disk_path[128];
int unlink_path = 0; int unlink_path = 0;
long page_size; long page_size;
int pages; int pages;

View File

@@ -56,16 +56,18 @@ include $(top_builddir)/make.tmpl
all: device-mapper all: device-mapper
device-mapper: $(TARGETS) device-mapper: $(TARGETS)
LIBS += -ldevmapper
LVMLIBS += -ldevmapper-event $(PTHREAD_LIBS)
CFLAGS_dmeventd.o += $(EXTRA_EXEC_CFLAGS) CFLAGS_dmeventd.o += $(EXTRA_EXEC_CFLAGS)
LIBS += -ldevmapper $(PTHREAD_LIBS)
dmeventd: $(LIB_SHARED) dmeventd.o dmeventd: $(LIB_SHARED) dmeventd.o
$(CC) $(CFLAGS) -L. $(LDFLAGS) $(EXTRA_EXEC_LDFLAGS) $(ELDFLAGS) dmeventd.o \ $(CC) $(CFLAGS) $(LDFLAGS) $(EXTRA_EXEC_LDFLAGS) $(ELDFLAGS) -L. -o $@ dmeventd.o \
-o $@ $(DL_LIBS) $(DMEVENT_LIBS) $(LIBS) $(DL_LIBS) $(LVMLIBS) $(LIBS) -rdynamic
dmeventd.static: $(LIB_STATIC) dmeventd.o $(interfacebuilddir)/libdevmapper.a dmeventd.static: $(LIB_STATIC) dmeventd.o $(interfacebuilddir)/libdevmapper.a
$(CC) $(CFLAGS) $(LDFLAGS) -static -L. -L$(interfacebuilddir) dmeventd.o \ $(CC) $(CFLAGS) $(LDFLAGS) $(ELDFLAGS) -static -L. -L$(interfacebuilddir) -o $@ \
-o $@ $(DL_LIBS) $(DMEVENT_LIBS) $(LIBS) $(STATIC_LIBS) dmeventd.o $(DL_LIBS) $(LVMLIBS) $(LIBS) $(STATIC_LIBS)
ifeq ("@PKGCONFIG@", "yes") ifeq ("@PKGCONFIG@", "yes")
INSTALL_LIB_TARGETS += install_pkgconfig INSTALL_LIB_TARGETS += install_pkgconfig

View File

@@ -62,8 +62,6 @@
#include <syslog.h> #include <syslog.h>
#define DM_SIGNALED_EXIT 1
#define DM_SCHEDULED_EXIT 2
static volatile sig_atomic_t _exit_now = 0; /* set to '1' when signal is given to exit */ static volatile sig_atomic_t _exit_now = 0; /* set to '1' when signal is given to exit */
/* List (un)link macros. */ /* List (un)link macros. */
@@ -101,28 +99,13 @@ static time_t _idle_since = 0;
static char **_initial_registrations = 0; static char **_initial_registrations = 0;
/* FIXME Make configurable at runtime */ /* FIXME Make configurable at runtime */
__attribute__((format(printf, 4, 5)))
/* All libdm messages */
__attribute__((format(printf, 5, 6)))
static void _libdm_log(int level, const char *file, int line,
int dm_errno_or_class, const char *format, ...)
{
va_list ap;
va_start(ap, format);
dm_event_log("#dm", level, file, line, dm_errno_or_class, format, ap);
va_end(ap);
}
/* All dmeventd messages */
#undef LOG_MESG
#define LOG_MESG(l, f, ln, e, x...) _dmeventd_log(l, f, ln, e, ## x)
__attribute__((format(printf, 5, 6)))
static void _dmeventd_log(int level, const char *file, int line, static void _dmeventd_log(int level, const char *file, int line,
int dm_errno_or_class, const char *format, ...) const char *format, ...)
{ {
va_list ap; va_list ap;
va_start(ap, format); va_start(ap, format);
dm_event_log("dmeventd", level, file, line, dm_errno_or_class, format, ap); dm_event_log("dm", level, file, line, 0, format, ap);
va_end(ap); va_end(ap);
} }
@@ -470,7 +453,7 @@ static int _pthread_create_smallstack(pthread_t *t, void *(*fun)(void *), void *
/* /*
* We use a smaller stack since it gets preallocated in its entirety * We use a smaller stack since it gets preallocated in its entirety
*/ */
pthread_attr_setstacksize(&attr, THREAD_STACK_SIZE + getpagesize()); pthread_attr_setstacksize(&attr, THREAD_STACK_SIZE);
/* /*
* If no-one will be waiting, we need to detach. * If no-one will be waiting, we need to detach.
@@ -754,7 +737,6 @@ static void *_timeout_thread(void *unused __attribute__((unused)))
struct thread_status *thread; struct thread_status *thread;
struct timespec timeout; struct timespec timeout;
time_t curr_time; time_t curr_time;
int ret;
DEBUGLOG("Timeout thread starting."); DEBUGLOG("Timeout thread starting.");
pthread_cleanup_push(_exit_timeout, NULL); pthread_cleanup_push(_exit_timeout, NULL);
@@ -776,10 +758,7 @@ static void *_timeout_thread(void *unused __attribute__((unused)))
} else { } else {
DEBUGLOG("Sending SIGALRM to Thr %x for timeout.", DEBUGLOG("Sending SIGALRM to Thr %x for timeout.",
(int) thread->thread); (int) thread->thread);
ret = pthread_kill(thread->thread, SIGALRM); pthread_kill(thread->thread, SIGALRM);
if (ret && (ret != ESRCH))
log_error("Unable to wakeup Thr %x for timeout: %s.",
(int) thread->thread, strerror(ret));
} }
_unlock_mutex(); _unlock_mutex();
} }
@@ -850,6 +829,17 @@ static void _print_sigset(const char *prefix, const sigset_t *sigset)
} }
#endif #endif
static sigset_t _unblock_sigalrm(void)
{
sigset_t set, old;
sigemptyset(&set);
sigaddset(&set, SIGALRM);
pthread_sigmask(SIG_UNBLOCK, &set, &old);
return old;
}
enum { enum {
DM_WAIT_RETRY, DM_WAIT_RETRY,
DM_WAIT_INTR, DM_WAIT_INTR,
@@ -859,7 +849,7 @@ enum {
/* Wait on a device until an event occurs. */ /* Wait on a device until an event occurs. */
static int _event_wait(struct thread_status *thread) static int _event_wait(struct thread_status *thread)
{ {
sigset_t set, old; sigset_t set;
int ret = DM_WAIT_RETRY; int ret = DM_WAIT_RETRY;
struct dm_info info; struct dm_info info;
@@ -869,13 +859,7 @@ static int _event_wait(struct thread_status *thread)
* This is so that you can break out of waiting on an event, * This is so that you can break out of waiting on an event,
* either for a timeout event, or to cancel the thread. * either for a timeout event, or to cancel the thread.
*/ */
sigemptyset(&old); set = _unblock_sigalrm();
sigemptyset(&set);
sigaddset(&set, SIGALRM);
if (pthread_sigmask(SIG_UNBLOCK, &set, &old) != 0) {
log_sys_error("pthread_sigmask", "unblock alarm");
return ret; /* What better */
}
if (dm_task_run(thread->wait_task)) { if (dm_task_run(thread->wait_task)) {
thread->current_events |= DM_EVENT_DEVICE_ERROR; thread->current_events |= DM_EVENT_DEVICE_ERROR;
@@ -899,11 +883,10 @@ static int _event_wait(struct thread_status *thread)
} }
} }
if (pthread_sigmask(SIG_SETMASK, &old, NULL) != 0) pthread_sigmask(SIG_SETMASK, &set, NULL);
log_sys_error("pthread_sigmask", "block alarm");
#ifdef DEBUG_SIGNALS #ifdef DEBUG_SIGNALS
_print_sigset("dmeventd blocking ", &old); _print_sigset("dmeventd blocking ", &set);
#endif #endif
DEBUGLOG("Completed waitevent task for %s.", thread->device.name); DEBUGLOG("Completed waitevent task for %s.", thread->device.name);
@@ -1757,7 +1740,7 @@ static void _init_thread_signals(void)
*/ */
static void _exit_handler(int sig __attribute__((unused))) static void _exit_handler(int sig __attribute__((unused)))
{ {
_exit_now = DM_SIGNALED_EXIT; _exit_now = 1;
} }
#ifdef __linux__ #ifdef __linux__
@@ -2213,7 +2196,7 @@ int main(int argc, char *argv[])
openlog("dmeventd", LOG_PID, LOG_DAEMON); openlog("dmeventd", LOG_PID, LOG_DAEMON);
dm_event_log_set(_debug_level, _use_syslog); dm_event_log_set(_debug_level, _use_syslog);
dm_log_with_errno_init(_libdm_log); dm_log_init(_dmeventd_log);
(void) dm_prepare_selinux_context(DMEVENTD_PIDFILE, S_IFREG); (void) dm_prepare_selinux_context(DMEVENTD_PIDFILE, S_IFREG);
if (dm_create_lockfile(DMEVENTD_PIDFILE) == 0) if (dm_create_lockfile(DMEVENTD_PIDFILE) == 0)
@@ -2255,14 +2238,11 @@ int main(int argc, char *argv[])
for (;;) { for (;;) {
if (_idle_since) { if (_idle_since) {
if (_exit_now) { if (_exit_now) {
if (_exit_now == DM_SCHEDULED_EXIT)
break; /* Only prints shutdown message */
log_info("dmeventd detected break while being idle " log_info("dmeventd detected break while being idle "
"for %ld second(s), exiting.", "for %ld second(s), exiting.",
(long) (time(NULL) - _idle_since)); (long) (time(NULL) - _idle_since));
break; break;
} } else if (idle_exit_timeout) {
if (idle_exit_timeout) {
now = time(NULL); now = time(NULL);
if (now < _idle_since) if (now < _idle_since)
_idle_since = now; /* clock change? */ _idle_since = now; /* clock change? */
@@ -2273,14 +2253,15 @@ int main(int argc, char *argv[])
break; break;
} }
} }
} else if (_exit_now == DM_SIGNALED_EXIT) { } else if (_exit_now) {
_exit_now = DM_SCHEDULED_EXIT; _exit_now = 0;
/* /*
* When '_exit_now' is set, signal has been received, * When '_exit_now' is set, signal has been received,
* but can not simply exit unless all * but can not simply exit unless all
* threads are done processing. * threads are done processing.
*/ */
log_info("dmeventd received break, scheduling exit."); log_warn("WARNING: There are still devices being monitored.");
log_warn("WARNING: Refusing to exit.");
} }
_process_request(&fifos); _process_request(&fifos);
_cleanup_unused_threads(); _cleanup_unused_threads();

View File

@@ -250,10 +250,11 @@ static int _daemon_read(struct dm_event_fifos *fifos,
if (ret < 0) { if (ret < 0) {
if ((errno == EINTR) || (errno == EAGAIN)) if ((errno == EINTR) || (errno == EAGAIN))
continue; continue;
else {
log_error("Unable to read from event server."); log_error("Unable to read from event server.");
return 0; return 0;
} }
}
bytes += ret; bytes += ret;
if (header && (bytes == 2 * sizeof(uint32_t))) { if (header && (bytes == 2 * sizeof(uint32_t))) {
@@ -328,10 +329,11 @@ static int _daemon_write(struct dm_event_fifos *fifos,
if (ret < 0) { if (ret < 0) {
if ((errno == EINTR) || (errno == EAGAIN)) if ((errno == EINTR) || (errno == EAGAIN))
continue; continue;
else {
log_error("Unable to talk to event daemon."); log_error("Unable to talk to event daemon.");
return 0; return 0;
} }
}
bytes += ret; bytes += ret;
} }
@@ -452,8 +454,7 @@ static int _start_daemon(char *dmeventd_path, struct dm_event_fifos *fifos)
if (close(fifos->client)) if (close(fifos->client))
log_sys_debug("close", fifos->client_path); log_sys_debug("close", fifos->client_path);
return 1; return 1;
} } else if (errno != ENXIO && errno != ENOENT) {
if (errno != ENXIO && errno != ENOENT) {
/* problem */ /* problem */
log_sys_error("open", fifos->client_path); log_sys_error("open", fifos->client_path);
return 0; return 0;
@@ -864,38 +865,28 @@ void dm_event_log(const char *subsys, int level, const char *file,
int line, int dm_errno_or_class, int line, int dm_errno_or_class,
const char *format, va_list ap) const char *format, va_list ap)
{ {
static int _abort_on_internal_errors = -1;
static pthread_mutex_t _log_mutex = PTHREAD_MUTEX_INITIALIZER; static pthread_mutex_t _log_mutex = PTHREAD_MUTEX_INITIALIZER;
static time_t start = 0; static time_t start = 0;
const char *indent = ""; const char *indent = "";
FILE *stream = log_stderr(level) ? stderr : stdout; FILE *stream = stdout;
int prio; int prio;
time_t now; time_t now;
int log_with_debug = 0;
if (subsys[0] == '#') { switch (level & ~(_LOG_STDERR | _LOG_ONCE)) {
/* Subsystems starting with '#' are logged
* only when debugging is enabled. */
log_with_debug++;
subsys++;
}
switch (log_level(level)) {
case _LOG_DEBUG: case _LOG_DEBUG:
/* Never shown without -ddd */
if (_debug_level < 3) if (_debug_level < 3)
return; return;
prio = LOG_DEBUG; prio = LOG_DEBUG;
indent = " "; indent = " ";
break; break;
case _LOG_INFO: case _LOG_INFO:
if (log_with_debug && _debug_level < 2) if (_debug_level < 2)
return; return;
prio = LOG_INFO; prio = LOG_INFO;
indent = " "; indent = " ";
break; break;
case _LOG_NOTICE: case _LOG_NOTICE:
if (log_with_debug && _debug_level < 1) if (_debug_level < 1)
return; return;
prio = LOG_NOTICE; prio = LOG_NOTICE;
indent = " "; indent = " ";
@@ -921,7 +912,6 @@ void dm_event_log(const char *subsys, int level, const char *file,
if (!start) if (!start)
start = now; start = now;
now -= start; now -= start;
if (_debug_level)
fprintf(stream, "[%2d:%02d] %8x:%-6s%s", fprintf(stream, "[%2d:%02d] %8x:%-6s%s",
(int)now / 60, (int)now % 60, (int)now / 60, (int)now % 60,
// TODO: Maybe use shorter ID // TODO: Maybe use shorter ID
@@ -936,15 +926,6 @@ void dm_event_log(const char *subsys, int level, const char *file,
} }
pthread_mutex_unlock(&_log_mutex); pthread_mutex_unlock(&_log_mutex);
if (_abort_on_internal_errors < 0)
/* Set when env DM_ABORT_ON_INTERNAL_ERRORS is not "0" */
_abort_on_internal_errors =
strcmp(getenv("DM_ABORT_ON_INTERNAL_ERRORS") ? : "0", "0");
if (_abort_on_internal_errors &&
!strncmp(format, INTERNAL_ERROR, sizeof(INTERNAL_ERROR) - 1))
abort();
} }
#if 0 /* left out for now */ #if 0 /* left out for now */

View File

@@ -32,7 +32,7 @@ static int _register_count = 0;
static struct dm_pool *_mem_pool = NULL; static struct dm_pool *_mem_pool = NULL;
static void *_lvm_handle = NULL; static void *_lvm_handle = NULL;
DM_EVENT_LOG_FN("#lvm") DM_EVENT_LOG_FN("lvm")
static void _lvm2_print_log(int level, const char *file, int line, static void _lvm2_print_log(int level, const char *file, int line,
int dm_errno_or_class, const char *msg) int dm_errno_or_class, const char *msg)
@@ -121,7 +121,6 @@ int dmeventd_lvm2_run(const char *cmdline)
int dmeventd_lvm2_command(struct dm_pool *mem, char *buffer, size_t size, int dmeventd_lvm2_command(struct dm_pool *mem, char *buffer, size_t size,
const char *cmd, const char *device) const char *cmd, const char *device)
{ {
static char _internal_prefix[] = "_dmeventd_";
char *vg = NULL, *lv = NULL, *layer; char *vg = NULL, *lv = NULL, *layer;
int r; int r;
@@ -136,21 +135,6 @@ int dmeventd_lvm2_command(struct dm_pool *mem, char *buffer, size_t size,
(layer = strstr(lv, "_mlog"))) (layer = strstr(lv, "_mlog")))
*layer = '\0'; *layer = '\0';
if (!strncmp(cmd, _internal_prefix, sizeof(_internal_prefix) - 1)) {
dmeventd_lvm2_lock();
/* output of internal command passed via env var */
if (!dmeventd_lvm2_run(cmd))
cmd = NULL;
else if ((cmd = getenv(cmd)))
cmd = dm_pool_strdup(mem, cmd); /* copy with lock */
dmeventd_lvm2_unlock();
if (!cmd) {
log_error("Unable to find configured command.");
return 0;
}
}
r = dm_snprintf(buffer, size, "%s %s/%s", cmd, vg, lv); r = dm_snprintf(buffer, size, "%s %s/%s", cmd, vg, lv);
dm_pool_free(mem, vg); dm_pool_free(mem, vg);

View File

@@ -1,5 +1,5 @@
/* /*
* Copyright (C) 2005-2017 Red Hat, Inc. All rights reserved. * Copyright (C) 2005-2015 Red Hat, Inc. All rights reserved.
* *
* This file is part of LVM2. * This file is part of LVM2.
* *
@@ -25,6 +25,7 @@
struct dso_state { struct dso_state {
struct dm_pool *mem; struct dm_pool *mem;
char cmd_lvscan[512];
char cmd_lvconvert[512]; char cmd_lvconvert[512];
}; };
@@ -72,10 +73,8 @@ static int _get_mirror_event(struct dso_state *state, char *params)
unsigned i; unsigned i;
struct dm_status_mirror *ms; struct dm_status_mirror *ms;
if (!dm_get_status_mirror(state->mem, params, &ms)) { if (!dm_get_status_mirror(state->mem, params, &ms))
log_error("Unable to parse mirror status string."); goto_out;
return ME_IGNORE;
}
/* Check for bad mirror devices */ /* Check for bad mirror devices */
for (i = 0; i < ms->dev_count; ++i) for (i = 0; i < ms->dev_count; ++i)
@@ -96,19 +95,27 @@ static int _get_mirror_event(struct dso_state *state, char *params)
dm_pool_free(state->mem, ms); dm_pool_free(state->mem, ms);
return r; return r;
out:
log_error("Unable to parse mirror status string.");
return ME_IGNORE;
} }
static int _remove_failed_devices(const char *cmd_lvconvert, const char *device) static int _remove_failed_devices(const char *cmd_lvscan, const char *cmd_lvconvert)
{ {
int r;
if (!dmeventd_lvm2_run_with_lock(cmd_lvscan))
log_info("Re-scan of mirrored device failed.");
/* if repair goes OK, report success even if lvscan has failed */ /* if repair goes OK, report success even if lvscan has failed */
if (!dmeventd_lvm2_run_with_lock(cmd_lvconvert)) { r = dmeventd_lvm2_run_with_lock(cmd_lvconvert);
log_error("Repair of mirrored device %s failed.", device);
return 0;
}
log_info("Repair of mirrored device %s finished successfully.", device); log_info("Repair of mirrored device %s.",
(r) ? "finished successfully" : "failed");
return 1; return r;
} }
void process_event(struct dm_task *dmt, void process_event(struct dm_task *dmt,
@@ -146,7 +153,8 @@ void process_event(struct dm_task *dmt,
break; break;
case ME_FAILURE: case ME_FAILURE:
log_error("Device failure in %s.", device); log_error("Device failure in %s.", device);
if (!_remove_failed_devices(state->cmd_lvconvert, device)) if (!_remove_failed_devices(state->cmd_lvscan,
state->cmd_lvconvert))
/* FIXME Why are all the error return codes unused? Get rid of them? */ /* FIXME Why are all the error return codes unused? Get rid of them? */
log_error("Failed to remove faulty devices in %s.", log_error("Failed to remove faulty devices in %s.",
device); device);
@@ -160,7 +168,7 @@ void process_event(struct dm_task *dmt,
break; break;
default: default:
/* FIXME Provide value then! */ /* FIXME Provide value then! */
log_warn("WARNING: %s received unknown event.", device); log_info("Unknown event received.");
} }
} while (next); } while (next);
} }
@@ -176,10 +184,17 @@ int register_device(const char *device,
if (!dmeventd_lvm2_init_with_pool("mirror_state", state)) if (!dmeventd_lvm2_init_with_pool("mirror_state", state))
goto_bad; goto_bad;
/* CANNOT use --config as this disables cached content */ if (!dmeventd_lvm2_command(state->mem, state->cmd_lvscan, sizeof(state->cmd_lvscan),
if (!dmeventd_lvm2_command(state->mem, state->cmd_lvconvert, sizeof(state->cmd_lvconvert), "lvscan --cache", device)) {
"lvconvert --repair --use-policies", device)) dmeventd_lvm2_exit_with_pool(state);
goto_bad; goto_bad;
}
if (!dmeventd_lvm2_command(state->mem, state->cmd_lvconvert, sizeof(state->cmd_lvconvert),
"lvconvert --repair --use-policies", device)) {
dmeventd_lvm2_exit_with_pool(state);
goto_bad;
}
*user = state; *user = state;
@@ -189,9 +204,6 @@ int register_device(const char *device,
bad: bad:
log_error("Failed to monitor mirror %s.", device); log_error("Failed to monitor mirror %s.", device);
if (state)
dmeventd_lvm2_exit_with_pool(state);
return 0; return 0;
} }

View File

@@ -1,5 +1,5 @@
/* /*
* Copyright (C) 2005-2017 Red Hat, Inc. All rights reserved. * Copyright (C) 2005-2015 Red Hat, Inc. All rights reserved.
* *
* This file is part of LVM2. * This file is part of LVM2.
* *
@@ -13,19 +13,14 @@
*/ */
#include "lib.h" #include "lib.h"
#include "defaults.h"
#include "dmeventd_lvm.h" #include "dmeventd_lvm.h"
#include "libdevmapper-event.h" #include "libdevmapper-event.h"
/* Hold enough elements for the mximum number of RAID images */
#define RAID_DEVS_ELEMS ((DEFAULT_RAID_MAX_IMAGES + 63) / 64)
struct dso_state { struct dso_state {
struct dm_pool *mem; struct dm_pool *mem;
char cmd_lvscan[512];
char cmd_lvconvert[512]; char cmd_lvconvert[512];
uint64_t raid_devs[RAID_DEVS_ELEMS];
int failed; int failed;
int warned;
}; };
DM_EVENT_LOG_FN("raid") DM_EVENT_LOG_FN("raid")
@@ -36,70 +31,32 @@ static int _process_raid_event(struct dso_state *state, char *params, const char
{ {
struct dm_status_raid *status; struct dm_status_raid *status;
const char *d; const char *d;
int dead = 0, r = 1;
uint32_t dev;
if (!dm_get_status_raid(state->mem, params, &status)) { if (!dm_get_status_raid(state->mem, params, &status)) {
log_error("Failed to process status line for %s.", device); log_error("Failed to process status line for %s.", device);
return 0; return 0;
} }
d = status->dev_health; if ((d = strchr(status->dev_health, 'D'))) {
while ((d = strchr(d, 'D'))) {
dev = (uint32_t)(d - status->dev_health);
if (!(state->raid_devs[dev / 64] & (UINT64_C(1) << (dev % 64)))) {
state->raid_devs[dev / 64] |= (UINT64_C(1) << (dev % 64));
log_warn("WARNING: Device #%u of %s array, %s, has failed.",
dev, status->raid_type, device);
}
d++;
dead = 1;
}
/*
* if we are converting from non-RAID to RAID (e.g. linear -> raid1)
* and too many original devices die, such that we cannot continue
* the "recover" operation, the sync action will go to "idle", the
* unsynced devs will remain at 'a', and the original devices will
* NOT SWITCH TO 'D', but will remain at 'A' - hoping to be revived.
*
* This is simply the way the kernel works...
*/
if (!strcmp(status->sync_action, "idle") &&
(status->dev_health[0] == 'a') &&
(status->insync_regions < status->total_regions)) {
log_error("Primary sources for new RAID, %s, have failed.",
device);
dead = 1; /* run it through LVM repair */
}
if (dead) {
if (status->insync_regions < status->total_regions) {
if (!state->warned) {
state->warned = 1;
log_warn("WARNING: waiting for resynchronization to finish "
"before initiating repair on RAID device %s.", device);
}
goto out; /* Not yet done syncing with accessible devices */
}
if (state->failed) if (state->failed)
goto out; /* already reported */ goto out; /* already reported */
log_error("Device #%d of %s array, %s, has failed.",
(int)(d - status->dev_health),
status->raid_type, device);
state->failed = 1; state->failed = 1;
if (!dmeventd_lvm2_run_with_lock(state->cmd_lvscan))
log_warn("WARNING: Re-scan of RAID device %s failed.", device);
/* if repair goes OK, report success even if lvscan has failed */ /* if repair goes OK, report success even if lvscan has failed */
if (!dmeventd_lvm2_run_with_lock(state->cmd_lvconvert)) { if (!dmeventd_lvm2_run_with_lock(state->cmd_lvconvert)) {
log_error("Repair of RAID device %s failed.", device); log_info("Repair of RAID device %s failed.", device);
r = 0; dm_pool_free(state->mem, status);
return 0;
} }
} else { } else {
state->failed = 0; state->failed = 0;
if (status->insync_regions == status->total_regions)
memset(&state->raid_devs, 0, sizeof(state->raid_devs));
log_info("%s array, %s, is %s in-sync.", log_info("%s array, %s, is %s in-sync.",
status->raid_type, device, status->raid_type, device,
(status->insync_regions == status->total_regions) ? "now" : "not"); (status->insync_regions == status->total_regions) ? "now" : "not");
@@ -107,7 +64,7 @@ static int _process_raid_event(struct dso_state *state, char *params, const char
out: out:
dm_pool_free(state->mem, status); dm_pool_free(state->mem, status);
return r; return 1;
} }
void process_event(struct dm_task *dmt, void process_event(struct dm_task *dmt,
@@ -152,9 +109,14 @@ int register_device(const char *device,
if (!dmeventd_lvm2_init_with_pool("raid_state", state)) if (!dmeventd_lvm2_init_with_pool("raid_state", state))
goto_bad; goto_bad;
if (!dmeventd_lvm2_command(state->mem, state->cmd_lvconvert, sizeof(state->cmd_lvconvert), if (!dmeventd_lvm2_command(state->mem, state->cmd_lvscan, sizeof(state->cmd_lvscan),
"lvconvert --repair --use-policies", device)) "lvscan --cache", device) ||
!dmeventd_lvm2_command(state->mem, state->cmd_lvconvert, sizeof(state->cmd_lvconvert),
"lvconvert --config devices{ignore_suspended_devices=1} "
"--repair --use-policies", device)) {
dmeventd_lvm2_exit_with_pool(state);
goto_bad; goto_bad;
}
*user = state; *user = state;
@@ -164,9 +126,6 @@ int register_device(const char *device,
bad: bad:
log_error("Failed to monitor RAID %s.", device); log_error("Failed to monitor RAID %s.", device);
if (state)
dmeventd_lvm2_exit_with_pool(state);
return 0; return 0;
} }

View File

@@ -16,7 +16,6 @@
#include "dmeventd_lvm.h" #include "dmeventd_lvm.h"
#include "libdevmapper-event.h" #include "libdevmapper-event.h"
#include <sys/sysmacros.h>
#include <sys/wait.h> #include <sys/wait.h>
#include <stdarg.h> #include <stdarg.h>
#include <pthread.h> #include <pthread.h>
@@ -231,7 +230,7 @@ void process_event(struct dm_task *dmt,
if (percent >= WARNING_THRESH) /* Print a warning to syslog. */ if (percent >= WARNING_THRESH) /* Print a warning to syslog. */
log_warn("WARNING: Snapshot %s is now %.2f%% full.", log_warn("WARNING: Snapshot %s is now %.2f%% full.",
device, dm_percent_to_round_float(percent, 2)); device, dm_percent_to_float(percent));
/* Try to extend the snapshot, in accord with user-set policies */ /* Try to extend the snapshot, in accord with user-set policies */
if (!_extend(state->cmd_lvextend)) if (!_extend(state->cmd_lvextend))
@@ -254,8 +253,10 @@ int register_device(const char *device,
if (!dmeventd_lvm2_command(state->mem, state->cmd_lvextend, if (!dmeventd_lvm2_command(state->mem, state->cmd_lvextend,
sizeof(state->cmd_lvextend), sizeof(state->cmd_lvextend),
"lvextend --use-policies", device)) "lvextend --use-policies", device)) {
dmeventd_lvm2_exit_with_pool(state);
goto_bad; goto_bad;
}
state->percent_check = CHECK_MINIMUM; state->percent_check = CHECK_MINIMUM;
*user = state; *user = state;
@@ -266,9 +267,6 @@ int register_device(const char *device,
bad: bad:
log_error("Failed to monitor snapshot %s.", device); log_error("Failed to monitor snapshot %s.", device);
if (state)
dmeventd_lvm2_exit_with_pool(state);
return 0; return 0;
} }

View File

@@ -1,5 +1,5 @@
/* /*
* Copyright (C) 2011-2017 Red Hat, Inc. All rights reserved. * Copyright (C) 2011-2016 Red Hat, Inc. All rights reserved.
* *
* This file is part of LVM2. * This file is part of LVM2.
* *
@@ -18,6 +18,7 @@
#include <sys/wait.h> #include <sys/wait.h>
#include <stdarg.h> #include <stdarg.h>
#include <pthread.h>
/* TODO - move this mountinfo code into library to be reusable */ /* TODO - move this mountinfo code into library to be reusable */
#ifdef __linux__ #ifdef __linux__
@@ -39,118 +40,277 @@
#define UMOUNT_COMMAND "/bin/umount" #define UMOUNT_COMMAND "/bin/umount"
#define MAX_FAILS (256) /* ~42 mins between cmd call retry with 10s delay */ #define MAX_FAILS (10)
#define THIN_DEBUG 0 #define THIN_DEBUG 0
struct dso_state { struct dso_state {
struct dm_pool *mem; struct dm_pool *mem;
int metadata_percent_check; int metadata_percent_check;
int metadata_percent;
int data_percent_check; int data_percent_check;
int data_percent;
uint64_t known_metadata_size; uint64_t known_metadata_size;
uint64_t known_data_size; uint64_t known_data_size;
unsigned fails; unsigned fails;
unsigned max_fails; char cmd_str[1024];
int restore_sigset;
sigset_t old_sigset;
pid_t pid;
char *argv[3];
char *cmd_str;
}; };
DM_EVENT_LOG_FN("thin") DM_EVENT_LOG_FN("thin")
static int _run_command(struct dso_state *state) #define UUID_PREFIX "LVM-"
/* Figure out device UUID has LVM- prefix and is OPEN */
static int _has_unmountable_prefix(int major, int minor)
{ {
char val[3][36]; struct dm_task *dmt;
char *env[] = { val[0], val[1], val[2], NULL }; struct dm_info info;
int i; const char *uuid;
int r = 0;
/* Mark for possible lvm2 command we are running from dmeventd if (!(dmt = dm_task_create(DM_DEVICE_INFO)))
* lvm2 will not try to talk back to dmeventd while processing it */ return_0;
(void) dm_snprintf(val[0], sizeof(val[0]), "LVM_RUN_BY_DMEVENTD=1");
if (state->data_percent) { if (!dm_task_set_major_minor(dmt, major, minor, 1))
/* Prepare some known data to env vars for easy use */ goto_out;
(void) dm_snprintf(val[1], sizeof(val[1]), "DMEVENTD_THIN_POOL_DATA=%d",
state->data_percent / DM_PERCENT_1); if (!dm_task_no_flush(dmt))
(void) dm_snprintf(val[2], sizeof(val[2]), "DMEVENTD_THIN_POOL_METADATA=%d", stack;
state->metadata_percent / DM_PERCENT_1);
} else { if (!dm_task_run(dmt))
/* For an error event it's for a user to check status and decide */ goto out;
env[1] = NULL;
log_debug("Error event processing."); if (!dm_task_get_info(dmt, &info))
goto out;
if (!info.exists || !info.open_count)
goto out; /* Not open -> not mounted */
if (!(uuid = dm_task_get_uuid(dmt)))
goto out;
/* Check it's public mountable LV
* has prefix LVM- and UUID size is 68 chars */
if (memcmp(uuid, UUID_PREFIX, sizeof(UUID_PREFIX) - 1) ||
strlen(uuid) != 68)
goto out;
#if THIN_DEBUG
log_debug("Found logical volume %s (%u:%u).", uuid, major, minor);
#endif
r = 1;
out:
dm_task_destroy(dmt);
return r;
} }
log_verbose("Executing command: %s", state->cmd_str); /* Get dependencies for device, and try to find matching device */
static int _has_deps(const char *name, int tp_major, int tp_minor, int *dev_minor)
{
struct dm_task *dmt;
const struct dm_deps *deps;
struct dm_info info;
int major, minor;
int r = 0;
/* TODO: if (!(dmt = dm_task_create(DM_DEVICE_DEPS)))
* Support parallel run of 'task' and it's waitpid maintainence
* ATM we can't handle signaling of SIGALRM
* as signalling is not allowed while 'process_event()' is running
*/
if (!(state->pid = fork())) {
/* child */
(void) close(0);
for (i = 3; i < 255; ++i) (void) close(i);
execve(state->argv[0], state->argv, env);
_exit(errno);
} else if (state->pid == -1) {
log_error("Can't fork command %s.", state->cmd_str);
state->fails = 1;
return 0; return 0;
if (!dm_task_set_name(dmt, name))
goto out;
if (!dm_task_no_open_count(dmt))
goto out;
if (!dm_task_run(dmt))
goto out;
if (!dm_task_get_info(dmt, &info))
goto out;
if (!(deps = dm_task_get_deps(dmt)))
goto out;
if (!info.exists || deps->count != 1)
goto out;
major = (int) MAJOR(deps->device[0]);
minor = (int) MINOR(deps->device[0]);
if ((major != tp_major) || (minor != tp_minor))
goto out;
*dev_minor = info.minor;
if (!_has_unmountable_prefix(major, info.minor))
goto out;
#if THIN_DEBUG
{
char dev_name[PATH_MAX];
if (dm_device_get_name(major, minor, 0, dev_name, sizeof(dev_name)))
log_debug("Found %s (%u:%u) depends on %s.",
name, major, *dev_minor, dev_name);
}
#endif
r = 1;
out:
dm_task_destroy(dmt);
return r;
}
/* Get all active devices */
static int _find_all_devs(dm_bitset_t bs, int tp_major, int tp_minor)
{
struct dm_task *dmt;
struct dm_names *names;
unsigned next = 0;
int minor, r = 1;
if (!(dmt = dm_task_create(DM_DEVICE_LIST)))
return 0;
if (!dm_task_run(dmt)) {
r = 0;
goto out;
}
if (!(names = dm_task_get_names(dmt))) {
r = 0;
goto out;
}
if (!names->dev)
goto out;
do {
names = (struct dm_names *)((char *) names + next);
if (_has_deps(names->name, tp_major, tp_minor, &minor))
dm_bit_set(bs, minor);
next = names->next;
} while (next);
out:
dm_task_destroy(dmt);
return r;
}
static int _run(const char *cmd, ...)
{
va_list ap;
int argc = 1; /* for argv[0], i.e. cmd */
int i = 0;
const char **argv;
pid_t pid = fork();
int status;
if (pid == 0) { /* child */
va_start(ap, cmd);
while (va_arg(ap, const char *))
++argc;
va_end(ap);
/* + 1 for the terminating NULL */
argv = alloca(sizeof(const char *) * (argc + 1));
argv[0] = cmd;
va_start(ap, cmd);
while ((argv[++i] = va_arg(ap, const char *)));
va_end(ap);
execvp(cmd, (char **)argv);
log_sys_error("exec", cmd);
exit(127);
}
if (pid > 0) { /* parent */
if (waitpid(pid, &status, 0) != pid)
return 0; /* waitpid failed */
if (!WIFEXITED(status) || WEXITSTATUS(status))
return 0; /* the child failed */
}
if (pid < 0)
return 0; /* fork failed */
return 1; /* all good */
}
struct mountinfo_s {
const char *device;
struct dm_info info;
dm_bitset_t minors; /* Bitset for active thin pool minors */
};
static int _umount_device(char *buffer, unsigned major, unsigned minor,
char *target, void *cb_data)
{
struct mountinfo_s *data = cb_data;
char *words[10];
if ((major == data->info.major) && dm_bit(data->minors, minor)) {
if (dm_split_words(buffer, DM_ARRAY_SIZE(words), 0, words) < DM_ARRAY_SIZE(words))
words[9] = NULL; /* just don't show device name */
log_info("Unmounting thin %s (%d:%d) of thin-pool %s (%u:%u) from mount point \"%s\".",
words[9] ? : "", major, minor, data->device,
data->info.major, data->info.minor,
target);
if (!_run(UMOUNT_COMMAND, "-fl", target, NULL))
log_error("Failed to lazy umount thin %s (%d:%d) from %s: %s.",
words[9], major, minor, target, strerror(errno));
} }
return 1; return 1;
} }
/*
* Find all thin pool LV users and try to umount them.
* TODO: work with read-only thin pool support
*/
static void _umount(struct dm_task *dmt)
{
/* TODO: Convert to use hash to reduce memory usage */
static const size_t MINORS = (1U << 20); /* 20 bit */
struct mountinfo_s data = { NULL };
if (!dm_task_get_info(dmt, &data.info))
return;
data.device = dm_task_get_name(dmt);
if (!(data.minors = dm_bitset_create(NULL, MINORS))) {
log_error("Failed to allocate bitset. Not unmounting %s.", data.device);
goto out;
}
if (!_find_all_devs(data.minors, data.info.major, data.info.minor)) {
log_error("Failed to detect mounted volumes for %s.", data.device);
goto out;
}
if (!dm_mountinfo_read(_umount_device, &data)) {
log_error("Could not parse mountinfo file.");
goto out;
}
out:
if (data.minors)
dm_bitset_destroy(data.minors);
}
static int _use_policy(struct dm_task *dmt, struct dso_state *state) static int _use_policy(struct dm_task *dmt, struct dso_state *state)
{ {
#if THIN_DEBUG #if THIN_DEBUG
log_debug("dmeventd executes: %s.", state->cmd_str); log_info("dmeventd executes: %s.", state->cmd_str);
#endif #endif
if (state->argv[0])
return _run_command(state);
if (!dmeventd_lvm2_run_with_lock(state->cmd_str)) { if (!dmeventd_lvm2_run_with_lock(state->cmd_str)) {
log_error("Failed command for %s.", dm_task_get_name(dmt)); log_error("Failed to extend thin pool %s.",
state->fails = 1; dm_task_get_name(dmt));
state->fails++;
return 0; return 0;
} }
state->fails = 0; state->fails = 0;
return 1;
}
/* Check if executed command has finished
* Only 1 command may run */
static int _wait_for_pid(struct dso_state *state)
{
int status = 0;
if (state->pid == -1)
return 1;
if (!waitpid(state->pid, &status, WNOHANG))
return 0;
/* Wait for finish */
if (WIFEXITED(status)) {
log_verbose("Child %d exited with status %d.",
state->pid, WEXITSTATUS(status));
state->fails = WEXITSTATUS(status) ? 1 : 0;
} else {
if (WIFSIGNALED(status))
log_verbose("Child %d was terminated with status %d.",
state->pid, WTERMSIG(status));
state->fails = 1;
}
state->pid = -1;
return 1; return 1;
} }
@@ -159,6 +319,7 @@ void process_event(struct dm_task *dmt,
void **user) void **user)
{ {
const char *device = dm_task_get_name(dmt); const char *device = dm_task_get_name(dmt);
int percent;
struct dso_state *state = *user; struct dso_state *state = *user;
struct dm_status_thin_pool *tps = NULL; struct dm_status_thin_pool *tps = NULL;
void *next = NULL; void *next = NULL;
@@ -166,48 +327,25 @@ void process_event(struct dm_task *dmt,
char *target_type = NULL; char *target_type = NULL;
char *params; char *params;
int needs_policy = 0; int needs_policy = 0;
struct dm_task *new_dmt = NULL; int needs_umount = 0;
#if THIN_DEBUG #if THIN_DEBUG
log_debug("Watch for tp-data:%.2f%% tp-metadata:%.2f%%.", log_debug("Watch for tp-data:%.2f%% tp-metadata:%.2f%%.",
dm_percent_to_round_float(state->data_percent_check, 2), dm_percent_to_float(state->data_percent_check),
dm_percent_to_round_float(state->metadata_percent_check, 2)); dm_percent_to_float(state->metadata_percent_check));
#endif #endif
if (!_wait_for_pid(state)) {
log_warn("WARNING: Skipping event, child %d is still running (%s).",
state->pid, state->cmd_str);
return;
}
#if 0
/* No longer monitoring, waiting for remove */
if (!state->meta_percent_check && !state->data_percent_check)
return;
#endif
if (event & DM_EVENT_DEVICE_ERROR) { if (event & DM_EVENT_DEVICE_ERROR) {
/* Error -> no need to check and do instant resize */ /* Error -> no need to check and do instant resize */
state->data_percent = state->metadata_percent = 0;
if (_use_policy(dmt, state)) if (_use_policy(dmt, state))
goto out; goto out;
stack; stack;
/*
* Rather update oldish status
* since after 'command' processing
* percentage info could have changed a lot.
* If we would get above UMOUNT_THRESH
* we would wait for next sigalarm.
*/
if (!(new_dmt = dm_task_create(DM_DEVICE_STATUS)))
goto_out;
if (!dm_task_set_uuid(new_dmt, dm_task_get_uuid(dmt)))
goto_out;
/* Non-blocking status read */
if (!dm_task_no_flush(new_dmt))
log_warn("WARNING: Can't set no_flush for dm status.");
if (!dm_task_run(new_dmt))
goto_out;
dmt = new_dmt;
} }
dm_get_next_target(dmt, next, &start, &length, &target_type, &params); dm_get_next_target(dmt, next, &start, &length, &target_type, &params);
@@ -219,6 +357,7 @@ void process_event(struct dm_task *dmt,
if (!dm_get_status_thin_pool(state->mem, params, &tps)) { if (!dm_get_status_thin_pool(state->mem, params, &tps)) {
log_error("Failed to parse status."); log_error("Failed to parse status.");
needs_umount = 1;
goto out; goto out;
} }
@@ -233,110 +372,67 @@ void process_event(struct dm_task *dmt,
if (state->known_metadata_size != tps->total_metadata_blocks) { if (state->known_metadata_size != tps->total_metadata_blocks) {
state->metadata_percent_check = CHECK_MINIMUM; state->metadata_percent_check = CHECK_MINIMUM;
state->known_metadata_size = tps->total_metadata_blocks; state->known_metadata_size = tps->total_metadata_blocks;
state->fails = 0;
} }
if (state->known_data_size != tps->total_data_blocks) { if (state->known_data_size != tps->total_data_blocks) {
state->data_percent_check = CHECK_MINIMUM; state->data_percent_check = CHECK_MINIMUM;
state->known_data_size = tps->total_data_blocks; state->known_data_size = tps->total_data_blocks;
state->fails = 0;
} }
percent = dm_make_percent(tps->used_metadata_blocks, tps->total_metadata_blocks);
if (percent >= state->metadata_percent_check) {
/* /*
* Trigger action when threshold boundary is exceeded. * Usage has raised more than CHECK_STEP since the last
* Report 80% threshold warning when it's used above 80%. * time. Run actions.
* Only 100% is exception as it cannot be surpased so policy
* action is called for: >50%, >55% ... >95%, 100%
*/ */
state->metadata_percent = dm_make_percent(tps->used_metadata_blocks, tps->total_metadata_blocks); state->metadata_percent_check = (percent / CHECK_STEP) * CHECK_STEP + CHECK_STEP;
if ((state->metadata_percent > WARNING_THRESH) &&
(state->metadata_percent > state->metadata_percent_check)) /* FIXME: extension of metadata needs to be written! */
if (percent >= WARNING_THRESH) /* Print a warning to syslog. */
log_warn("WARNING: Thin pool %s metadata is now %.2f%% full.", log_warn("WARNING: Thin pool %s metadata is now %.2f%% full.",
device, dm_percent_to_round_float(state->metadata_percent, 2)); device, dm_percent_to_float(percent));
if (state->metadata_percent > CHECK_MINIMUM) {
/* Run action when usage raised more than CHECK_STEP since the last time */
if (state->metadata_percent > state->metadata_percent_check)
needs_policy = 1; needs_policy = 1;
state->metadata_percent_check = (state->metadata_percent / CHECK_STEP + 1) * CHECK_STEP;
if (state->metadata_percent_check == DM_PERCENT_100)
state->metadata_percent_check--; /* Can't get bigger then 100% */
} else
state->metadata_percent_check = CHECK_MINIMUM;
state->data_percent = dm_make_percent(tps->used_data_blocks, tps->total_data_blocks); if (percent >= UMOUNT_THRESH)
if ((state->data_percent > WARNING_THRESH) && needs_umount = 1;
(state->data_percent > state->data_percent_check))
log_warn("WARNING: Thin pool %s data is now %.2f%% full.",
device, dm_percent_to_round_float(state->data_percent, 2));
if (state->data_percent > CHECK_MINIMUM) {
/* Run action when usage raised more than CHECK_STEP since the last time */
if (state->data_percent > state->data_percent_check)
needs_policy = 1;
state->data_percent_check = (state->data_percent / CHECK_STEP + 1) * CHECK_STEP;
if (state->data_percent_check == DM_PERCENT_100)
state->data_percent_check--; /* Can't get bigger then 100% */
} else
state->data_percent_check = CHECK_MINIMUM;
/* Reduce number of _use_policy() calls by power-of-2 factor till frequency of MAX_FAILS is reached.
* Avoids too high number of error retries, yet shows some status messages in log regularly.
* i.e. PV could have been pvmoved and VG/LV was locked for a while...
*/
if (state->fails) {
if (state->fails++ <= state->max_fails) {
log_debug("Postponing frequently failing policy (%u <= %u).",
state->fails - 1, state->max_fails);
return;
} }
if (state->max_fails < MAX_FAILS)
state->max_fails <<= 1;
state->fails = needs_policy = 1; /* Retry failing command */
} else
state->max_fails = 1; /* Reset on success */
if (needs_policy) percent = dm_make_percent(tps->used_data_blocks, tps->total_data_blocks);
_use_policy(dmt, state); if (percent >= state->data_percent_check) {
/*
* Usage has raised more than CHECK_STEP since
* the last time. Run actions.
*/
state->data_percent_check = (percent / CHECK_STEP) * CHECK_STEP + CHECK_STEP;
if (percent >= WARNING_THRESH) /* Print a warning to syslog. */
log_warn("WARNING: Thin pool %s data is now %.2f%% full.",
device, dm_percent_to_float(percent));
needs_policy = 1;
if (percent >= UMOUNT_THRESH)
needs_umount = 1;
}
if (needs_policy &&
_use_policy(dmt, state))
needs_umount = 0; /* No umount when command was successful */
out: out:
if (needs_umount) {
_umount(dmt);
/* Until something changes, do not retry any more actions */
state->data_percent_check = state->metadata_percent_check = (DM_PERCENT_1 * 101);
}
if (tps) if (tps)
dm_pool_free(state->mem, tps); dm_pool_free(state->mem, tps);
if (new_dmt) if (state->fails >= MAX_FAILS) {
dm_task_destroy(new_dmt); log_warn("WARNING: Dropping monitoring of %s. "
"lvm2 command fails too often (%u times in raw).",
device, state->fails);
pthread_kill(pthread_self(), SIGALRM);
} }
/* Handle SIGCHLD for a thread */
static void _sig_child(int signum __attribute__((unused)))
{
/* empty SIG_IGN */;
}
/* Setup handler for SIGCHLD when executing external command
* to get quick 'waitpid()' reaction
* It will interrupt syscall just like SIGALRM and
* invoke process_event().
*/
static void _init_thread_signals(struct dso_state *state)
{
struct sigaction act = { .sa_handler = _sig_child };
sigset_t my_sigset;
sigemptyset(&my_sigset);
if (sigaction(SIGCHLD, &act, NULL))
log_warn("WARNING: Failed to set SIGCHLD action.");
else if (sigaddset(&my_sigset, SIGCHLD))
log_warn("WARNING: Failed to add SIGCHLD to set.");
else if (pthread_sigmask(SIG_UNBLOCK, &my_sigset, &state->old_sigset))
log_warn("WARNING: Failed to unblock SIGCHLD.");
else
state->restore_sigset = 1;
}
static void _restore_thread_signals(struct dso_state *state)
{
if (state->restore_sigset &&
pthread_sigmask(SIG_SETMASK, &state->old_sigset, NULL))
log_warn("WARNING: Failed to block SIGCHLD.");
} }
int register_device(const char *device, int register_device(const char *device,
@@ -346,55 +442,27 @@ int register_device(const char *device,
void **user) void **user)
{ {
struct dso_state *state; struct dso_state *state;
char *str;
char cmd_str[PATH_MAX + 128 + 2]; /* cmd ' ' vg/lv \0 */
if (!dmeventd_lvm2_init_with_pool("thin_pool_state", state)) if (!dmeventd_lvm2_init_with_pool("thin_pool_state", state))
goto_bad; goto_bad;
if (!dmeventd_lvm2_command(state->mem, cmd_str, sizeof(cmd_str), if (!dmeventd_lvm2_command(state->mem, state->cmd_str,
"_dmeventd_thin_command", device)) sizeof(state->cmd_str),
"lvextend --use-policies",
device)) {
dmeventd_lvm2_exit_with_pool(state);
goto_bad; goto_bad;
if (strncmp(cmd_str, "lvm ", 4) == 0) {
if (!(state->cmd_str = dm_pool_strdup(state->mem, cmd_str + 4))) {
log_error("Failed to copy lvm command.");
goto bad;
}
} else if (cmd_str[0] == '/') {
if (!(state->cmd_str = dm_pool_strdup(state->mem, cmd_str))) {
log_error("Failed to copy thin command.");
goto bad;
} }
/* Find last space before 'vg/lv' */ state->metadata_percent_check = CHECK_MINIMUM;
if (!(str = strrchr(state->cmd_str, ' '))) state->data_percent_check = CHECK_MINIMUM;
goto inval;
if (!(state->argv[0] = dm_pool_strndup(state->mem, state->cmd_str,
str - state->cmd_str))) {
log_error("Failed to copy command.");
goto bad;
}
state->argv[1] = str + 1; /* 1 argument - vg/lv */
_init_thread_signals(state);
} else /* Unuspported command format */
goto inval;
state->pid = -1;
*user = state; *user = state;
log_info("Monitoring thin pool %s.", device); log_info("Monitoring thin %s.", device);
return 1; return 1;
inval:
log_error("Invalid command for monitoring: %s.", cmd_str);
bad: bad:
log_error("Failed to monitor thin pool %s.", device); log_error("Failed to monitor thin %s.", device);
if (state)
dmeventd_lvm2_exit_with_pool(state);
return 0; return 0;
} }
@@ -406,31 +474,9 @@ int unregister_device(const char *device,
void **user) void **user)
{ {
struct dso_state *state = *user; struct dso_state *state = *user;
int i;
for (i = 0; !_wait_for_pid(state) && (i < 6); ++i) {
if (i == 0)
/* Give it 2 seconds, then try to terminate & kill it */
log_verbose("Child %d still not finished (%s) waiting.",
state->pid, state->cmd_str);
else if (i == 3) {
log_warn("WARNING: Terminating child %d.", state->pid);
kill(state->pid, SIGINT);
kill(state->pid, SIGTERM);
} else if (i == 5) {
log_warn("WARNING: Killing child %d.", state->pid);
kill(state->pid, SIGKILL);
}
sleep(1);
}
if (state->pid != -1)
log_warn("WARNING: Cannot kill child %d!", state->pid);
_restore_thread_signals(state);
dmeventd_lvm2_exit_with_pool(state); dmeventd_lvm2_exit_with_pool(state);
log_info("No longer monitoring thin pool %s.", device); log_info("No longer monitoring thin %s.", device);
return 1; return 1;
} }

View File

@@ -1 +0,0 @@
dmfilemapd

View File

@@ -1,66 +0,0 @@
#
# Copyright (C) 2016 Red Hat, Inc. All rights reserved.
#
# This file is part of the device-mapper userspace tools.
#
# This copyrighted material is made available to anyone wishing to use,
# modify, copy, or redistribute it subject to the terms and conditions
# of the GNU Lesser General Public License v.2.1.
#
# You should have received a copy of the GNU Lesser General Public License
# along with this program; if not, write to the Free Software Foundation,
# Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA
srcdir = @srcdir@
top_srcdir = @top_srcdir@
top_builddir = @top_builddir@
SOURCES = dmfilemapd.c
TARGETS = dmfilemapd
.PHONY: install_dmfilemapd install_dmfilemapd_static
INSTALL_DMFILEMAPD_TARGETS = install_dmfilemapd_dynamic
CLEAN_TARGETS = dmfilemapd.static
CFLOW_LIST = $(SOURCES)
CFLOW_LIST_TARGET = $(LIB_NAME).cflow
CFLOW_TARGET = dmfilemapd
include $(top_builddir)/make.tmpl
all: device-mapper
device-mapper: $(TARGETS)
CFLAGS_dmfilemapd.o += $(EXTRA_EXEC_CFLAGS)
LIBS += -ldevmapper
dmfilemapd: $(LIB_SHARED) dmfilemapd.o
$(CC) $(CFLAGS) $(LDFLAGS) $(EXTRA_EXEC_LDFLAGS) $(ELDFLAGS) \
-o $@ dmfilemapd.o $(DL_LIBS) $(LIBS)
dmfilemapd.static: $(LIB_STATIC) dmfilemapd.o $(interfacebuilddir)/libdevmapper.a
$(CC) $(CFLAGS) $(LDFLAGS) $(ELDFLAGS) -static -L$(interfacebuilddir) \
-o $@ dmfilemapd.o $(DL_LIBS) $(LIBS) $(STATIC_LIBS)
ifneq ("$(CFLOW_CMD)", "")
CFLOW_SOURCES = $(addprefix $(srcdir)/, $(SOURCES))
-include $(top_builddir)/libdm/libdevmapper.cflow
-include $(top_builddir)/lib/liblvm-internal.cflow
-include $(top_builddir)/lib/liblvm2cmd.cflow
-include $(top_builddir)/daemons/dmfilemapd/$(LIB_NAME).cflow
endif
install_dmfilemapd_dynamic: dmfilemapd
$(INSTALL_PROGRAM) -D $< $(sbindir)/$(<F)
install_dmfilemapd_static: dmfilemapd.static
$(INSTALL_PROGRAM) -D $< $(staticdir)/$(<F)
install_dmfilemapd: $(INSTALL_DMFILEMAPD_TARGETS)
install: install_dmfilemapd
install_device-mapper: install_dmfilemapd

View File

@@ -1,834 +0,0 @@
/*
* Copyright (C) 2016 Red Hat, Inc. All rights reserved.
*
* This file is part of the device-mapper userspace tools.
*
* It includes tree drawing code based on pstree: http://psmisc.sourceforge.net/
*
* This copyrighted material is made available to anyone wishing to use,
* modify, copy, or redistribute it subject to the terms and conditions
* of the GNU General Public License v.2.
*
* You should have received a copy of the GNU General Public License
* along with this program; if not, write to the Free Software Foundation,
* Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA
*/
#include "tool.h"
#include "dm-logging.h"
#include "defaults.h"
#include <sys/types.h>
#include <sys/stat.h>
#include <unistd.h>
#include <fcntl.h>
#include <sys/inotify.h>
#include <dirent.h>
#include <ctype.h>
#ifdef __linux__
# include "kdev_t.h"
#else
# define MAJOR(x) major((x))
# define MINOR(x) minor((x))
# define MKDEV(x,y) makedev((x),(y))
#endif
/* limit to two updates/sec */
#define FILEMAPD_WAIT_USECS 500000
/* how long to wait for unlinked files */
#define FILEMAPD_NOFILE_WAIT_USECS 100000
#define FILEMAPD_NOFILE_WAIT_TRIES 10
struct filemap_monitor {
dm_filemapd_mode_t mode;
const char *program_id;
uint64_t group_id;
char *path;
int fd;
int inotify_fd;
int inotify_watch_fd;
/* monitoring heuristics */
int64_t blocks; /* allocated blocks, from stat.st_blocks */
uint64_t nr_regions;
int deleted;
};
static int _foreground;
static int _verbose;
const char *const _usage = "dmfilemapd <fd> <group_id> <abs_path> <mode> "
"[<foreground>[<log_level>]]";
/*
* Daemon logging. By default, all messages are thrown away: messages
* are only written to the terminal if the daemon is run in the foreground.
*/
__attribute__((format(printf, 5, 0)))
static void _dmfilemapd_log_line(int level,
const char *file __attribute__((unused)),
int line __attribute__((unused)),
int dm_errno_or_class,
const char *f, va_list ap)
{
static int _abort_on_internal_errors = -1;
FILE *out = log_stderr(level) ? stderr : stdout;
level = log_level(level);
if (level <= _LOG_WARN || _verbose) {
if (level < _LOG_WARN)
out = stderr;
vfprintf(out, f, ap);
fputc('\n', out);
}
if (_abort_on_internal_errors < 0)
/* Set when env DM_ABORT_ON_INTERNAL_ERRORS is not "0" */
_abort_on_internal_errors =
strcmp(getenv("DM_ABORT_ON_INTERNAL_ERRORS") ? : "0", "0");
if (_abort_on_internal_errors &&
!strncmp(f, INTERNAL_ERROR, sizeof(INTERNAL_ERROR) - 1))
abort();
}
__attribute__((format(printf, 5, 6)))
static void _dmfilemapd_log_with_errno(int level,
const char *file, int line,
int dm_errno_or_class,
const char *f, ...)
{
va_list ap;
va_start(ap, f);
_dmfilemapd_log_line(level, file, line, dm_errno_or_class, f, ap);
va_end(ap);
}
/*
* Only used for reporting errors before daemonise().
*/
__attribute__((format(printf, 1, 2)))
static void _early_log(const char *fmt, ...)
{
va_list ap;
va_start(ap, fmt);
vfprintf(stderr, fmt, ap);
fputc('\n', stderr);
va_end(ap);
}
static void _setup_logging(void)
{
dm_log_init_verbose(_verbose - 1);
dm_log_with_errno_init(_dmfilemapd_log_with_errno);
}
#define PROC_FD_DELETED_STR "(deleted)"
/*
* Scan the /proc/<pid>/fd directory for pid and check for an fd
* symlink whose contents match path.
*/
static int _is_open_in_pid(pid_t pid, const char *path)
{
char deleted_path[PATH_MAX + sizeof(PROC_FD_DELETED_STR)];
struct dirent *pid_dp = NULL;
char path_buf[PATH_MAX];
char link_buf[PATH_MAX];
DIR *pid_d = NULL;
ssize_t len;
if (pid == getpid())
return 0;
if (dm_snprintf(path_buf, sizeof(path_buf),
DEFAULT_PROC_DIR "%d/fd", pid) < 0) {
log_error("Could not format pid path.");
return 0;
}
/*
* Test for the kernel 'file (deleted)' form when scanning.
*/
if (dm_snprintf(deleted_path, sizeof(deleted_path), "%s %s",
path, PROC_FD_DELETED_STR) < 0) {
log_error("Could not format check path.");
return 0;
}
pid_d = opendir(path_buf);
if (!pid_d) {
log_error("Could not open proc path: %s.", path_buf);
return 0;
}
while ((pid_dp = readdir(pid_d)) != NULL) {
if (pid_dp->d_name[0] == '.')
continue;
if ((len = readlinkat(dirfd(pid_d), pid_dp->d_name, link_buf,
sizeof(link_buf))) < 0) {
log_error("readlink failed for " DEFAULT_PROC_DIR
"/%d/fd/.", pid);
goto bad;
}
link_buf[len] = '\0';
if (!strcmp(deleted_path, link_buf)) {
if (closedir(pid_d))
log_sys_error("closedir", path_buf);
return 1;
}
}
bad:
if (closedir(pid_d))
log_sys_error("closedir", path_buf);
return 0;
}
/*
* Attempt to determine whether a file is open by any process by
* scanning symbolic links in /proc/<pid>/fd.
*
* This is a heuristic since it cannot guarantee to detect brief
* access in all cases: a process that opens and then closes the
* file rapidly may never be seen by the scan.
*
* The method will also give false-positives if a process exists
* that has a deleted file open that had the same path, but a
* different inode number, to the file being monitored.
*
* For this reason the daemon only uses _is_open() for unlinked
* files when the mode is DM_FILEMAPD_FOLLOW_INODE, since these
* files can no longer be newly opened by processes.
*
* In this situation !is_open(path) provides an indication that
* the daemon should shut down: the file has been unlinked from
* the file system and we appear to hold the final reference.
*/
static int _is_open(const char *path)
{
struct dirent *proc_dp = NULL;
DIR *proc_d = NULL;
pid_t pid;
proc_d = opendir(DEFAULT_PROC_DIR);
if (!proc_d)
return 0;
while ((proc_dp = readdir(proc_d)) != NULL) {
if (!isdigit(proc_dp->d_name[0]))
continue;
errno = 0;
pid = (pid_t) strtol(proc_dp->d_name, NULL, 10);
if (errno || !pid)
continue;
if (_is_open_in_pid(pid, path)) {
if (closedir(proc_d))
log_sys_error("closedir", DEFAULT_PROC_DIR);
return 1;
}
}
if (closedir(proc_d))
log_sys_error("closedir", DEFAULT_PROC_DIR);
return 0;
}
static void _filemap_monitor_wait(uint64_t usecs)
{
if (_verbose) {
if (usecs == FILEMAPD_WAIT_USECS)
log_very_verbose("Waiting for check interval");
if (usecs == FILEMAPD_NOFILE_WAIT_USECS)
log_very_verbose("Waiting for unlinked path");
}
usleep((useconds_t) usecs);
}
static int _parse_args(int argc, char **argv, struct filemap_monitor *fm)
{
char *endptr;
/* we don't care what is in argv[0]. */
argc--;
argv++;
if (argc < 5) {
_early_log("Wrong number of arguments.");
_early_log("usage: %s", _usage);
return 0;
}
/*
* We don't know the true nr_regions at daemon start time,
* and it is not worth a dm_stats_list()/group walk to count:
* we can assume that there is at least one region or the
* daemon would not have been started.
*
* A correct value will be obtained following the first update
* of the group's regions.
*/
fm->nr_regions = 1;
/* parse <fd> */
errno = 0;
fm->fd = (int) strtol(argv[0], &endptr, 10);
if (errno || *endptr) {
_early_log("Could not parse file descriptor: %s", argv[0]);
return 0;
}
argc--;
argv++;
/* parse <group_id> */
errno = 0;
fm->group_id = strtoull(argv[0], &endptr, 10);
if (*endptr || errno) {
_early_log("Could not parse group identifier: %s", argv[0]);
return 0;
}
argc--;
argv++;
/* parse <path> */
if (!argv[0] || !strlen(argv[0])) {
_early_log("Path argument is required.");
return 0;
}
if (*argv[0] != '/') {
_early_log("Path argument must specify an absolute path.");
return 0;
}
fm->path = dm_strdup(argv[0]);
if (!fm->path) {
_early_log("Could not allocate memory for path argument.");
return 0;
}
argc--;
argv++;
/* parse <mode> */
if (!argv[0] || !strlen(argv[0])) {
_early_log("Mode argument is required.");
return 0;
}
fm->mode = dm_filemapd_mode_from_string(argv[0]);
if (fm->mode == DM_FILEMAPD_FOLLOW_NONE)
return 0;
argc--;
argv++;
/* parse [<foreground>[<verbose>]] */
if (argc) {
errno = 0;
_foreground = (int) strtol(argv[0], &endptr, 10);
if (errno || *endptr) {
_early_log("Could not parse debug argument: %s.",
argv[0]);
return 0;
}
argc--;
argv++;
if (argc) {
errno = 0;
_verbose = (int) strtol(argv[0], &endptr, 10);
if (errno || *endptr) {
_early_log("Could not parse verbose "
"argument: %s", argv[0]);
return 0;
}
if (_verbose < 0 || _verbose > 3) {
_early_log("Verbose argument out of range: %d.",
_verbose);
return 0;
}
}
}
return 1;
}
static int _filemap_fd_update_blocks(struct filemap_monitor *fm)
{
struct stat buf;
if (fm->fd < 0) {
log_error("Filemap fd is not open.");
return 0;
}
if (fstat(fm->fd, &buf)) {
log_error("Failed to fstat filemap file descriptor.");
return 0;
}
fm->blocks = buf.st_blocks;
return 1;
}
static int _filemap_fd_check_changed(struct filemap_monitor *fm)
{
int64_t old_blocks;
old_blocks = fm->blocks;
if (!_filemap_fd_update_blocks(fm))
return -1;
return (fm->blocks != old_blocks);
}
static void _filemap_monitor_close_fd(struct filemap_monitor *fm)
{
if (close(fm->fd))
log_error("Error closing file descriptor.");
fm->fd = -1;
}
static void _filemap_monitor_end_notify(struct filemap_monitor *fm)
{
inotify_rm_watch(fm->inotify_fd, fm->inotify_watch_fd);
}
static int _filemap_monitor_set_notify(struct filemap_monitor *fm)
{
int inotify_fd, watch_fd;
/*
* Set IN_NONBLOCK since we do not want to block in event read()
* calls. Do not set IN_CLOEXEC as dmfilemapd is single-threaded
* and does not fork or exec.
*/
if ((inotify_fd = inotify_init1(IN_NONBLOCK)) < 0) {
log_sys_error("inotify_init1", "IN_NONBLOCK");
return 0;
}
if ((watch_fd = inotify_add_watch(inotify_fd, fm->path,
IN_MODIFY | IN_DELETE_SELF)) < 0) {
log_sys_error("inotify_add_watch", fm->path);
return 0;
}
fm->inotify_fd = inotify_fd;
fm->inotify_watch_fd = watch_fd;
return 1;
}
static int _filemap_monitor_reopen_fd(struct filemap_monitor *fm)
{
int tries = FILEMAPD_NOFILE_WAIT_TRIES;
/*
* In DM_FILEMAPD_FOLLOW_PATH mode, inotify watches must be
* re-established whenever the file at the watched path is
* changed.
*
* FIXME: stat file and skip if inode is unchanged.
*/
if (fm->fd > 0)
log_error("Filemap file descriptor already open.");
while ((fm->fd < 0) && --tries)
if (((fm->fd = open(fm->path, O_RDONLY)) < 0) && tries)
_filemap_monitor_wait(FILEMAPD_NOFILE_WAIT_USECS);
if (!tries && (fm->fd < 0)) {
log_error("Could not re-open file descriptor.");
return 0;
}
return _filemap_monitor_set_notify(fm);
}
static int _filemap_monitor_get_events(struct filemap_monitor *fm)
{
/* alignment as per man(7) inotify */
char buf[sizeof(struct inotify_event) + NAME_MAX + 1]
__attribute__ ((aligned(__alignof__(struct inotify_event))));
struct inotify_event *event;
int check = 0;
ssize_t len;
char *ptr;
/*
* Close the file descriptor for the file being monitored here
* when mode=path: this will allow the inode to be de-allocated,
* and an IN_DELETE_SELF event generated in the case that the
* daemon is holding the last open reference to the file.
*/
if (fm->mode == DM_FILEMAPD_FOLLOW_PATH) {
_filemap_monitor_end_notify(fm);
_filemap_monitor_close_fd(fm);
}
len = read(fm->inotify_fd, (void *) &buf, sizeof(buf));
/* no events to read? */
if (len < 0 && (errno == EAGAIN))
goto out;
/* interrupted by signal? */
if (len < 0 && (errno == EINTR))
goto out;
if (len < 0)
return -1;
if (!len)
goto out;
for (ptr = buf; ptr < buf + len; ptr += sizeof(*event) + event->len) {
event = (struct inotify_event *) ptr;
if (event->mask & IN_DELETE_SELF)
fm->deleted = 1;
if (event->mask & IN_MODIFY)
check = 1;
/*
* Event IN_IGNORED is generated when a file has been deleted
* and IN_DELETE_SELF generated, and indicates that the file
* watch has been automatically removed.
*
* This can only happen for the DM_FILEMAPD_FOLLOW_PATH mode,
* since inotify IN_DELETE events are generated at the time
* the inode is destroyed: DM_FILEMAPD_FOLLOW_INODE will hold
* the file descriptor open, meaning that the event will not
* be generated until after the daemon closes the file.
*
* The event is ignored here since inotify monitoring will
* be reestablished (or the daemon will terminate) following
* deletion of a DM_FILEMAPD_FOLLOW_PATH monitored file.
*/
if (event->mask & IN_IGNORED)
log_very_verbose("Inotify watch removed: IN_IGNORED "
"in event->mask");
}
out:
/*
* Re-open file descriptor if required and log disposition.
*/
if (fm->mode == DM_FILEMAPD_FOLLOW_PATH)
if (!_filemap_monitor_reopen_fd(fm))
return -1;
log_very_verbose("exiting _filemap_monitor_get_events() with "
"deleted=%d, check=%d", fm->deleted, check);
return check;
}
static void _filemap_monitor_destroy(struct filemap_monitor *fm)
{
if (fm->fd > 0) {
_filemap_monitor_end_notify(fm);
_filemap_monitor_close_fd(fm);
}
dm_free((void *) fm->program_id);
dm_free(fm->path);
}
static int _filemap_monitor_check_same_file(int fd1, int fd2)
{
struct stat buf1, buf2;
if ((fd1 < 0) || (fd2 < 0))
return 0;
if (fstat(fd1, &buf1)) {
log_error("Failed to fstat file descriptor %d", fd1);
return -1;
}
if (fstat(fd2, &buf2)) {
log_error("Failed to fstat file descriptor %d", fd2);
return -1;
}
return ((buf1.st_dev == buf2.st_dev) && (buf1.st_ino == buf2.st_ino));
}
static int _filemap_monitor_check_file_unlinked(struct filemap_monitor *fm)
{
char path_buf[PATH_MAX];
char link_buf[PATH_MAX];
int same, fd;
ssize_t len;
fm->deleted = 0;
same = 0;
if ((fd = open(fm->path, O_RDONLY)) < 0)
goto check_unlinked;
same = _filemap_monitor_check_same_file(fm->fd, fd);
if (close(fd))
log_error("Error closing fd %d", fd);
if (same < 0)
return 0;
if (same)
return 1;
check_unlinked:
/*
* The file has been unlinked from its original location: test
* whether it is still reachable in the filesystem, or if it is
* unlinked and anonymous.
*/
if (dm_snprintf(path_buf, sizeof(path_buf), DEFAULT_PROC_DIR
"/%d/fd/%d", getpid(), fm->fd) < 0) {
log_error("Could not format pid path.");
return 0;
}
if ((len = readlink(path_buf, link_buf, sizeof(link_buf) - 1)) < 0) {
log_error("readlink failed for " DEFAULT_PROC_DIR "/%d/fd/%d.",
getpid(), fm->fd);
return 0;
}
link_buf[len] = '\0';
/*
* Try to re-open the file, from the path now reported in /proc/pid/fd.
*/
if ((fd = open(link_buf, O_RDONLY)) < 0)
fm->deleted = 1;
else
same = _filemap_monitor_check_same_file(fm->fd, fd);
if ((fd >= 0) && close(fd))
log_error("Error closing fd %d", fd);
if (same < 0)
return 0;
/* Should not happen with normal /proc. */
if ((fd > 0) && !same) {
log_error("File descriptor mismatch: %d and %s (read from %s) "
"are not the same file!", fm->fd, link_buf, path_buf);
return 0;
}
return 1;
}
static int _daemonise(struct filemap_monitor *fm)
{
pid_t pid = 0, sid;
int fd;
if (!(sid = setsid())) {
_early_log("setsid failed.");
return 0;
}
if ((pid = fork()) < 0) {
_early_log("Failed to fork daemon process.");
return 0;
}
if (pid > 0) {
if (_verbose)
_early_log("Started dmfilemapd with pid=%d", pid);
exit(0);
}
if (chdir("/")) {
_early_log("Failed to change directory.");
return 0;
}
if (!_verbose) {
if (close(STDIN_FILENO))
_early_log("Error closing stdin");
if (close(STDOUT_FILENO))
_early_log("Error closing stdout");
if (close(STDERR_FILENO))
_early_log("Error closing stderr");
if ((open("/dev/null", O_RDONLY) < 0) ||
(open("/dev/null", O_WRONLY) < 0) ||
(open("/dev/null", O_WRONLY) < 0)) {
_early_log("Error opening stdio streams.");
return 0;
}
}
/* TODO: Use libdaemon/server/daemon-server.c _daemonise() */
for (fd = (int) sysconf(_SC_OPEN_MAX) - 1; fd > STDERR_FILENO; fd--) {
if (fd == fm->fd)
continue;
(void) close(fd);
}
return 1;
}
static int _update_regions(struct dm_stats *dms, struct filemap_monitor *fm)
{
uint64_t *regions = NULL, *region, nr_regions = 0;
regions = dm_stats_update_regions_from_fd(dms, fm->fd, fm->group_id);
if (!regions) {
log_error("Failed to update filemap regions for group_id="
FMTu64 ".", fm->group_id);
return 0;
}
for (region = regions; *region != DM_STATS_REGIONS_ALL; region++)
nr_regions++;
if (!nr_regions)
log_warn("File contains no extents: exiting.");
if (nr_regions && (regions[0] != fm->group_id)) {
log_warn("group_id changed from " FMTu64 " to " FMTu64,
fm->group_id, regions[0]);
fm->group_id = regions[0];
}
dm_free(regions);
fm->nr_regions = nr_regions;
return 1;
}
static int _dmfilemapd(struct filemap_monitor *fm)
{
int running = 1, check = 0, open = 0;
const char *program_id;
struct dm_stats *dms;
/*
* The correct program_id is retrieved from the group leader
* following the call to dm_stats_list().
*/
if (!(dms = dm_stats_create(NULL)))
goto_bad;
if (!dm_stats_bind_from_fd(dms, fm->fd)) {
log_error("Could not bind dm_stats handle to file descriptor "
"%d", fm->fd);
goto bad;
}
if (!_filemap_monitor_set_notify(fm))
goto bad;
if (!_filemap_fd_update_blocks(fm))
goto bad;
if (!dm_stats_list(dms, DM_STATS_ALL_PROGRAMS)) {
log_error("Failed to list stats handle.");
goto bad;
}
/*
* Take the program_id for new regions (created by calls to
* dm_stats_update_regions_from_fd()) from the value used by
* the group leader.
*/
program_id = dm_stats_get_region_program_id(dms, fm->group_id);
if (program_id)
fm->program_id = dm_strdup(program_id);
else
fm->program_id = NULL;
dm_stats_set_program_id(dms, 1, program_id);
do {
if (!dm_stats_group_present(dms, fm->group_id)) {
log_info("Filemap group removed: exiting.");
running = 0;
continue;
}
if ((check = _filemap_monitor_get_events(fm)) < 0)
goto bad;
if (!check)
goto wait;
if ((check = _filemap_fd_check_changed(fm)) < 0)
goto bad;
if (check && !_update_regions(dms, fm))
goto bad;
running = !!fm->nr_regions;
if (!running)
continue;
wait:
_filemap_monitor_wait(FILEMAPD_WAIT_USECS);
/* mode=inode termination condions */
if (fm->mode == DM_FILEMAPD_FOLLOW_INODE) {
if (!_filemap_monitor_check_file_unlinked(fm))
goto bad;
if (fm->deleted && !(open = _is_open(fm->path))) {
log_info("File unlinked and closed: exiting.");
running = 0;
} else if (fm->deleted && open)
log_verbose("File unlinked and open: "
"continuing.");
}
if (!dm_stats_list(dms, NULL)) {
log_error("Failed to list stats handle.");
goto bad;
}
} while (running);
_filemap_monitor_destroy(fm);
dm_stats_destroy(dms);
return 0;
bad:
_filemap_monitor_destroy(fm);
dm_stats_destroy(dms);
log_error("Exiting");
return 1;
}
static const char * _mode_names[] = {
"inode",
"path"
};
/*
* dmfilemapd <fd> <group_id> <path> <mode> [<foreground>[<log_level>]]
*/
int main(int argc, char **argv)
{
struct filemap_monitor fm;
memset(&fm, 0, sizeof(fm));
if (!_parse_args(argc, argv, &fm)) {
dm_free(fm.path);
return 1;
}
_setup_logging();
log_info("Starting dmfilemapd with fd=%d, group_id=" FMTu64 " "
"mode=%s, path=%s", fm.fd, fm.group_id,
_mode_names[fm.mode], fm.path);
if (!_foreground && !_daemonise(&fm))
return 1;
return _dmfilemapd(&fm);
}

View File

@@ -1,4 +0,0 @@
path.py
lvmdbusd
lvmdb.py
lvm_shell_proxy.py

View File

@@ -26,11 +26,14 @@ LVMDBUS_SRCDIR_FILES = \
__init__.py \ __init__.py \
job.py \ job.py \
loader.py \ loader.py \
lvmdb.py \
main.py \ main.py \
lvm_shell_proxy.py \
lv.py \ lv.py \
manager.py \ manager.py \
objectmanager.py \ objectmanager.py \
pv.py \ pv.py \
refresh.py \
request.py \ request.py \
state.py \ state.py \
udevwatch.py \ udevwatch.py \
@@ -38,19 +41,14 @@ LVMDBUS_SRCDIR_FILES = \
vg.py vg.py
LVMDBUS_BUILDDIR_FILES = \ LVMDBUS_BUILDDIR_FILES = \
lvmdb.py \
lvm_shell_proxy.py \
path.py path.py
LVMDBUSD = lvmdbusd LVMDBUSD = $(srcdir)/lvmdbusd
include $(top_builddir)/make.tmpl include $(top_builddir)/make.tmpl
.PHONY: install_lvmdbusd .PHONY: install_lvmdbusd
all:
test -x $(LVMDBUSD) || chmod 755 $(LVMDBUSD)
install_lvmdbusd: install_lvmdbusd:
$(INSTALL_DIR) $(sbindir) $(INSTALL_DIR) $(sbindir)
$(INSTALL_SCRIPT) $(LVMDBUSD) $(sbindir) $(INSTALL_SCRIPT) $(LVMDBUSD) $(sbindir)
@@ -66,5 +64,4 @@ install_lvm2: install_lvmdbusd
install: install_lvm2 install: install_lvm2
DISTCLEAN_TARGETS+= \ DISTCLEAN_TARGETS+= \
$(LVMDBUS_BUILDDIR_FILES) \ $(LVMDBUS_BUILDDIR_FILES)
$(LVMDBUSD)

View File

@@ -8,7 +8,6 @@
# along with this program. If not, see <http://www.gnu.org/licenses/>. # along with this program. If not, see <http://www.gnu.org/licenses/>.
import dbus import dbus
import dbus.service
from . import cfg from . import cfg
from .utils import get_properties, add_properties, get_object_property_diff, \ from .utils import get_properties, add_properties, get_object_property_diff, \
log_debug log_debug
@@ -38,7 +37,7 @@ class AutomatedProperties(dbus.service.Object):
props = {} props = {}
for i in self.interface(): for i in self.interface():
props[i] = AutomatedProperties._get_all_prop(self, i) props[i] = self.GetAll(i)
return self._ap_o_path, props return self._ap_o_path, props
@@ -65,52 +64,31 @@ class AutomatedProperties(dbus.service.Object):
return self._ap_interface return self._ap_interface
@staticmethod # Properties
def _get_prop(obj, interface_name, property_name): # noinspection PyUnusedLocal
value = getattr(obj, property_name) @dbus.service.method(dbus_interface=dbus.PROPERTIES_IFACE,
in_signature='ss', out_signature='v')
def Get(self, interface_name, property_name):
value = getattr(self, property_name)
# Note: If we get an exception in this handler we won't know about it, # Note: If we get an exception in this handler we won't know about it,
# only the side effect of no returned value! # only the side effect of no returned value!
log_debug('Get (%s), type (%s), value(%s)' % log_debug('Get (%s), type (%s), value(%s)' %
(property_name, str(type(value)), str(value))) (property_name, str(type(value)), str(value)))
return value return value
# Properties
# noinspection PyUnusedLocal
@dbus.service.method(dbus_interface=dbus.PROPERTIES_IFACE, @dbus.service.method(dbus_interface=dbus.PROPERTIES_IFACE,
in_signature='ss', out_signature='v', in_signature='s', out_signature='a{sv}')
async_callbacks=('cb', 'cbe')) def GetAll(self, interface_name):
def Get(self, interface_name, property_name, cb, cbe): if interface_name in self.interface(True):
# Note: If we get an exception in this handler we won't know about it,
# only the side effect of no returned value!
r = cfg.create_request_entry(
-1, AutomatedProperties._get_prop,
(self, interface_name, property_name),
cb, cbe, False)
cfg.worker_q.put(r)
@staticmethod
def _get_all_prop(obj, interface_name):
if interface_name in obj.interface(True):
# Using introspection, lets build this dynamically # Using introspection, lets build this dynamically
properties = get_properties(obj) properties = get_properties(self)
if interface_name in properties: if interface_name in properties:
return properties[interface_name][1] return properties[interface_name][1]
return {} return {}
raise dbus.exceptions.DBusException( raise dbus.exceptions.DBusException(
obj._ap_interface, self._ap_interface,
'The object %s does not implement the %s interface' 'The object %s does not implement the %s interface'
% (obj.__class__, interface_name)) % (self.__class__, interface_name))
@dbus.service.method(dbus_interface=dbus.PROPERTIES_IFACE,
in_signature='s', out_signature='a{sv}',
async_callbacks=('cb', 'cbe'))
def GetAll(self, interface_name, cb, cbe):
r = cfg.create_request_entry(
-1, AutomatedProperties._get_all_prop,
(self, interface_name),
cb, cbe, False)
cfg.worker_q.put(r)
@dbus.service.method(dbus_interface=dbus.PROPERTIES_IFACE, @dbus.service.method(dbus_interface=dbus.PROPERTIES_IFACE,
in_signature='ssv') in_signature='ssv')
@@ -180,7 +158,10 @@ class AutomatedProperties(dbus.service.Object):
cfg.om.lookup_update(self, new_id[0], new_id[1]) cfg.om.lookup_update(self, new_id[0], new_id[1])
# Grab the properties values, then replace the state of the object # Grab the properties values, then replace the state of the object
# and retrieve the new values. # and retrieve the new values
# TODO: We need to add locking to prevent concurrent access to the
# properties so that a client is not accessing while we are
# replacing.
o_prop = get_properties(self) o_prop = get_properties(self)
self.state = new_state self.state = new_state
n_prop = get_properties(self) n_prop = get_properties(self)

View File

@@ -7,15 +7,17 @@
# You should have received a copy of the GNU General Public License # You should have received a copy of the GNU General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>. # along with this program. If not, see <http://www.gnu.org/licenses/>.
import threading
import subprocess import subprocess
from . import cfg from . import cfg
from .cmdhandler import options_to_cli_args, LvmExecutionMeta
import dbus
from .utils import pv_range_append, pv_dest_ranges, log_error, log_debug,\
add_no_notify
import os
import threading
import time import time
from .cmdhandler import options_to_cli_args
import dbus
from .utils import pv_range_append, pv_dest_ranges, log_error, log_debug
import traceback
_rlock = threading.RLock()
_thread_list = list()
def pv_move_lv_cmd(move_options, lv_full_name, def pv_move_lv_cmd(move_options, lv_full_name,
@@ -39,58 +41,15 @@ def lv_merge_cmd(merge_options, lv_full_name):
return cmd return cmd
def _move_merge(interface_name, command, job_state): def _move_merge(interface_name, cmd, job_state):
# We need to execute these command stand alone by forking & exec'ing add(cmd, job_state)
# the command always as we will be getting periodic output from them on
# the status of the long running operation.
command.insert(0, cfg.LVM_CMD)
# Instruct lvm to not register an event with us done = job_state.Wait(-1)
command = add_no_notify(command) if not done:
ec, err_msg = job_state.GetError
#(self, start, ended, cmd, ec, stdout_txt, stderr_txt)
meta = LvmExecutionMeta(time.time(), 0, command, -1000, None, None)
cfg.blackbox.add(meta)
process = subprocess.Popen(command, stdout=subprocess.PIPE,
env=os.environ,
stderr=subprocess.PIPE, close_fds=True)
log_debug("Background process for %s is %d" %
(str(command), process.pid))
lines_iterator = iter(process.stdout.readline, b"")
for line in lines_iterator:
line_str = line.decode("utf-8")
# Check to see if the line has the correct number of separators
try:
if line_str.count(':') == 2:
(device, ignore, percentage) = line_str.split(':')
job_state.Percent = round(
float(percentage.strip()[:-1]), 1)
# While the move is in progress we need to periodically update
# the state to reflect where everything is at.
cfg.load()
except ValueError:
log_error("Trying to parse percentage which failed for %s" %
line_str)
out = process.communicate()
with meta.lock:
meta.ended = time.time()
meta.ec = process.returncode
meta.stderr_txt = out[1]
if process.returncode == 0:
job_state.Percent = 100
else:
raise dbus.exceptions.DBusException( raise dbus.exceptions.DBusException(
interface_name, interface_name,
'Exit code %s, stderr = %s' % (str(process.returncode), out[1])) 'Exit code %s, stderr = %s' % (str(ec), err_msg))
cfg.load() cfg.load()
return '/' return '/'
@@ -125,6 +84,8 @@ def move(interface_name, lv_name, pv_src_obj, pv_source_range,
pv_dests.append((pv_dbus_obj.lvm_id, pr[1], pr[2])) pv_dests.append((pv_dbus_obj.lvm_id, pr[1], pr[2]))
# Generate the command line for this command, but don't
# execute it.
cmd = pv_move_lv_cmd(move_options, cmd = pv_move_lv_cmd(move_options,
lv_name, lv_name,
pv_src.lvm_id, pv_src.lvm_id,
@@ -149,15 +110,92 @@ def merge(interface_name, lv_uuid, lv_name, merge_options, job_state):
'LV with uuid %s and name %s not present!' % (lv_uuid, lv_name)) 'LV with uuid %s and name %s not present!' % (lv_uuid, lv_name))
def _run_cmd(req): def background_reaper():
log_debug( while cfg.run.value != 0:
"_run_cmd: Running method: %s with args %s" % with _rlock:
(str(req.method), str(req.arguments))) num_threads = len(_thread_list) - 1
req.run_cmd() if num_threads >= 0:
log_debug("_run_cmd: complete!") for i in range(num_threads, -1, -1):
_thread_list[i].join(0)
if not _thread_list[i].is_alive():
log_debug("Removing thread: %s" % _thread_list[i].name)
_thread_list.pop(i)
time.sleep(3)
def cmd_runner(request): def background_execute(command, background_job):
t = threading.Thread(target=_run_cmd, args=(request,),
name="cmd_runner %s" % str(request.method)) # Wrap this whole operation in an exception handler, otherwise if we
# hit a code bug we will silently exit this thread without anyone being
# the wiser.
try:
process = subprocess.Popen(command, stdout=subprocess.PIPE,
stderr=subprocess.PIPE, close_fds=True)
lines_iterator = iter(process.stdout.readline, b"")
for line in lines_iterator:
line_str = line.decode("utf-8")
# Check to see if the line has the correct number of separators
try:
if line_str.count(':') == 2:
(device, ignore, percentage) = line_str.split(':')
background_job.Percent = \
round(float(percentage.strip()[:-1]), 1)
except ValueError:
log_error("Trying to parse percentage which failed for %s" %
line_str)
out = process.communicate()
if process.returncode == 0:
background_job.Percent = 100
background_job.set_result(process.returncode, out[1])
except Exception:
# In the unlikely event that we blow up, we need to unblock caller which
# is waiting on an answer.
st = traceback.format_exc()
error = "Exception in background thread: \n%s" % st
log_error(error)
background_job.set_result(1, error)
def add(command, reporting_job):
# Create the thread, get it running and then add it to the list
t = threading.Thread(
target=background_execute,
name="thread: " + ' '.join(command),
args=(command, reporting_job))
t.start() t.start()
with _rlock:
_thread_list.append(t)
def wait_thread(job, timeout, cb, cbe):
# We need to put the wait on it's own thread, so that we don't block the
# entire dbus queue processing thread
try:
cb(job.state.Wait(timeout))
except Exception as e:
cbe("Wait exception: %s" % str(e))
return 0
def add_wait(job, timeout, cb, cbe):
if timeout == 0:
# Users are basically polling, do not create thread
cb(job.Complete)
else:
t = threading.Thread(
target=wait_thread,
name="thread job.Wait: %s" % job.dbus_object_path(),
args=(job, timeout, cb, cbe)
)
t.start()
with _rlock:
_thread_list.append(t)

View File

@@ -11,8 +11,10 @@ import os
import multiprocessing import multiprocessing
import queue import queue
import itertools import itertools
try:
from lvmdbusd import path from . import path
except SystemError:
import path
LVM_CMD = os.getenv('LVM_BINARY', path.LVM_BINARY) LVM_CMD = os.getenv('LVM_BINARY', path.LVM_BINARY)
@@ -22,28 +24,24 @@ om = None
# This is the global bus connection # This is the global bus connection
bus = None bus = None
# Command line args
args = None
# Set to true if we are depending on external events for updates
got_external_event = False
# Shared state variable across all processes # Shared state variable across all processes
run = multiprocessing.Value('i', 1) run = multiprocessing.Value('i', 1)
# If this is set to true, the current setup support lvm shell and we are # Debug
# running in that mode of operation DEBUG = True
SHELL_IN_USE = None
# Use lvm shell
USE_SHELL = False
# Lock used by pprint # Lock used by pprint
stdout_lock = multiprocessing.Lock() stdout_lock = multiprocessing.Lock()
kick_q = multiprocessing.Queue()
worker_q = queue.Queue() worker_q = queue.Queue()
# Main event loop # Main event loop
loop = None loop = None
BUS_NAME = os.getenv('LVM_DBUS_NAME', 'com.redhat.lvmdbus1')
BASE_INTERFACE = 'com.redhat.lvmdbus1' BASE_INTERFACE = 'com.redhat.lvmdbus1'
PV_INTERFACE = BASE_INTERFACE + '.Pv' PV_INTERFACE = BASE_INTERFACE + '.Pv'
VG_INTERFACE = BASE_INTERFACE + '.Vg' VG_INTERFACE = BASE_INTERFACE + '.Vg'
@@ -77,13 +75,9 @@ hidden_lv = itertools.count()
# Used to prevent circular imports... # Used to prevent circular imports...
load = None load = None
event = None
# Global cached state # Global cached state
db = None db = None
# lvm flight recorder # lvm flight recorder
blackbox = None blackbox = None
# RequestEntry ctor
create_request_entry = None

View File

@@ -12,12 +12,15 @@ import time
import threading import threading
from itertools import chain from itertools import chain
import collections import collections
import traceback
import os
from lvmdbusd import cfg try:
from lvmdbusd.utils import pv_dest_ranges, log_debug, log_error, add_no_notify from . import cfg
from lvmdbusd.lvm_shell_proxy import LVMShellProxy from .utils import pv_dest_ranges, log_debug, log_error
from .lvm_shell_proxy import LVMShellProxy
except SystemError:
import cfg
from utils import pv_dest_ranges, log_debug, log_error
from lvm_shell_proxy import LVMShellProxy
try: try:
import simplejson as json import simplejson as json
@@ -33,11 +36,14 @@ total_count = 0
# at the same time. # at the same time.
cmd_lock = threading.RLock() cmd_lock = threading.RLock()
# The actual method which gets called to invoke the lvm command, can vary
# from forking a new process to using lvm shell
_t_call = None
class LvmExecutionMeta(object): class LvmExecutionMeta(object):
def __init__(self, start, ended, cmd, ec, stdout_txt, stderr_txt): def __init__(self, start, ended, cmd, ec, stdout_txt, stderr_txt):
self.lock = threading.RLock()
self.start = start self.start = start
self.ended = ended self.ended = ended
self.cmd = cmd self.cmd = cmd
@@ -46,7 +52,6 @@ class LvmExecutionMeta(object):
self.stderr_txt = stderr_txt self.stderr_txt = stderr_txt
def __str__(self): def __str__(self):
with self.lock:
return "EC= %d for %s\n" \ return "EC= %d for %s\n" \
"STARTED: %f, ENDED: %f\n" \ "STARTED: %f, ENDED: %f\n" \
"STDOUT=%s\n" \ "STDOUT=%s\n" \
@@ -57,15 +62,14 @@ class LvmExecutionMeta(object):
class LvmFlightRecorder(object): class LvmFlightRecorder(object):
def __init__(self, size=16): def __init__(self):
self.queue = collections.deque(maxlen=size) self.queue = collections.deque(maxlen=16)
def add(self, lvm_exec_meta): def add(self, lvm_exec_meta):
self.queue.append(lvm_exec_meta) self.queue.append(lvm_exec_meta)
def dump(self): def dump(self):
with cmd_lock: with cmd_lock:
if len(self.queue):
log_error("LVM dbus flight recorder START") log_error("LVM dbus flight recorder START")
for c in self.queue: for c in self.queue:
log_error(str(c)) log_error(str(c))
@@ -95,10 +99,8 @@ def call_lvm(command, debug=False):
# Prepend the full lvm executable so that we can run different versions # Prepend the full lvm executable so that we can run different versions
# in different locations on the same box # in different locations on the same box
command.insert(0, cfg.LVM_CMD) command.insert(0, cfg.LVM_CMD)
command = add_no_notify(command)
process = Popen(command, stdout=PIPE, stderr=PIPE, close_fds=True, process = Popen(command, stdout=PIPE, stderr=PIPE, close_fds=True)
env=os.environ)
out = process.communicate() out = process.communicate()
stdout_text = bytes(out[0]).decode("utf-8") stdout_text = bytes(out[0]).decode("utf-8")
@@ -107,48 +109,37 @@ def call_lvm(command, debug=False):
if debug or process.returncode != 0: if debug or process.returncode != 0:
_debug_c(command, process.returncode, (stdout_text, stderr_text)) _debug_c(command, process.returncode, (stdout_text, stderr_text))
return process.returncode, stdout_text, stderr_text if process.returncode == 0:
if cfg.DEBUG and out[1] and len(out[1]) and 'help' not in command:
log_error('WARNING: lvm is out-putting text to STDERR on success!')
_debug_c(command, process.returncode, (stdout_text, stderr_text))
# The actual method which gets called to invoke the lvm command, can vary return process.returncode, stdout_text, stderr_text
# from forking a new process to using lvm shell
_t_call = call_lvm
def _shell_cfg(): def _shell_cfg():
global _t_call global _t_call
# noinspection PyBroadException log_debug('Using lvm shell!')
try:
lvm_shell = LVMShellProxy() lvm_shell = LVMShellProxy()
_t_call = lvm_shell.call_lvm _t_call = lvm_shell.call_lvm
cfg.SHELL_IN_USE = lvm_shell
return True
except Exception: if cfg.USE_SHELL:
_shell_cfg()
else:
_t_call = call_lvm _t_call = call_lvm
cfg.SHELL_IN_USE = None
log_error(traceback.format_exc())
log_error("Unable to utilize lvm shell, dropping back to fork & exec")
return False
def set_execution(shell): def set_execution(shell):
global _t_call global _t_call
with cmd_lock: with cmd_lock:
# If the user requested lvm shell and we are currently setup that _t_call = None
# way, just return
if cfg.SHELL_IN_USE and shell:
return True
else:
if not shell and cfg.SHELL_IN_USE:
cfg.SHELL_IN_USE.exit_shell()
cfg.SHELL_IN_USE = None
_t_call = call_lvm
if shell: if shell:
if cfg.args.use_json: log_debug('Using lvm shell!')
return _shell_cfg() lvm_shell = LVMShellProxy()
_t_call = lvm_shell.call_lvm
else: else:
return False _t_call = call_lvm
return True
def time_wrapper(command, debug=False): def time_wrapper(command, debug=False):
@@ -228,10 +219,6 @@ def pv_remove(device, remove_options):
return call(cmd) return call(cmd)
def _qt(tag_name):
return '@%s' % tag_name
def _tag(operation, what, add, rm, tag_options): def _tag(operation, what, add, rm, tag_options):
cmd = [operation] cmd = [operation]
cmd.extend(options_to_cli_args(tag_options)) cmd.extend(options_to_cli_args(tag_options))
@@ -242,11 +229,9 @@ def _tag(operation, what, add, rm, tag_options):
cmd.append(what) cmd.append(what)
if add: if add:
cmd.extend(list(chain.from_iterable( cmd.extend(list(chain.from_iterable(('--addtag', x) for x in add)))
('--addtag', _qt(x)) for x in add)))
if rm: if rm:
cmd.extend(list(chain.from_iterable( cmd.extend(list(chain.from_iterable(('--deltag', x) for x in rm)))
('--deltag', _qt(x)) for x in rm)))
return call(cmd, False) return call(cmd, False)
@@ -281,7 +266,7 @@ def vg_lv_create(vg_name, create_options, name, size_bytes, pv_dests):
cmd = ['lvcreate'] cmd = ['lvcreate']
cmd.extend(options_to_cli_args(create_options)) cmd.extend(options_to_cli_args(create_options))
cmd.extend(['--size', str(size_bytes) + 'B']) cmd.extend(['--size', str(size_bytes) + 'B'])
cmd.extend(['--name', name, vg_name, '--yes']) cmd.extend(['--name', name, vg_name])
pv_dest_ranges(cmd, pv_dests) pv_dest_ranges(cmd, pv_dests)
return call(cmd) return call(cmd)
@@ -298,7 +283,20 @@ def vg_lv_snapshot(vg_name, snapshot_options, name, size_bytes):
return call(cmd) return call(cmd)
def _vg_lv_create_common_cmd(create_options, size_bytes, thin_pool): def vg_lv_create_linear(vg_name, create_options, name, size_bytes, thin_pool):
cmd = ['lvcreate']
cmd.extend(options_to_cli_args(create_options))
if not thin_pool:
cmd.extend(['--size', str(size_bytes) + 'B'])
else:
cmd.extend(['--thin', '--size', str(size_bytes) + 'B'])
cmd.extend(['--name', name, vg_name])
return call(cmd)
def vg_lv_create_striped(vg_name, create_options, name, size_bytes,
num_stripes, stripe_size_kb, thin_pool):
cmd = ['lvcreate'] cmd = ['lvcreate']
cmd.extend(options_to_cli_args(create_options)) cmd.extend(options_to_cli_args(create_options))
@@ -307,19 +305,6 @@ def _vg_lv_create_common_cmd(create_options, size_bytes, thin_pool):
else: else:
cmd.extend(['--thin', '--size', str(size_bytes) + 'B']) cmd.extend(['--thin', '--size', str(size_bytes) + 'B'])
cmd.extend(['--yes'])
return cmd
def vg_lv_create_linear(vg_name, create_options, name, size_bytes, thin_pool):
cmd = _vg_lv_create_common_cmd(create_options, size_bytes, thin_pool)
cmd.extend(['--name', name, vg_name])
return call(cmd)
def vg_lv_create_striped(vg_name, create_options, name, size_bytes,
num_stripes, stripe_size_kb, thin_pool):
cmd = _vg_lv_create_common_cmd(create_options, size_bytes, thin_pool)
cmd.extend(['--stripes', str(num_stripes)]) cmd.extend(['--stripes', str(num_stripes)])
if stripe_size_kb != 0: if stripe_size_kb != 0:
@@ -344,7 +329,7 @@ def _vg_lv_create_raid(vg_name, create_options, name, raid_type, size_bytes,
if stripe_size_kb != 0: if stripe_size_kb != 0:
cmd.extend(['--stripesize', str(stripe_size_kb)]) cmd.extend(['--stripesize', str(stripe_size_kb)])
cmd.extend(['--name', name, vg_name, '--yes']) cmd.extend(['--name', name, vg_name])
return call(cmd) return call(cmd)
@@ -357,15 +342,14 @@ def vg_lv_create_raid(vg_name, create_options, name, raid_type, size_bytes,
size_bytes, num_stripes, stripe_size_kb) size_bytes, num_stripes, stripe_size_kb)
def vg_lv_create_mirror( def vg_lv_create_mirror(vg_name, create_options, name, size_bytes, num_copies):
vg_name, create_options, name, size_bytes, num_copies):
cmd = ['lvcreate'] cmd = ['lvcreate']
cmd.extend(options_to_cli_args(create_options)) cmd.extend(options_to_cli_args(create_options))
cmd.extend(['--type', 'mirror']) cmd.extend(['--type', 'mirror'])
cmd.extend(['--mirrors', str(num_copies)]) cmd.extend(['--mirrors', str(num_copies)])
cmd.extend(['--size', str(size_bytes) + 'B']) cmd.extend(['--size', str(size_bytes) + 'B'])
cmd.extend(['--name', name, vg_name, '--yes']) cmd.extend(['--name', name, vg_name])
return call(cmd) return call(cmd)
@@ -419,7 +403,7 @@ def lv_lv_create(lv_full_name, create_options, name, size_bytes):
cmd = ['lvcreate'] cmd = ['lvcreate']
cmd.extend(options_to_cli_args(create_options)) cmd.extend(options_to_cli_args(create_options))
cmd.extend(['--virtualsize', str(size_bytes) + 'B', '-T']) cmd.extend(['--virtualsize', str(size_bytes) + 'B', '-T'])
cmd.extend(['--name', name, lv_full_name, '--yes']) cmd.extend(['--name', name, lv_full_name])
return call(cmd) return call(cmd)
@@ -451,9 +435,6 @@ def supports_json():
cmd = ['help'] cmd = ['help']
rc, out, err = call(cmd) rc, out, err = call(cmd)
if rc == 0: if rc == 0:
if cfg.SHELL_IN_USE:
return True
else:
if 'fullreport' in err: if 'fullreport' in err:
return True return True
return False return False
@@ -464,7 +445,7 @@ def lvm_full_report_json():
'pv_used', 'dev_size', 'pv_mda_size', 'pv_mda_free', 'pv_used', 'dev_size', 'pv_mda_size', 'pv_mda_free',
'pv_ba_start', 'pv_ba_size', 'pe_start', 'pv_pe_count', 'pv_ba_start', 'pv_ba_size', 'pe_start', 'pv_pe_count',
'pv_pe_alloc_count', 'pv_attr', 'pv_tags', 'vg_name', 'pv_pe_alloc_count', 'pv_attr', 'pv_tags', 'vg_name',
'vg_uuid', 'pv_missing'] 'vg_uuid']
pv_seg_columns = ['pvseg_start', 'pvseg_size', 'segtype', pv_seg_columns = ['pvseg_start', 'pvseg_size', 'segtype',
'pv_uuid', 'lv_uuid', 'pv_name'] 'pv_uuid', 'lv_uuid', 'pv_name']
@@ -480,9 +461,7 @@ def lvm_full_report_json():
'vg_name', 'pool_lv_uuid', 'pool_lv', 'origin_uuid', 'vg_name', 'pool_lv_uuid', 'pool_lv', 'origin_uuid',
'origin', 'data_percent', 'origin', 'data_percent',
'lv_attr', 'lv_tags', 'vg_uuid', 'lv_active', 'data_lv', 'lv_attr', 'lv_tags', 'vg_uuid', 'lv_active', 'data_lv',
'metadata_lv', 'lv_parent', 'lv_role', 'lv_layout', 'metadata_lv', 'lv_parent', 'lv_role', 'lv_layout']
'snap_percent', 'metadata_percent', 'copy_percent',
'sync_percent', 'lv_metadata_size', 'move_pv', 'move_pv_uuid']
lv_seg_columns = ['seg_pe_ranges', 'segtype', 'lv_uuid'] lv_seg_columns = ['seg_pe_ranges', 'segtype', 'lv_uuid']
@@ -498,13 +477,6 @@ def lvm_full_report_json():
rc, out, err = call(cmd) rc, out, err = call(cmd)
if rc == 0: if rc == 0:
# With the current implementation, if we are using the shell then we
# are using JSON and JSON is returned back to us as it was parsed to
# figure out if we completed OK or not
if cfg.SHELL_IN_USE:
assert(type(out) == dict)
return out
else:
return json.loads(out) return json.loads(out)
return None return None
@@ -519,7 +491,7 @@ def pv_retrieve_with_segs(device=None):
'pv_used', 'dev_size', 'pv_mda_size', 'pv_mda_free', 'pv_used', 'dev_size', 'pv_mda_size', 'pv_mda_free',
'pv_ba_start', 'pv_ba_size', 'pe_start', 'pv_pe_count', 'pv_ba_start', 'pv_ba_size', 'pe_start', 'pv_pe_count',
'pv_pe_alloc_count', 'pv_attr', 'pv_tags', 'vg_name', 'pv_pe_alloc_count', 'pv_attr', 'pv_tags', 'vg_name',
'vg_uuid', 'pvseg_start', 'pvseg_size', 'segtype', 'pv_missing'] 'vg_uuid', 'pvseg_start', 'pvseg_size', 'segtype']
# Lvm has some issues where it returns failure when querying pvs when other # Lvm has some issues where it returns failure when querying pvs when other
# operations are in process, see: # operations are in process, see:
@@ -555,7 +527,7 @@ def pv_resize(device, size_bytes, create_options):
cmd.extend(options_to_cli_args(create_options)) cmd.extend(options_to_cli_args(create_options))
if size_bytes != 0: if size_bytes != 0:
cmd.extend(['--yes', '--setphysicalvolumesize', str(size_bytes) + 'B']) cmd.extend(['--setphysicalvolumesize', str(size_bytes) + 'B'])
cmd.extend([device]) cmd.extend([device])
return call(cmd) return call(cmd)
@@ -620,10 +592,10 @@ def vg_reduce(vg_name, missing, pv_devices, reduce_options):
cmd = ['vgreduce'] cmd = ['vgreduce']
cmd.extend(options_to_cli_args(reduce_options)) cmd.extend(options_to_cli_args(reduce_options))
if len(pv_devices) == 0:
cmd.append('--all')
if missing: if missing:
cmd.append('--removemissing') cmd.append('--removemissing')
elif len(pv_devices) == 0:
cmd.append('--all')
cmd.append(vg_name) cmd.append(vg_name)
cmd.extend(pv_devices) cmd.extend(pv_devices)
@@ -732,9 +704,7 @@ def lv_retrieve_with_segments():
'origin', 'data_percent', 'origin', 'data_percent',
'lv_attr', 'lv_tags', 'vg_uuid', 'lv_active', 'data_lv', 'lv_attr', 'lv_tags', 'vg_uuid', 'lv_active', 'data_lv',
'metadata_lv', 'seg_pe_ranges', 'segtype', 'lv_parent', 'metadata_lv', 'seg_pe_ranges', 'segtype', 'lv_parent',
'lv_role', 'lv_layout', 'lv_role', 'lv_layout']
'snap_percent', 'metadata_percent', 'copy_percent',
'sync_percent', 'lv_metadata_size', 'move_pv', 'move_pv_uuid']
cmd = _dc('lvs', ['-a', '-o', ','.join(columns)]) cmd = _dc('lvs', ['-a', '-o', ','.join(columns)])
rc, out, err = call(cmd) rc, out, err = call(cmd)
@@ -751,4 +721,4 @@ if __name__ == '__main__':
pv_data = pv_retrieve_with_segs() pv_data = pv_retrieve_with_segs()
for p in pv_data: for p in pv_data:
print(str(p)) log_debug(str(p))

View File

@@ -11,158 +11,20 @@ from .pv import load_pvs
from .vg import load_vgs from .vg import load_vgs
from .lv import load_lvs from .lv import load_lvs
from . import cfg from . import cfg
from .utils import MThreadRunner, log_debug, log_error
import threading
import queue
import traceback
def _main_thread_load(refresh=True, emit_signal=True): def load(refresh=True, emit_signal=True, cache_refresh=True, log=True):
num_total_changes = 0 num_total_changes = 0
num_total_changes += load_pvs(
refresh=refresh,
emit_signal=emit_signal,
cache_refresh=False)[1]
num_total_changes += load_vgs(
refresh=refresh,
emit_signal=emit_signal,
cache_refresh=False)[1]
num_total_changes += load_lvs(
refresh=refresh,
emit_signal=emit_signal,
cache_refresh=False)[1]
return num_total_changes
def load(refresh=True, emit_signal=True, cache_refresh=True, log=True,
need_main_thread=True):
# Go through and load all the PVs, VGs and LVs # Go through and load all the PVs, VGs and LVs
if cache_refresh: if cache_refresh:
cfg.db.refresh(log) cfg.db.refresh(log)
if need_main_thread: num_total_changes += load_pvs(refresh=refresh, emit_signal=emit_signal,
rc = MThreadRunner(_main_thread_load, refresh, emit_signal).done() cache_refresh=False)[1]
else: num_total_changes += load_vgs(refresh=refresh, emit_signal=emit_signal,
rc = _main_thread_load(refresh, emit_signal) cache_refresh=False)[1]
num_total_changes += load_lvs(refresh=refresh, emit_signal=emit_signal,
cache_refresh=False)[1]
return rc return num_total_changes
# Even though lvm can handle multiple changes concurrently it really doesn't
# make sense to make a 1-1 fetch of data for each change of lvm because when
# we fetch the data once all previous changes are reflected.
class StateUpdate(object):
class UpdateRequest(object):
def __init__(self, refresh, emit_signal, cache_refresh, log,
need_main_thread):
self.is_done = False
self.refresh = refresh
self.emit_signal = emit_signal
self.cache_refresh = cache_refresh
self.log = log
self.need_main_thread = need_main_thread
self.result = None
self.cond = threading.Condition(threading.Lock())
def done(self):
with self.cond:
if not self.is_done:
self.cond.wait()
return self.result
def set_result(self, result):
with self.cond:
self.result = result
self.is_done = True
self.cond.notify_all()
@staticmethod
def update_thread(obj):
queued_requests = []
while cfg.run.value != 0:
# noinspection PyBroadException
try:
refresh = True
emit_signal = True
cache_refresh = True
log = True
need_main_thread = True
with obj.lock:
wait = not obj.deferred
obj.deferred = False
if len(queued_requests) == 0 and wait:
queued_requests.append(obj.queue.get(True, 2))
# Ok we have one or the deferred queue has some,
# check if any others
try:
while True:
queued_requests.append(obj.queue.get(False))
except queue.Empty:
pass
if len(queued_requests) > 1:
log_debug("Processing %d updates!" % len(queued_requests),
'bg_black', 'fg_light_green')
# We have what we can, run the update with the needed options
for i in queued_requests:
if not i.refresh:
refresh = False
if not i.emit_signal:
emit_signal = False
if not i.cache_refresh:
cache_refresh = False
if not i.log:
log = False
if not i.need_main_thread:
need_main_thread = False
num_changes = load(refresh, emit_signal, cache_refresh, log,
need_main_thread)
# Update is done, let everyone know!
for i in queued_requests:
i.set_result(num_changes)
# Only clear out the requests after we have given them a result
# otherwise we can orphan the waiting threads and they never
# wake up if we get an exception
queued_requests = []
except queue.Empty:
pass
except Exception:
st = traceback.format_exc()
log_error("update_thread exception: \n%s" % st)
cfg.blackbox.dump()
def __init__(self):
self.lock = threading.RLock()
self.queue = queue.Queue()
self.deferred = False
# Do initial load
load(refresh=False, emit_signal=False, need_main_thread=False)
self.thread = threading.Thread(target=StateUpdate.update_thread,
args=(self,),
name="StateUpdate.update_thread")
def load(self, refresh=True, emit_signal=True, cache_refresh=True,
log=True, need_main_thread=True):
# Place this request on the queue and wait for it to be completed
req = StateUpdate.UpdateRequest(refresh, emit_signal, cache_refresh,
log, need_main_thread)
self.queue.put(req)
return req.done()
def event(self):
with self.lock:
self.deferred = True

View File

@@ -8,55 +8,12 @@
# along with this program. If not, see <http://www.gnu.org/licenses/>. # along with this program. If not, see <http://www.gnu.org/licenses/>.
from .automatedproperties import AutomatedProperties from .automatedproperties import AutomatedProperties
from .utils import job_obj_path_generate, mt_async_call from .utils import job_obj_path_generate
from . import cfg from . import cfg
from .cfg import JOB_INTERFACE from .cfg import JOB_INTERFACE
import dbus import dbus
import threading import threading
# noinspection PyUnresolvedReferences from . import background
from gi.repository import GLib
# Class that handles a client waiting for something to be complete. We either
# get a timeout or the operation is done.
class WaitingClient(object):
# A timeout occurred
@staticmethod
def _timeout(wc):
with wc.rlock:
if wc.in_use:
wc.in_use = False
# Remove ourselves from waiting client
wc.job_state.remove_waiting_client(wc)
wc.timer_id = -1
mt_async_call(wc.cb, wc.job_state.Complete)
wc.job_state = None
def __init__(self, job_state, tmo, cb, cbe):
self.rlock = threading.RLock()
self.job_state = job_state
self.cb = cb
self.cbe = cbe
self.in_use = True # Indicates if object is in play
self.timer_id = -1
if tmo > 0:
self.timer_id = GLib.timeout_add_seconds(
tmo, WaitingClient._timeout, self)
# The job finished before the timer popped and we are being notified that
# it's done
def notify(self):
with self.rlock:
if self.in_use:
self.in_use = False
# Clear timer
if self.timer_id != -1:
GLib.source_remove(self.timer_id)
self.timer_id = -1
mt_async_call(self.cb, self.job_state.Complete)
self.job_state = None
# noinspection PyPep8Naming # noinspection PyPep8Naming
@@ -67,9 +24,9 @@ class JobState(object):
self._percent = 0 self._percent = 0
self._complete = False self._complete = False
self._request = request self._request = request
self._cond = threading.Condition(self.rlock)
self._ec = 0 self._ec = 0
self._stderr = '' self._stderr = ''
self._waiting_clients = []
# This is an lvm command that is just taking too long and doesn't # This is an lvm command that is just taking too long and doesn't
# support background operation # support background operation
@@ -92,6 +49,8 @@ class JobState(object):
with self.rlock: with self.rlock:
if self._request: if self._request:
self._complete = self._request.is_done() self._complete = self._request.is_done()
if self._complete:
self._percent = 100
return self._complete return self._complete
@@ -99,8 +58,7 @@ class JobState(object):
def Complete(self, value): def Complete(self, value):
with self.rlock: with self.rlock:
self._complete = value self._complete = value
self._percent = 100 self._cond.notify_all()
self.notify_waiting_clients()
@property @property
def GetError(self): def GetError(self):
@@ -114,10 +72,29 @@ class JobState(object):
else: else:
return (-1, 'Job is not complete!') return (-1, 'Job is not complete!')
def set_result(self, ec, msg):
with self.rlock:
self.Complete = True
self._ec = ec
self._stderr = msg
def dtor(self): def dtor(self):
with self.rlock: with self.rlock:
self._request = None self._request = None
def Wait(self, timeout):
try:
with self._cond:
# Check to see if we are done, before we wait
if not self.Complete:
if timeout != -1:
self._cond.wait(timeout)
else:
self._cond.wait()
return self.Complete
except RuntimeError:
return False
@property @property
def Result(self): def Result(self):
with self.rlock: with self.rlock:
@@ -125,40 +102,10 @@ class JobState(object):
return self._request.result() return self._request.result()
return '/' return '/'
def add_waiting_client(self, client):
with self.rlock:
# Avoid race condition where it goes complete before we get added
# to the list of waiting clients
if self.Complete:
client.notify()
else:
self._waiting_clients.append(client)
def remove_waiting_client(self, client):
# If a waiting client timer pops before the job is done we will allow
# the client to remove themselves from the list. As we have a lock
# here and a lock in the waiting client too, and they can be obtained
# in different orders, a dead lock can occur.
# As this remove is really optional, we will try to acquire the lock
# and remove. If we are unsuccessful it's not fatal, we just delay
# the time when the objects can be garbage collected by python
if self.rlock.acquire(False):
try:
self._waiting_clients.remove(client)
finally:
self.rlock.release()
def notify_waiting_clients(self):
with self.rlock:
for c in self._waiting_clients:
c.notify()
self._waiting_clients = []
# noinspection PyPep8Naming # noinspection PyPep8Naming
class Job(AutomatedProperties): class Job(AutomatedProperties):
_Percent_meta = ('d', JOB_INTERFACE) _Percent_meta = ('y', JOB_INTERFACE)
_Complete_meta = ('b', JOB_INTERFACE) _Complete_meta = ('b', JOB_INTERFACE)
_Result_meta = ('o', JOB_INTERFACE) _Result_meta = ('o', JOB_INTERFACE)
_GetError_meta = ('(is)', JOB_INTERFACE) _GetError_meta = ('(is)', JOB_INTERFACE)
@@ -174,25 +121,26 @@ class Job(AutomatedProperties):
@property @property
def Percent(self): def Percent(self):
return dbus.Double(float(self.state.Percent)) return self.state.Percent
@Percent.setter
def Percent(self, value):
self.state.Percent = value
@property @property
def Complete(self): def Complete(self):
return dbus.Boolean(self.state.Complete) return self.state.Complete
@staticmethod
def _signal_complete(obj):
obj.PropertiesChanged(
JOB_INTERFACE, dict(Complete=dbus.Boolean(obj.state.Complete)), [])
@Complete.setter @Complete.setter
def Complete(self, value): def Complete(self, value):
self.state.Complete = value self.state.Complete = value
mt_async_call(Job._signal_complete, self)
@property @property
def GetError(self): def GetError(self):
return dbus.Struct(self.state.GetError, signature="(is)") return self.state.GetError
def set_result(self, ec, msg):
self.state.set_result(ec, msg)
@dbus.service.method(dbus_interface=JOB_INTERFACE) @dbus.service.method(dbus_interface=JOB_INTERFACE)
def Remove(self): def Remove(self):
@@ -208,15 +156,11 @@ class Job(AutomatedProperties):
out_signature='b', out_signature='b',
async_callbacks=('cb', 'cbe')) async_callbacks=('cb', 'cbe'))
def Wait(self, timeout, cb, cbe): def Wait(self, timeout, cb, cbe):
if timeout == 0 or self.state.Complete: background.add_wait(self, timeout, cb, cbe)
cb(dbus.Boolean(self.state.Complete))
else:
self.state.add_waiting_client(
WaitingClient(self.state, timeout, cb, cbe))
@property @property
def Result(self): def Result(self):
return dbus.ObjectPath(self.state.Result) return self.state.Result
@property @property
def lvm_id(self): def lvm_id(self):

View File

@@ -21,7 +21,7 @@ from .utils import n, n32
from .loader import common from .loader import common
from .state import State from .state import State
from . import background from . import background
from .utils import round_size, mt_remove_dbus_objects from .utils import round_size
from .job import JobState from .job import JobState
@@ -81,14 +81,7 @@ def lvs_state_retrieve(selection, cache_refresh=True):
n32(l['data_percent']), l['lv_attr'], n32(l['data_percent']), l['lv_attr'],
l['lv_tags'], l['lv_active'], l['data_lv'], l['lv_tags'], l['lv_active'], l['data_lv'],
l['metadata_lv'], l['segtype'], l['lv_role'], l['metadata_lv'], l['segtype'], l['lv_role'],
l['lv_layout'], l['lv_layout']))
n32(l['snap_percent']),
n32(l['metadata_percent']),
n32(l['copy_percent']),
n32(l['sync_percent']),
n(l['lv_metadata_size']),
l['move_pv'],
l['move_pv_uuid']))
return rc return rc
@@ -108,15 +101,9 @@ class LvState(State):
rc = [] rc = []
for pv in sorted(cfg.db.lv_contained_pv(uuid)): for pv in sorted(cfg.db.lv_contained_pv(uuid)):
(pv_uuid, pv_name, pv_segs) = pv (pv_uuid, pv_name, pv_segs) = pv
pv_obj = cfg.om.get_object_path_by_uuid_lvm_id(pv_uuid, pv_name) pv_obj = cfg.om.get_object_path_by_uuid_lvm_id(
pv_uuid, pv_name, gen_new=False)
segs_decorate = [] rc.append((pv_obj, pv_segs))
for i in pv_segs:
segs_decorate.append((dbus.UInt64(i[0]),
dbus.UInt64(i[1]),
dbus.String(i[2])))
rc.append((dbus.ObjectPath(pv_obj), segs_decorate))
return dbus.Array(rc, signature="(oa(tts))") return dbus.Array(rc, signature="(oa(tts))")
@@ -137,26 +124,25 @@ class LvState(State):
for l in cfg.db.hidden_lvs(self.Uuid): for l in cfg.db.hidden_lvs(self.Uuid):
full_name = "%s/%s" % (vg_name, l[1]) full_name = "%s/%s" % (vg_name, l[1])
op = cfg.om.get_object_path_by_uuid_lvm_id(l[0], full_name) op = cfg.om.get_object_path_by_uuid_lvm_id(
l[0], full_name, gen_new=False)
assert op assert op
rc.append(dbus.ObjectPath(op)) rc.append(op)
return rc return rc
def __init__(self, Uuid, Name, Path, SizeBytes, def __init__(self, Uuid, Name, Path, SizeBytes,
vg_name, vg_uuid, pool_lv_uuid, PoolLv, vg_name, vg_uuid, pool_lv_uuid, PoolLv,
origin_uuid, OriginLv, DataPercent, Attr, Tags, active, origin_uuid, OriginLv, DataPercent, Attr, Tags, active,
data_lv, metadata_lv, segtypes, role, layout, SnapPercent, data_lv, metadata_lv, segtypes, role, layout):
MetaDataPercent, CopyPercent, SyncPercent, MetaDataSizeBytes,
move_pv, move_pv_uuid):
utils.init_class_from_arguments(self) utils.init_class_from_arguments(self)
# The segtypes is possibly an array with potentially dupes or a single # The segtypes is possibly an array with potentially dupes or a single
# value # value
self._segs = dbus.Array([], signature='s') self._segs = dbus.Array([], signature='s')
if not isinstance(segtypes, list): if not isinstance(segtypes, list):
self._segs.append(dbus.String(segtypes)) self._segs.append(segtypes)
else: else:
self._segs.extend([dbus.String(x) for x in set(segtypes)]) self._segs.extend(set(segtypes))
self.Vg = cfg.om.get_object_path_by_uuid_lvm_id( self.Vg = cfg.om.get_object_path_by_uuid_lvm_id(
vg_uuid, vg_name, vg_obj_path_generate) vg_uuid, vg_name, vg_obj_path_generate)
@@ -167,7 +153,8 @@ class LvState(State):
gen = utils.lv_object_path_method(Name, (Attr, layout, role)) gen = utils.lv_object_path_method(Name, (Attr, layout, role))
self.PoolLv = cfg.om.get_object_path_by_uuid_lvm_id( self.PoolLv = cfg.om.get_object_path_by_uuid_lvm_id(
pool_lv_uuid, '%s/%s' % (vg_name, PoolLv), gen) pool_lv_uuid, '%s/%s' % (vg_name, PoolLv),
gen)
else: else:
self.PoolLv = '/' self.PoolLv = '/'
@@ -223,19 +210,13 @@ class LvState(State):
@utils.dbus_property(LV_COMMON_INTERFACE, 'Name', 's') @utils.dbus_property(LV_COMMON_INTERFACE, 'Name', 's')
@utils.dbus_property(LV_COMMON_INTERFACE, 'Path', 's') @utils.dbus_property(LV_COMMON_INTERFACE, 'Path', 's')
@utils.dbus_property(LV_COMMON_INTERFACE, 'SizeBytes', 't') @utils.dbus_property(LV_COMMON_INTERFACE, 'SizeBytes', 't')
@utils.dbus_property(LV_COMMON_INTERFACE, 'DataPercent', 'u')
@utils.dbus_property(LV_COMMON_INTERFACE, 'SegType', 'as') @utils.dbus_property(LV_COMMON_INTERFACE, 'SegType', 'as')
@utils.dbus_property(LV_COMMON_INTERFACE, 'Vg', 'o') @utils.dbus_property(LV_COMMON_INTERFACE, 'Vg', 'o')
@utils.dbus_property(LV_COMMON_INTERFACE, 'OriginLv', 'o') @utils.dbus_property(LV_COMMON_INTERFACE, 'OriginLv', 'o')
@utils.dbus_property(LV_COMMON_INTERFACE, 'PoolLv', 'o') @utils.dbus_property(LV_COMMON_INTERFACE, 'PoolLv', 'o')
@utils.dbus_property(LV_COMMON_INTERFACE, 'Devices', "a(oa(tts))") @utils.dbus_property(LV_COMMON_INTERFACE, 'Devices', "a(oa(tts))")
@utils.dbus_property(LV_COMMON_INTERFACE, 'HiddenLvs', "ao") @utils.dbus_property(LV_COMMON_INTERFACE, 'HiddenLvs', "ao")
@utils.dbus_property(LV_COMMON_INTERFACE, 'Attr', 's')
@utils.dbus_property(LV_COMMON_INTERFACE, 'DataPercent', 'u')
@utils.dbus_property(LV_COMMON_INTERFACE, 'SnapPercent', 'u')
@utils.dbus_property(LV_COMMON_INTERFACE, 'MetaDataPercent', 'u')
@utils.dbus_property(LV_COMMON_INTERFACE, 'CopyPercent', 'u')
@utils.dbus_property(LV_COMMON_INTERFACE, 'SyncPercent', 'u')
@utils.dbus_property(LV_COMMON_INTERFACE, 'MetaDataSizeBytes', 't')
class LvCommon(AutomatedProperties): class LvCommon(AutomatedProperties):
_Tags_meta = ("as", LV_COMMON_INTERFACE) _Tags_meta = ("as", LV_COMMON_INTERFACE)
_Roles_meta = ("as", LV_COMMON_INTERFACE) _Roles_meta = ("as", LV_COMMON_INTERFACE)
@@ -251,45 +232,12 @@ class LvCommon(AutomatedProperties):
_FixedMinor_meta = ('b', LV_COMMON_INTERFACE) _FixedMinor_meta = ('b', LV_COMMON_INTERFACE)
_ZeroBlocks_meta = ('b', LV_COMMON_INTERFACE) _ZeroBlocks_meta = ('b', LV_COMMON_INTERFACE)
_SkipActivation_meta = ('b', LV_COMMON_INTERFACE) _SkipActivation_meta = ('b', LV_COMMON_INTERFACE)
_MovePv_meta = ('o', LV_COMMON_INTERFACE)
def _get_move_pv(self):
path = None
# It's likely that the move_pv is empty
if self.state.move_pv_uuid and self.state.move_pv:
path = cfg.om.get_object_path_by_uuid_lvm_id(
self.state.move_pv_uuid, self.state.move_pv)
if not path:
path = '/'
return path
# noinspection PyUnusedLocal,PyPep8Naming # noinspection PyUnusedLocal,PyPep8Naming
def __init__(self, object_path, object_state): def __init__(self, object_path, object_state):
super(LvCommon, self).__init__(object_path, lvs_state_retrieve) super(LvCommon, self).__init__(object_path, lvs_state_retrieve)
self.set_interface(LV_COMMON_INTERFACE) self.set_interface(LV_COMMON_INTERFACE)
self.state = object_state self.state = object_state
self._move_pv = self._get_move_pv()
@staticmethod
def handle_execute(rc, out, err):
if rc == 0:
cfg.load()
else:
# Need to work on error handling, need consistent
raise dbus.exceptions.DBusException(
LV_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
@staticmethod
def validate_dbus_object(lv_uuid, lv_name):
dbo = cfg.om.get_object_by_uuid_lvm_id(lv_uuid, lv_name)
if not dbo:
raise dbus.exceptions.DBusException(
LV_INTERFACE,
'LV with uuid %s and name %s not present!' %
(lv_uuid, lv_name))
return dbo
@property @property
def VolumeType(self): def VolumeType(self):
@@ -304,16 +252,14 @@ class LvCommon(AutomatedProperties):
'V': 'thin Volume', 't': 'thin pool', 'T': 'Thin pool data', 'V': 'thin Volume', 't': 'thin pool', 'T': 'Thin pool data',
'e': 'raid or pool metadata or pool metadata spare', 'e': 'raid or pool metadata or pool metadata spare',
'-': 'Unspecified'} '-': 'Unspecified'}
return dbus.Struct((self.state.Attr[0], type_map[self.state.Attr[0]]), return (self.state.Attr[0], type_map[self.state.Attr[0]])
signature="as")
@property @property
def Permissions(self): def Permissions(self):
type_map = {'w': 'writable', 'r': 'read-only', type_map = {'w': 'writable', 'r': 'read-only',
'R': 'Read-only activation of non-read-only volume', 'R': 'Read-only activation of non-read-only volume',
'-': 'Unspecified'} '-': 'Unspecified'}
return dbus.Struct((self.state.Attr[1], type_map[self.state.Attr[1]]), return (self.state.Attr[1], type_map[self.state.Attr[1]])
signature="(ss)")
@property @property
def AllocationPolicy(self): def AllocationPolicy(self):
@@ -322,12 +268,11 @@ class LvCommon(AutomatedProperties):
'i': 'inherited', 'I': 'inherited locked', 'i': 'inherited', 'I': 'inherited locked',
'l': 'cling', 'L': 'cling locked', 'l': 'cling', 'L': 'cling locked',
'n': 'normal', 'N': 'normal locked', '-': 'Unspecified'} 'n': 'normal', 'N': 'normal locked', '-': 'Unspecified'}
return dbus.Struct((self.state.Attr[2], type_map[self.state.Attr[2]]), return (self.state.Attr[2], type_map[self.state.Attr[2]])
signature="(ss)")
@property @property
def FixedMinor(self): def FixedMinor(self):
return dbus.Boolean(self.state.Attr[3] == 'm') return self.state.Attr[3] == 'm'
@property @property
def State(self): def State(self):
@@ -338,32 +283,29 @@ class LvCommon(AutomatedProperties):
'd': 'mapped device present without tables', 'd': 'mapped device present without tables',
'i': 'mapped device present with inactive table', 'i': 'mapped device present with inactive table',
'X': 'unknown', '-': 'Unspecified'} 'X': 'unknown', '-': 'Unspecified'}
return dbus.Struct((self.state.Attr[4], type_map[self.state.Attr[4]]), return (self.state.Attr[4], type_map[self.state.Attr[4]])
signature="(ss)")
@property @property
def TargetType(self): def TargetType(self):
type_map = {'C': 'Cache', 'm': 'mirror', 'r': 'raid', type_map = {'C': 'Cache', 'm': 'mirror', 'r': 'raid',
's': 'snapshot', 't': 'thin', 'u': 'unknown', 's': 'snapshot', 't': 'thin', 'u': 'unknown',
'v': 'virtual', '-': 'Unspecified'} 'v': 'virtual', '-': 'Unspecified'}
return dbus.Struct((self.state.Attr[6], type_map[self.state.Attr[6]]), return (self.state.Attr[6], type_map[self.state.Attr[6]])
signature="(ss)")
@property @property
def ZeroBlocks(self): def ZeroBlocks(self):
return dbus.Boolean(self.state.Attr[7] == 'z') return self.state.Attr[7] == 'z'
@property @property
def Health(self): def Health(self):
type_map = {'p': 'partial', 'r': 'refresh', type_map = {'p': 'partial', 'r': 'refresh',
'm': 'mismatches', 'w': 'writemostly', 'm': 'mismatches', 'w': 'writemostly',
'X': 'X unknown', '-': 'Unspecified'} 'X': 'X unknown', '-': 'Unspecified'}
return dbus.Struct((self.state.Attr[8], type_map[self.state.Attr[8]]), return (self.state.Attr[8], type_map[self.state.Attr[8]])
signature="(ss)")
@property @property
def SkipActivation(self): def SkipActivation(self):
return dbus.Boolean(self.state.Attr[9] == 'k') return self.state.Attr[9] == 'k'
def vg_name_lookup(self): def vg_name_lookup(self):
return self.state.vg_name_lookup() return self.state.vg_name_lookup()
@@ -389,19 +331,22 @@ class LvCommon(AutomatedProperties):
@property @property
def IsThinVolume(self): def IsThinVolume(self):
return dbus.Boolean(self.state.Attr[0] == 'V') return self.state.Attr[0] == 'V'
@property @property
def IsThinPool(self): def IsThinPool(self):
return dbus.Boolean(self.state.Attr[0] == 't') return self.state.Attr[0] == 't'
@property @property
def Active(self): def Active(self):
return dbus.Boolean(self.state.active == "active") return self.state.active == "active"
@property @dbus.service.method(
def MovePv(self): dbus_interface=LV_COMMON_INTERFACE,
return dbus.ObjectPath(self._move_pv) in_signature='ia{sv}',
out_signature='o')
def _Future(self, tmo, open_options):
raise dbus.exceptions.DBusException(LV_COMMON_INTERFACE, 'Do not use!')
# noinspection PyPep8Naming # noinspection PyPep8Naming
@@ -427,10 +372,25 @@ class Lv(LvCommon):
@staticmethod @staticmethod
def _remove(lv_uuid, lv_name, remove_options): def _remove(lv_uuid, lv_name, remove_options):
# Make sure we have a dbus object representing it # Make sure we have a dbus object representing it
LvCommon.validate_dbus_object(lv_uuid, lv_name) dbo = cfg.om.get_object_by_uuid_lvm_id(lv_uuid, lv_name)
if dbo:
# Remove the LV, if successful then remove from the model # Remove the LV, if successful then remove from the model
rc, out, err = cmdhandler.lv_remove(lv_name, remove_options) rc, out, err = cmdhandler.lv_remove(lv_name, remove_options)
LvCommon.handle_execute(rc, out, err)
if rc == 0:
cfg.om.remove_object(dbo, True)
cfg.load()
else:
# Need to work on error handling, need consistent
raise dbus.exceptions.DBusException(
LV_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
else:
raise dbus.exceptions.DBusException(
LV_INTERFACE,
'LV with uuid %s and name %s not present!' %
(lv_uuid, lv_name))
return '/' return '/'
@dbus.service.method( @dbus.service.method(
@@ -448,11 +408,24 @@ class Lv(LvCommon):
@staticmethod @staticmethod
def _rename(lv_uuid, lv_name, new_name, rename_options): def _rename(lv_uuid, lv_name, new_name, rename_options):
# Make sure we have a dbus object representing it # Make sure we have a dbus object representing it
LvCommon.validate_dbus_object(lv_uuid, lv_name) dbo = cfg.om.get_object_by_uuid_lvm_id(lv_uuid, lv_name)
if dbo:
# Rename the logical volume # Rename the logical volume
rc, out, err = cmdhandler.lv_rename(lv_name, new_name, rc, out, err = cmdhandler.lv_rename(lv_name, new_name,
rename_options) rename_options)
LvCommon.handle_execute(rc, out, err) if rc == 0:
cfg.load()
else:
# Need to work on error handling, need consistent
raise dbus.exceptions.DBusException(
LV_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
else:
raise dbus.exceptions.DBusException(
LV_INTERFACE,
'LV with uuid %s and name %s not present!' %
(lv_uuid, lv_name))
return '/' return '/'
@dbus.service.method( @dbus.service.method(
@@ -486,13 +459,15 @@ class Lv(LvCommon):
pv_dests_and_ranges, move_options, job_state), cb, cbe, False, pv_dests_and_ranges, move_options, job_state), cb, cbe, False,
job_state) job_state)
background.cmd_runner(r) cfg.worker_q.put(r)
@staticmethod @staticmethod
def _snap_shot(lv_uuid, lv_name, name, optional_size, def _snap_shot(lv_uuid, lv_name, name, optional_size,
snapshot_options): snapshot_options):
# Make sure we have a dbus object representing it # Make sure we have a dbus object representing it
dbo = LvCommon.validate_dbus_object(lv_uuid, lv_name) dbo = cfg.om.get_object_by_uuid_lvm_id(lv_uuid, lv_name)
if dbo:
# If you specify a size you get a 'thick' snapshot even if # If you specify a size you get a 'thick' snapshot even if
# it is a thin lv # it is a thin lv
if not dbo.IsThinVolume: if not dbo.IsThinVolume:
@@ -503,10 +478,25 @@ class Lv(LvCommon):
rc, out, err = cmdhandler.vg_lv_snapshot( rc, out, err = cmdhandler.vg_lv_snapshot(
lv_name, snapshot_options, name, optional_size) lv_name, snapshot_options, name, optional_size)
LvCommon.handle_execute(rc, out, err) if rc == 0:
return_path = '/'
full_name = "%s/%s" % (dbo.vg_name_lookup(), name) full_name = "%s/%s" % (dbo.vg_name_lookup(), name)
return cfg.om.get_object_path_by_lvm_id(full_name) lvs = load_lvs([full_name], emit_signal=True)[0]
for l in lvs:
return_path = l.dbus_object_path()
# Refresh self and all included PVs
cfg.load(cache_refresh=False)
return return_path
else:
raise dbus.exceptions.DBusException(
LV_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
else:
raise dbus.exceptions.DBusException(
LV_INTERFACE,
'LV with uuid %s and name %s not present!' %
(lv_uuid, lv_name))
@dbus.service.method( @dbus.service.method(
dbus_interface=LV_INTERFACE, dbus_interface=LV_INTERFACE,
@@ -529,8 +519,9 @@ class Lv(LvCommon):
resize_options): resize_options):
# Make sure we have a dbus object representing it # Make sure we have a dbus object representing it
pv_dests = [] pv_dests = []
dbo = LvCommon.validate_dbus_object(lv_uuid, lv_name) dbo = cfg.om.get_object_by_uuid_lvm_id(lv_uuid, lv_name)
if dbo:
# If we have PVs, verify them # If we have PVs, verify them
if len(pv_dests_and_ranges): if len(pv_dests_and_ranges):
for pr in pv_dests_and_ranges: for pr in pv_dests_and_ranges:
@@ -543,10 +534,23 @@ class Lv(LvCommon):
pv_dests.append((pv_dbus_obj.lvm_id, pr[1], pr[2])) pv_dests.append((pv_dbus_obj.lvm_id, pr[1], pr[2]))
size_change = new_size_bytes - dbo.SizeBytes size_change = new_size_bytes - dbo.SizeBytes
rc, out, err = cmdhandler.lv_resize(dbo.lvm_id, size_change, rc, out, err = cmdhandler.lv_resize(dbo.lvm_id, size_change,
pv_dests, resize_options) pv_dests, resize_options)
LvCommon.handle_execute(rc, out, err)
if rc == 0:
# Refresh what's changed
cfg.load()
return "/" return "/"
else:
raise dbus.exceptions.DBusException(
LV_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
else:
raise dbus.exceptions.DBusException(
LV_INTERFACE,
'LV with uuid %s and name %s not present!' %
(lv_uuid, lv_name))
@dbus.service.method( @dbus.service.method(
dbus_interface=LV_INTERFACE, dbus_interface=LV_INTERFACE,
@@ -579,11 +583,23 @@ class Lv(LvCommon):
def _lv_activate_deactivate(uuid, lv_name, activate, control_flags, def _lv_activate_deactivate(uuid, lv_name, activate, control_flags,
options): options):
# Make sure we have a dbus object representing it # Make sure we have a dbus object representing it
LvCommon.validate_dbus_object(uuid, lv_name) dbo = cfg.om.get_object_by_uuid_lvm_id(uuid, lv_name)
if dbo:
rc, out, err = cmdhandler.activate_deactivate( rc, out, err = cmdhandler.activate_deactivate(
'lvchange', lv_name, activate, control_flags, options) 'lvchange', lv_name, activate, control_flags, options)
LvCommon.handle_execute(rc, out, err) if rc == 0:
dbo.refresh()
return '/' return '/'
else:
raise dbus.exceptions.DBusException(
LV_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
else:
raise dbus.exceptions.DBusException(
LV_INTERFACE,
'LV with uuid %s and name %s not present!' %
(uuid, lv_name))
@dbus.service.method( @dbus.service.method(
dbus_interface=LV_INTERFACE, dbus_interface=LV_INTERFACE,
@@ -615,11 +631,25 @@ class Lv(LvCommon):
@staticmethod @staticmethod
def _add_rm_tags(uuid, lv_name, tags_add, tags_del, tag_options): def _add_rm_tags(uuid, lv_name, tags_add, tags_del, tag_options):
# Make sure we have a dbus object representing it # Make sure we have a dbus object representing it
LvCommon.validate_dbus_object(uuid, lv_name) dbo = cfg.om.get_object_by_uuid_lvm_id(uuid, lv_name)
if dbo:
rc, out, err = cmdhandler.lv_tag( rc, out, err = cmdhandler.lv_tag(
lv_name, tags_add, tags_del, tag_options) lv_name, tags_add, tags_del, tag_options)
LvCommon.handle_execute(rc, out, err) if rc == 0:
dbo.refresh()
return '/' return '/'
else:
raise dbus.exceptions.DBusException(
LV_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
else:
raise dbus.exceptions.DBusException(
LV_INTERFACE,
'LV with uuid %s and name %s not present!' %
(uuid, lv_name))
@dbus.service.method( @dbus.service.method(
dbus_interface=LV_INTERFACE, dbus_interface=LV_INTERFACE,
@@ -668,22 +698,37 @@ class LvThinPool(Lv):
@property @property
def DataLv(self): def DataLv(self):
return dbus.ObjectPath(self._data_lv) return self._data_lv
@property @property
def MetaDataLv(self): def MetaDataLv(self):
return dbus.ObjectPath(self._metadata_lv) return self._metadata_lv
@staticmethod @staticmethod
def _lv_create(lv_uuid, lv_name, name, size_bytes, create_options): def _lv_create(lv_uuid, lv_name, name, size_bytes, create_options):
# Make sure we have a dbus object representing it # Make sure we have a dbus object representing it
dbo = LvCommon.validate_dbus_object(lv_uuid, lv_name) dbo = cfg.om.get_object_by_uuid_lvm_id(lv_uuid, lv_name)
lv_created = '/'
if dbo:
rc, out, err = cmdhandler.lv_lv_create( rc, out, err = cmdhandler.lv_lv_create(
lv_name, create_options, name, size_bytes) lv_name, create_options, name, size_bytes)
LvCommon.handle_execute(rc, out, err) if rc == 0:
full_name = "%s/%s" % (dbo.vg_name_lookup(), name) full_name = "%s/%s" % (dbo.vg_name_lookup(), name)
return cfg.om.get_object_path_by_lvm_id(full_name) lvs = load_lvs([full_name], emit_signal=True)[0]
for l in lvs:
lv_created = l.dbus_object_path()
else:
raise dbus.exceptions.DBusException(
LV_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
else:
raise dbus.exceptions.DBusException(
LV_INTERFACE,
'LV with uuid %s and name %s not present!' %
(lv_uuid, lv_name))
return lv_created
@dbus.service.method( @dbus.service.method(
dbus_interface=THIN_POOL_INTERFACE, dbus_interface=THIN_POOL_INTERFACE,
@@ -712,21 +757,22 @@ class LvCachePool(Lv):
@property @property
def DataLv(self): def DataLv(self):
return dbus.ObjectPath(self._data_lv) return self._data_lv
@property @property
def MetaDataLv(self): def MetaDataLv(self):
return dbus.ObjectPath(self._metadata_lv) return self._metadata_lv
@staticmethod @staticmethod
def _cache_lv(lv_uuid, lv_name, lv_object_path, cache_options): def _cache_lv(lv_uuid, lv_name, lv_object_path, cache_options):
# Make sure we have a dbus object representing cache pool # Make sure we have a dbus object representing cache pool
dbo = LvCommon.validate_dbus_object(lv_uuid, lv_name) dbo = cfg.om.get_object_by_uuid_lvm_id(lv_uuid, lv_name)
# Make sure we have dbus object representing lv to cache # Make sure we have dbus object representing lv to cache
lv_to_cache = cfg.om.get_object_by_path(lv_object_path) lv_to_cache = cfg.om.get_object_by_path(lv_object_path)
if lv_to_cache: if dbo and lv_to_cache:
fcn = lv_to_cache.lv_full_name() fcn = lv_to_cache.lv_full_name()
rc, out, err = cmdhandler.lv_cache_lv( rc, out, err = cmdhandler.lv_cache_lv(
dbo.lv_full_name(), fcn, cache_options) dbo.lv_full_name(), fcn, cache_options)
@@ -734,18 +780,27 @@ class LvCachePool(Lv):
# When we cache an LV, the cache pool and the lv that is getting # When we cache an LV, the cache pool and the lv that is getting
# cached need to be removed from the object manager and # cached need to be removed from the object manager and
# re-created as their interfaces have changed! # re-created as their interfaces have changed!
mt_remove_dbus_objects((dbo, lv_to_cache)) cfg.om.remove_object(dbo, emit_signal=True)
cfg.om.remove_object(lv_to_cache, emit_signal=True)
cfg.load() cfg.load()
lv_converted = cfg.om.get_object_path_by_lvm_id(fcn) lv_converted = cfg.om.get_object_path_by_lvm_id(fcn)
else: else:
raise dbus.exceptions.DBusException( raise dbus.exceptions.DBusException(
LV_INTERFACE, LV_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err)) 'Exit code %s, stderr = %s' % (str(rc), err))
else: else:
raise dbus.exceptions.DBusException( msg = ""
LV_INTERFACE, 'LV to cache with object path %s not present!' % if not dbo:
lv_object_path) dbo += 'CachePool LV with uuid %s and name %s not present!' % \
(lv_uuid, lv_name)
if not lv_to_cache:
dbo += 'LV to cache with object path %s not present!' % \
(lv_object_path)
raise dbus.exceptions.DBusException(LV_INTERFACE, msg)
return lv_converted return lv_converted
@dbus.service.method( @dbus.service.method(
@@ -771,12 +826,14 @@ class LvCacheLv(Lv):
@property @property
def CachePool(self): def CachePool(self):
return dbus.ObjectPath(self.state.PoolLv) return self.state.PoolLv
@staticmethod @staticmethod
def _detach_lv(lv_uuid, lv_name, detach_options, destroy_cache): def _detach_lv(lv_uuid, lv_name, detach_options, destroy_cache):
# Make sure we have a dbus object representing cache pool # Make sure we have a dbus object representing cache pool
dbo = LvCommon.validate_dbus_object(lv_uuid, lv_name) dbo = cfg.om.get_object_by_uuid_lvm_id(lv_uuid, lv_name)
if dbo:
# Get current cache name # Get current cache name
cache_pool = cfg.om.get_object_by_path(dbo.CachePool) cache_pool = cfg.om.get_object_by_path(dbo.CachePool)
@@ -786,7 +843,8 @@ class LvCacheLv(Lv):
if rc == 0: if rc == 0:
# The cache pool gets removed as hidden and put back to # The cache pool gets removed as hidden and put back to
# visible, so lets delete # visible, so lets delete
mt_remove_dbus_objects((cache_pool, dbo)) cfg.om.remove_object(cache_pool, emit_signal=True)
cfg.om.remove_object(dbo, emit_signal=True)
cfg.load() cfg.load()
uncached_lv_path = cfg.om.get_object_path_by_lvm_id(lv_name) uncached_lv_path = cfg.om.get_object_path_by_lvm_id(lv_name)
@@ -794,7 +852,11 @@ class LvCacheLv(Lv):
raise dbus.exceptions.DBusException( raise dbus.exceptions.DBusException(
LV_INTERFACE, LV_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err)) 'Exit code %s, stderr = %s' % (str(rc), err))
else:
raise dbus.exceptions.DBusException(
LV_INTERFACE,
'LV with uuid %s and name %s not present!' %
(lv_uuid, lv_name))
return uncached_lv_path return uncached_lv_path
@dbus.service.method( @dbus.service.method(
@@ -828,4 +890,4 @@ class LvSnapShot(Lv):
(SNAPSHOT_INTERFACE, self.Uuid, self.lvm_id, (SNAPSHOT_INTERFACE, self.Uuid, self.lvm_id,
merge_options, job_state), cb, cbe, False, merge_options, job_state), cb, cbe, False,
job_state) job_state)
background.cmd_runner(r) cfg.worker_q.put(r)

View File

@@ -0,0 +1,184 @@
#!/usr/bin/env python3
# Copyright (C) 2015-2016 Red Hat, Inc. All rights reserved.
#
# This copyrighted material is made available to anyone wishing to use,
# modify, copy, or redistribute it subject to the terms and conditions
# of the GNU General Public License v.2.
#
# You should have received a copy of the GNU General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>.
#
# Copyright 2015-2016, Vratislav Podzimek <vpodzime@redhat.com>
import subprocess
import shlex
from fcntl import fcntl, F_GETFL, F_SETFL
from os import O_NONBLOCK
import traceback
import sys
import re
try:
from .cfg import LVM_CMD
from .utils import log_debug, log_error
except:
from cfg import LVM_CMD
from utils import log_debug, log_error
SHELL_PROMPT = "lvm> "
def _quote_arg(arg):
if len(shlex.split(arg)) > 1:
return '"%s"' % arg
else:
return arg
class LVMShellProxy(object):
def _read_until_prompt(self):
prev_ec = None
stdout = ""
while not stdout.endswith(SHELL_PROMPT):
try:
tmp = self.lvm_shell.stdout.read()
if tmp:
stdout += tmp.decode("utf-8")
except IOError:
# nothing written yet
pass
# strip the prompt from the STDOUT before returning and grab the exit
# code if it's available
m = self.re.match(stdout)
if m:
prev_ec = int(m.group(2))
strip_idx = -1 * len(m.group(1))
else:
strip_idx = -1 * len(SHELL_PROMPT)
return stdout[:strip_idx], prev_ec
def _read_line(self):
while True:
try:
tmp = self.lvm_shell.stdout.readline()
if tmp:
return tmp.decode("utf-8")
except IOError:
pass
def _discard_echo(self, expected):
line = ""
while line != expected:
# GNU readline inserts some interesting characters at times...
line += self._read_line().replace(' \r', '')
def _write_cmd(self, cmd):
cmd_bytes = bytes(cmd, "utf-8")
num_written = self.lvm_shell.stdin.write(cmd_bytes)
assert (num_written == len(cmd_bytes))
self.lvm_shell.stdin.flush()
def _lvm_echos(self):
echo = False
cmd = "version\n"
self._write_cmd(cmd)
line = self._read_line()
if line == cmd:
echo = True
self._read_until_prompt()
return echo
def __init__(self):
self.re = re.compile(".*(\[(-?[0-9]+)\] lvm> $)", re.DOTALL)
# run the lvm shell
self.lvm_shell = subprocess.Popen(
[LVM_CMD], stdin=subprocess.PIPE, stdout=subprocess.PIPE,
stderr=subprocess.PIPE, close_fds=True)
flags = fcntl(self.lvm_shell.stdout, F_GETFL)
fcntl(self.lvm_shell.stdout, F_SETFL, flags | O_NONBLOCK)
flags = fcntl(self.lvm_shell.stderr, F_GETFL)
fcntl(self.lvm_shell.stderr, F_SETFL, flags | O_NONBLOCK)
# wait for the first prompt
self._read_until_prompt()
# Check to see if the version of LVM we are using is running with
# gnu readline which will echo our writes from stdin to stdout
self.echo = self._lvm_echos()
def call_lvm(self, argv, debug=False):
# create the command string
cmd = " ".join(_quote_arg(arg) for arg in argv)
cmd += "\n"
# run the command by writing it to the shell's STDIN
self._write_cmd(cmd)
# If lvm is utilizing gnu readline, it echos stdin to stdout
if self.echo:
self._discard_echo(cmd)
# read everything from the STDOUT to the next prompt
stdout, exit_code = self._read_until_prompt()
# read everything from STDERR if there's something (we waited for the
# prompt on STDOUT so there should be all or nothing at this point on
# STDERR)
stderr = None
try:
t_error = self.lvm_shell.stderr.read()
if t_error:
stderr = t_error.decode("utf-8")
except IOError:
# nothing on STDERR
pass
if exit_code is not None:
rc = exit_code
else:
# LVM does write to stderr even when it did complete successfully,
# so without having the exit code in the prompt we can never be
# sure.
if stderr:
rc = 1
else:
rc = 0
if debug or rc != 0:
log_error(('CMD: %s' % cmd))
log_error(("EC = %d" % rc))
log_error(("STDOUT=\n %s\n" % stdout))
log_error(("STDERR=\n %s\n" % stderr))
return (rc, stdout, stderr)
def __del__(self):
self.lvm_shell.terminate()
if __name__ == "__main__":
shell = LVMShellProxy()
in_line = "start"
try:
while in_line:
in_line = input("lvm> ")
if in_line:
ret, out, err, = shell.call_lvm(in_line.split())
print(("RET: %d" % ret))
print(("OUT:\n%s" % out))
print(("ERR:\n%s" % err))
except KeyboardInterrupt:
pass
except EOFError:
pass
except Exception:
traceback.print_exc(file=sys.stdout)
finally:
print()

View File

@@ -1,269 +0,0 @@
#!@PYTHON3@
# Copyright (C) 2015-2016 Red Hat, Inc. All rights reserved.
#
# This copyrighted material is made available to anyone wishing to use,
# modify, copy, or redistribute it subject to the terms and conditions
# of the GNU General Public License v.2.
#
# You should have received a copy of the GNU General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>.
#
# Copyright 2015-2016, Vratislav Podzimek <vpodzime@redhat.com>
import subprocess
import shlex
from fcntl import fcntl, F_GETFL, F_SETFL
import os
import traceback
import sys
import tempfile
import time
import select
import copy
try:
import simplejson as json
except ImportError:
import json
from lvmdbusd.cfg import LVM_CMD
from lvmdbusd.utils import log_debug, log_error, add_no_notify
SHELL_PROMPT = "lvm> "
def _quote_arg(arg):
if len(shlex.split(arg)) > 1:
return '"%s"' % arg
else:
return arg
class LVMShellProxy(object):
@staticmethod
def _read(stream):
tmp = stream.read()
if tmp:
return tmp.decode("utf-8")
return ''
# Read until we get prompt back and a result
# @param: no_output Caller expects no output to report FD
# Returns stdout, report, stderr (report is JSON!)
def _read_until_prompt(self, no_output=False):
stdout = ""
report = ""
stderr = ""
keep_reading = True
extra_passes = 3
report_json = {}
prev_report_len = 0
# Try reading from all FDs to prevent one from filling up and causing
# a hang. Keep reading until we get the prompt back and the report
# FD does not contain valid JSON
while keep_reading:
try:
rd_fd = [
self.lvm_shell.stdout.fileno(),
self.report_stream.fileno(),
self.lvm_shell.stderr.fileno()]
ready = select.select(rd_fd, [], [], 2)
for r in ready[0]:
if r == self.lvm_shell.stdout.fileno():
stdout += LVMShellProxy._read(self.lvm_shell.stdout)
elif r == self.report_stream.fileno():
report += LVMShellProxy._read(self.report_stream)
elif r == self.lvm_shell.stderr.fileno():
stderr += LVMShellProxy._read(self.lvm_shell.stderr)
# Check to see if the lvm process died on us
if self.lvm_shell.poll():
raise Exception(self.lvm_shell.returncode, "%s" % stderr)
if stdout.endswith(SHELL_PROMPT):
if no_output:
keep_reading = False
else:
cur_report_len = len(report)
if cur_report_len != 0:
# Only bother to parse if we have more data
if prev_report_len != cur_report_len:
prev_report_len = cur_report_len
# Parse the JSON if it's good we are done,
# if not we will try to read some more.
try:
report_json = json.loads(report)
keep_reading = False
except ValueError:
pass
if keep_reading:
extra_passes -= 1
if extra_passes <= 0:
if len(report):
raise ValueError("Invalid json: %s" %
report)
else:
raise ValueError(
"lvm returned no JSON output!")
except IOError as ioe:
log_debug(str(ioe))
pass
return stdout, report_json, stderr
def _write_cmd(self, cmd):
cmd_bytes = bytes(cmd, "utf-8")
num_written = self.lvm_shell.stdin.write(cmd_bytes)
assert (num_written == len(cmd_bytes))
self.lvm_shell.stdin.flush()
@staticmethod
def _make_non_block(stream):
flags = fcntl(stream, F_GETFL)
fcntl(stream, F_SETFL, flags | os.O_NONBLOCK)
def __init__(self):
# Create a temp directory
tmp_dir = tempfile.mkdtemp(prefix="lvmdbus_")
tmp_file = "%s/lvmdbus_report" % (tmp_dir)
try:
# Lets create fifo for the report output
os.mkfifo(tmp_file, 0o600)
except FileExistsError:
pass
# We have to open non-blocking as the other side isn't open until
# we actually fork the process.
self.report_fd = os.open(tmp_file, os.O_NONBLOCK)
self.report_stream = os.fdopen(self.report_fd, 'rb', 0)
# Setup the environment for using our own socket for reporting
local_env = copy.deepcopy(os.environ)
local_env["LVM_REPORT_FD"] = "32"
local_env["LVM_COMMAND_PROFILE"] = "lvmdbusd"
# Disable the abort logic if lvm logs too much, which easily happens
# when utilizing the lvm shell.
local_env["LVM_LOG_FILE_MAX_LINES"] = "0"
# run the lvm shell
self.lvm_shell = subprocess.Popen(
[LVM_CMD + " 32>%s" % tmp_file],
stdin=subprocess.PIPE, stdout=subprocess.PIPE, env=local_env,
stderr=subprocess.PIPE, close_fds=True, shell=True)
try:
LVMShellProxy._make_non_block(self.lvm_shell.stdout)
LVMShellProxy._make_non_block(self.lvm_shell.stderr)
# wait for the first prompt
errors = self._read_until_prompt(no_output=True)[2]
if errors and len(errors):
raise RuntimeError(errors)
except:
raise
finally:
# These will get deleted when the FD count goes to zero so we
# can be sure to clean up correctly no matter how we finish
os.unlink(tmp_file)
os.rmdir(tmp_dir)
def get_error_msg(self):
# We got an error, lets go fetch the error message
self._write_cmd('lastlog\n')
# read everything from the STDOUT to the next prompt
stdout, report_json, stderr = self._read_until_prompt()
if 'log' in report_json:
error_msg = ""
# Walk the entire log array and build an error string
for log_entry in report_json['log']:
if log_entry['log_type'] == "error":
if error_msg:
error_msg += ', ' + log_entry['log_message']
else:
error_msg = log_entry['log_message']
return error_msg
return 'No error reason provided! (missing "log" section)'
def call_lvm(self, argv, debug=False):
rc = 1
error_msg = ""
if self.lvm_shell.poll():
raise Exception(
self.lvm_shell.returncode,
"Underlying lvm shell process is not present!")
argv = add_no_notify(argv)
# create the command string
cmd = " ".join(_quote_arg(arg) for arg in argv)
cmd += "\n"
# run the command by writing it to the shell's STDIN
self._write_cmd(cmd)
# read everything from the STDOUT to the next prompt
stdout, report_json, stderr = self._read_until_prompt()
# Parse the report to see what happened
if 'log' in report_json:
if report_json['log'][-1:][0]['log_ret_code'] == '1':
rc = 0
else:
error_msg = self.get_error_msg()
if debug or rc != 0:
log_error(('CMD: %s' % cmd))
log_error(("EC = %d" % rc))
log_error(("ERROR_MSG=\n %s\n" % error_msg))
return rc, report_json, error_msg
def exit_shell(self):
try:
self._write_cmd('exit\n')
except Exception as e:
log_error(str(e))
def __del__(self):
try:
self.lvm_shell.terminate()
except:
pass
if __name__ == "__main__":
shell = LVMShellProxy()
in_line = "start"
try:
while in_line:
in_line = input("lvm> ")
if in_line:
start = time.time()
ret, out, err = shell.call_lvm(in_line.split())
end = time.time()
print(("RC: %d" % ret))
print(("OUT:\n%s" % out))
print(("ERR:\n%s" % err))
print("Command = %f seconds" % (end - start))
except KeyboardInterrupt:
pass
except EOFError:
pass
except Exception:
traceback.print_exc(file=sys.stdout)

View File

@@ -1,4 +1,4 @@
#!@PYTHON3@ #!/usr/bin/env python3
# Copyright (C) 2015-2016 Red Hat, Inc. All rights reserved. # Copyright (C) 2015-2016 Red Hat, Inc. All rights reserved.
# #
@@ -15,12 +15,16 @@ import pprint as prettyprint
import os import os
import sys import sys
from lvmdbusd import cmdhandler try:
from lvmdbusd.utils import log_debug, log_error from . import cmdhandler
from .utils import log_debug, log_error
except SystemError:
import cmdhandler
from utils import log_debug
class DataStore(object): class DataStore(object):
def __init__(self, usejson=True): def __init__(self, usejson=None):
self.pvs = {} self.pvs = {}
self.vgs = {} self.vgs = {}
self.lvs = {} self.lvs = {}
@@ -38,7 +42,7 @@ class DataStore(object):
# self.refresh() # self.refresh()
self.num_refreshes = 0 self.num_refreshes = 0
if usejson: if usejson is None:
self.json = cmdhandler.supports_json() self.json = cmdhandler.supports_json()
else: else:
self.json = usejson self.json = usejson
@@ -68,20 +72,6 @@ class DataStore(object):
else: else:
table[key] = record table[key] = record
@staticmethod
def _pvs_parse_common(c_pvs, c_pvs_in_vgs, c_lookup):
for p in c_pvs.values():
# Capture which PVs are associated with which VG
if p['vg_uuid'] not in c_pvs_in_vgs:
c_pvs_in_vgs[p['vg_uuid']] = []
if p['vg_name']:
c_pvs_in_vgs[p['vg_uuid']].append(
(p['pv_name'], p['pv_uuid']))
# Lookup for translating between /dev/<name> and pv uuid
c_lookup[p['pv_name']] = p['pv_uuid']
@staticmethod @staticmethod
def _parse_pvs(_pvs): def _parse_pvs(_pvs):
pvs = sorted(_pvs, key=lambda pk: pk['pv_name']) pvs = sorted(_pvs, key=lambda pk: pk['pv_name'])
@@ -95,7 +85,18 @@ class DataStore(object):
c_pvs, p['pv_uuid'], p, c_pvs, p['pv_uuid'], p,
['pvseg_start', 'pvseg_size', 'segtype']) ['pvseg_start', 'pvseg_size', 'segtype'])
DataStore._pvs_parse_common(c_pvs, c_pvs_in_vgs, c_lookup) for p in c_pvs.values():
# Capture which PVs are associated with which VG
if p['vg_uuid'] not in c_pvs_in_vgs:
c_pvs_in_vgs[p['vg_uuid']] = []
if p['vg_name']:
c_pvs_in_vgs[p['vg_uuid']].append(
(p['pv_name'], p['pv_uuid']))
# Lookup for translating between /dev/<name> and pv uuid
c_lookup[p['pv_name']] = p['pv_uuid']
return c_pvs, c_lookup, c_pvs_in_vgs return c_pvs, c_lookup, c_pvs_in_vgs
@staticmethod @staticmethod
@@ -135,7 +136,17 @@ class DataStore(object):
i['pvseg_size'] = i['pv_pe_count'] i['pvseg_size'] = i['pv_pe_count']
i['segtype'] = 'free' i['segtype'] = 'free'
DataStore._pvs_parse_common(c_pvs, c_pvs_in_vgs, c_lookup) for p in c_pvs.values():
# Capture which PVs are associated with which VG
if p['vg_uuid'] not in c_pvs_in_vgs:
c_pvs_in_vgs[p['vg_uuid']] = []
if p['vg_name']:
c_pvs_in_vgs[p['vg_uuid']].append(
(p['pv_name'], p['pv_uuid']))
# Lookup for translating between /dev/<name> and pv uuid
c_lookup[p['pv_name']] = p['pv_uuid']
return c_pvs, c_lookup, c_pvs_in_vgs return c_pvs, c_lookup, c_pvs_in_vgs
@@ -426,12 +437,6 @@ class DataStore(object):
rc.append(self.pvs[self.pv_path_to_uuid[s]]) rc.append(self.pvs[self.pv_path_to_uuid[s]])
return rc return rc
def pv_missing(self, pv_uuid):
if pv_uuid in self.pvs:
if self.pvs[pv_uuid]['pv_missing'] == '':
return False
return True
def fetch_vgs(self, vg_name): def fetch_vgs(self, vg_name):
if not vg_name: if not vg_name:
return self.vgs.values() return self.vgs.values()
@@ -515,7 +520,6 @@ if __name__ == "__main__":
print("PVS") print("PVS")
for v in ds.pvs.values(): for v in ds.pvs.values():
pp.pprint(v) pp.pprint(v)
print('PV missing is %s' % ds.pv_missing(v['pv_uuid']))
print("VGS") print("VGS")
for v in ds.vgs.values(): for v in ds.vgs.values():

View File

@@ -1,4 +1,4 @@
#!@PYTHON3@ #!/usr/bin/env python3
# Copyright (C) 2015-2016 Red Hat, Inc. All rights reserved. # Copyright (C) 2015-2016 Red Hat, Inc. All rights reserved.
# #
@@ -10,7 +10,7 @@
# along with this program. If not, see <http://www.gnu.org/licenses/>. # along with this program. If not, see <http://www.gnu.org/licenses/>.
import sys import sys
from lvmdbusd import main import lvmdbusd
if __name__ == '__main__': if __name__ == '__main__':
sys.exit(main()) sys.exit(lvmdbusd.main())

View File

@@ -10,27 +10,25 @@
from . import cfg from . import cfg
from . import objectmanager from . import objectmanager
from . import utils from . import utils
from .cfg import BUS_NAME, BASE_INTERFACE, BASE_OBJ_PATH, MANAGER_OBJ_PATH from .cfg import BASE_INTERFACE, BASE_OBJ_PATH, MANAGER_OBJ_PATH
import threading import threading
from . import cmdhandler from . import cmdhandler
import time import time
import signal import signal
import dbus import dbus
import dbus.mainloop.glib
from . import lvmdb from . import lvmdb
# noinspection PyUnresolvedReferences # noinspection PyUnresolvedReferences
from gi.repository import GLib from gi.repository import GLib
from .fetch import StateUpdate from .fetch import load
from .manager import Manager from .manager import Manager
from .background import background_reaper
import traceback import traceback
import queue import queue
from . import udevwatch from . import udevwatch
from .utils import log_debug, log_error from .utils import log_debug
import argparse import argparse
import os import os
import sys from .refresh import handle_external_event, event_complete
from .cmdhandler import LvmFlightRecorder
from .request import RequestEntry
class Lvm(objectmanager.ObjectManager): class Lvm(objectmanager.ObjectManager):
@@ -38,16 +36,54 @@ class Lvm(objectmanager.ObjectManager):
super(Lvm, self).__init__(object_path, BASE_INTERFACE) super(Lvm, self).__init__(object_path, BASE_INTERFACE)
def _discard_pending_refreshes():
# We just handled a refresh, if we have any in the queue they can be
# removed because by definition they are older than the refresh we just did.
# As we limit the number of refreshes getting into the queue
# we should only ever have one to remove.
requests = []
while not cfg.worker_q.empty():
try:
r = cfg.worker_q.get(block=False)
if r.method != handle_external_event:
requests.append(r)
else:
# Make sure we make this event complete even though it didn't
# run, otherwise no other events will get processed
event_complete()
break
except queue.Empty:
break
# Any requests we removed, but did not discard need to be re-queued
for r in requests:
cfg.worker_q.put(r)
def process_request(): def process_request():
while cfg.run.value != 0: while cfg.run.value != 0:
# noinspection PyBroadException
try: try:
req = cfg.worker_q.get(True, 5) req = cfg.worker_q.get(True, 5)
start = cfg.db.num_refreshes
log_debug( log_debug(
"Running method: %s with args %s" % "Running method: %s with args %s" %
(str(req.method), str(req.arguments))) (str(req.method), str(req.arguments)))
req.run_cmd() req.run_cmd()
log_debug("Method complete ")
end = cfg.db.num_refreshes
num_refreshes = end - start
if num_refreshes > 0:
_discard_pending_refreshes()
if num_refreshes > 1:
log_debug(
"Inspect method %s for too many refreshes" %
(str(req.method)))
log_debug("Complete ")
except queue.Empty: except queue.Empty:
pass pass
except Exception: except Exception:
@@ -55,142 +91,92 @@ def process_request():
utils.log_error("process_request exception: \n%s" % st) utils.log_error("process_request exception: \n%s" % st)
def check_bb_size(value):
v = int(value)
if v < 0:
raise argparse.ArgumentTypeError(
"positive integers only ('%s' invalid)" % value)
return v
def install_signal_handlers():
# Because of the glib main loop stuff the python signal handler code is
# apparently not usable and we need to use the glib calls instead
signal_add = None
if hasattr(GLib, 'unix_signal_add'):
signal_add = GLib.unix_signal_add
elif hasattr(GLib, 'unix_signal_add_full'):
signal_add = GLib.unix_signal_add_full
if signal_add:
signal_add(GLib.PRIORITY_HIGH, signal.SIGHUP, utils.handler, signal.SIGHUP)
signal_add(GLib.PRIORITY_HIGH, signal.SIGINT, utils.handler, signal.SIGINT)
signal_add(GLib.PRIORITY_HIGH, signal.SIGUSR1, utils.handler, signal.SIGUSR1)
else:
log_error("GLib.unix_signal_[add|add_full] are NOT available!")
def main(): def main():
start = time.time()
# Add simple command line handling # Add simple command line handling
parser = argparse.ArgumentParser() parser = argparse.ArgumentParser()
parser.add_argument( parser.add_argument("--udev", action='store_true',
"--udev", action='store_true', help="Use udev for updating state", default=False,
help="Use udev for updating state",
default=False,
dest='use_udev') dest='use_udev')
parser.add_argument( parser.add_argument("--debug", action='store_true',
"--debug", action='store_true',
help="Dump debug messages", default=False, help="Dump debug messages", default=False,
dest='debug') dest='debug')
parser.add_argument(
"--nojson", action='store_false', parser.add_argument("--nojson", action='store_false',
help="Do not use LVM JSON output (disables lvmshell)", default=True, help="Do not use LVM JSON output", default=None,
dest='use_json') dest='use_json')
parser.add_argument(
"--lvmshell", action='store_true',
help="Use the lvm shell, not fork & exec lvm",
default=False,
dest='use_lvm_shell')
parser.add_argument(
"--blackboxsize",
help="Size of the black box flight recorder, 0 to disable",
default=10,
type=check_bb_size,
dest='bb_size')
use_session = os.getenv('LVMDBUSD_USE_SESSION', False) use_session = os.getenv('LVMDBUSD_USE_SESSION', False)
# Ensure that we get consistent output for parsing stdout/stderr # Ensure that we get consistent output for parsing stdout/stderr
os.environ["LC_ALL"] = "C" os.environ["LC_ALL"] = "C"
cfg.args = parser.parse_args() args = parser.parse_args()
cfg.create_request_entry = RequestEntry
# We create a flight recorder in cmdhandler too, but we replace it here cfg.DEBUG = args.debug
# as the user may be specifying a different size. The default one in
# cmdhandler is for when we are running other code with a different main.
cfg.blackbox = LvmFlightRecorder(cfg.args.bb_size)
if cfg.args.use_lvm_shell and not cfg.args.use_json:
log_error("You cannot specify --lvmshell and --nojson")
sys.exit(1)
# List of threads that we start up # List of threads that we start up
thread_list = [] thread_list = []
install_signal_handlers() start = time.time()
# Install signal handlers
for s in [signal.SIGHUP, signal.SIGINT]:
try:
signal.signal(s, utils.handler)
except RuntimeError:
pass
dbus.mainloop.glib.DBusGMainLoop(set_as_default=True) dbus.mainloop.glib.DBusGMainLoop(set_as_default=True)
dbus.mainloop.glib.threads_init() dbus.mainloop.glib.threads_init()
cmdhandler.set_execution(cfg.args.use_lvm_shell)
if use_session: if use_session:
cfg.bus = dbus.SessionBus() cfg.bus = dbus.SessionBus()
else: else:
cfg.bus = dbus.SystemBus() cfg.bus = dbus.SystemBus()
# The base name variable needs to exist for things to work. # The base name variable needs to exist for things to work.
# noinspection PyUnusedLocal # noinspection PyUnusedLocal
base_name = dbus.service.BusName(BUS_NAME, cfg.bus) base_name = dbus.service.BusName(BASE_INTERFACE, cfg.bus)
cfg.om = Lvm(BASE_OBJ_PATH) cfg.om = Lvm(BASE_OBJ_PATH)
cfg.om.register_object(Manager(MANAGER_OBJ_PATH)) cfg.om.register_object(Manager(MANAGER_OBJ_PATH))
cfg.db = lvmdb.DataStore(cfg.args.use_json) cfg.load = load
# Using a thread to process requests, we cannot hang the dbus library cfg.db = lvmdb.DataStore(args.use_json)
# thread that is handling the dbus interface
thread_list.append(threading.Thread(target=process_request,
name='process_request'))
# Have a single thread handling updating lvm and the dbus model so we # Start up thread to monitor pv moves
# don't have multiple threads doing this as the same time thread_list.append(
updater = StateUpdate() threading.Thread(target=background_reaper, name="pv_move_reaper"))
thread_list.append(updater.thread)
cfg.load = updater.load # Using a thread to process requests.
thread_list.append(threading.Thread(target=process_request))
cfg.load(refresh=False, emit_signal=False)
cfg.loop = GLib.MainLoop() cfg.loop = GLib.MainLoop()
for thread in thread_list: for process in thread_list:
thread.damon = True process.damon = True
thread.start() process.start()
# Add udev watching
if cfg.args.use_udev:
log_debug('Utilizing udev to trigger updates')
# In all cases we are going to monitor for udev until we get an
# ExternalEvent. In the case where we get an external event and the user
# didn't specify --udev we will stop monitoring udev
udevwatch.add()
end = time.time() end = time.time()
log_debug( log_debug(
'Service ready! total time= %.4f, lvm time= %.4f count= %d' % 'Service ready! total time= %.2f, lvm time= %.2f count= %d' %
(end - start, cmdhandler.total_time, cmdhandler.total_count), (end - start, cmdhandler.total_time, cmdhandler.total_count),
'bg_black', 'fg_light_green') 'bg_black', 'fg_light_green')
# Add udev watching
if args.use_udev:
log_debug('Utilizing udev to trigger updates')
udevwatch.add()
try: try:
if cfg.run.value != 0: if cfg.run.value != 0:
cfg.loop.run() cfg.loop.run()
if args.use_udev:
udevwatch.remove() udevwatch.remove()
for thread in thread_list: for process in thread_list:
thread.join() process.join()
except KeyboardInterrupt: except KeyboardInterrupt:
# If we are unable to register signal handler, we will end up here when utils.handler(signal.SIGINT, None)
# the service gets a ^C or a kill -2 <parent pid>
utils.handler(signal.SIGINT)
return 0 return 0

View File

@@ -6,6 +6,7 @@
# #
# You should have received a copy of the GNU General Public License # You should have received a copy of the GNU General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>. # along with this program. If not, see <http://www.gnu.org/licenses/>.
from .automatedproperties import AutomatedProperties from .automatedproperties import AutomatedProperties
from . import utils from . import utils
@@ -13,13 +14,14 @@ from .cfg import MANAGER_INTERFACE
import dbus import dbus
from . import cfg from . import cfg
from . import cmdhandler from . import cmdhandler
from .fetch import load_pvs, load_vgs
from .request import RequestEntry from .request import RequestEntry
from . import udevwatch from .refresh import event_add
# noinspection PyPep8Naming # noinspection PyPep8Naming
class Manager(AutomatedProperties): class Manager(AutomatedProperties):
_Version_meta = ("s", MANAGER_INTERFACE) _Version_meta = ("t", MANAGER_INTERFACE)
def __init__(self, object_path): def __init__(self, object_path):
super(Manager, self).__init__(object_path) super(Manager, self).__init__(object_path)
@@ -27,31 +29,31 @@ class Manager(AutomatedProperties):
@property @property
def Version(self): def Version(self):
return dbus.String('1.0.0') return '1.0.0'
@staticmethod
def handle_execute(rc, out, err):
if rc == 0:
cfg.load()
else:
# Need to work on error handling, need consistent
raise dbus.exceptions.DBusException(
MANAGER_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
@staticmethod @staticmethod
def _pv_create(device, create_options): def _pv_create(device, create_options):
# Check to see if we are already trying to create a PV for an existing # Check to see if we are already trying to create a PV for an existing
# PV # PV
pv = cfg.om.get_object_path_by_uuid_lvm_id(device, device) pv = cfg.om.get_object_path_by_uuid_lvm_id(
device, device, None, False)
if pv: if pv:
raise dbus.exceptions.DBusException( raise dbus.exceptions.DBusException(
MANAGER_INTERFACE, "PV %s Already exists!" % device) MANAGER_INTERFACE, "PV Already exists!")
created_pv = []
rc, out, err = cmdhandler.pv_create(create_options, [device]) rc, out, err = cmdhandler.pv_create(create_options, [device])
Manager.handle_execute(rc, out, err) if rc == 0:
return cfg.om.get_object_path_by_lvm_id(device) pvs = load_pvs([device], emit_signal=True)[0]
for p in pvs:
created_pv = p.dbus_object_path()
else:
raise dbus.exceptions.DBusException(
MANAGER_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
return created_pv
@dbus.service.method( @dbus.service.method(
dbus_interface=MANAGER_INTERFACE, dbus_interface=MANAGER_INTERFACE,
@@ -78,8 +80,20 @@ class Manager(AutomatedProperties):
MANAGER_INTERFACE, 'object path = %s not found' % p) MANAGER_INTERFACE, 'object path = %s not found' % p)
rc, out, err = cmdhandler.vg_create(create_options, pv_devices, name) rc, out, err = cmdhandler.vg_create(create_options, pv_devices, name)
Manager.handle_execute(rc, out, err) created_vg = "/"
return cfg.om.get_object_path_by_lvm_id(name)
if rc == 0:
vgs = load_vgs([name], emit_signal=True)[0]
for v in vgs:
created_vg = v.dbus_object_path()
# Update the PVS
load_pvs(refresh=True, emit_signal=True, cache_refresh=False)
else:
raise dbus.exceptions.DBusException(
MANAGER_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
return created_vg
@dbus.service.method( @dbus.service.method(
dbus_interface=MANAGER_INTERFACE, dbus_interface=MANAGER_INTERFACE,
@@ -100,10 +114,6 @@ class Manager(AutomatedProperties):
# This is a diagnostic and should not be run in normal operation, so # This is a diagnostic and should not be run in normal operation, so
# lets remove the log entries for refresh as it's implied. # lets remove the log entries for refresh as it's implied.
# Run an internal diagnostic on the object manager look up tables
lc = cfg.om.validate_lookups()
rc = cfg.load(log=False) rc = cfg.load(log=False)
if rc != 0: if rc != 0:
@@ -111,7 +121,7 @@ class Manager(AutomatedProperties):
'bg_black', 'fg_light_red') 'bg_black', 'fg_light_red')
else: else:
utils.log_debug('Manager.Refresh - exit %d' % (rc)) utils.log_debug('Manager.Refresh - exit %d' % (rc))
return rc + lc return rc
@dbus.service.method( @dbus.service.method(
dbus_interface=MANAGER_INTERFACE, dbus_interface=MANAGER_INTERFACE,
@@ -131,28 +141,11 @@ class Manager(AutomatedProperties):
r = RequestEntry(-1, Manager._refresh, (), cb, cbe, False) r = RequestEntry(-1, Manager._refresh, (), cb, cbe, False)
cfg.worker_q.put(r) cfg.worker_q.put(r)
@dbus.service.method(
dbus_interface=MANAGER_INTERFACE)
def FlightRecorderDump(self):
"""
Dump the flight recorder to syslog
"""
cfg.blackbox.dump()
@staticmethod
def _lookup_by_lvm_id(key):
p = cfg.om.get_object_path_by_uuid_lvm_id(key, key)
if not p:
p = '/'
utils.log_debug('LookUpByLvmId: key = %s, result = %s' % (key, p))
return p
@dbus.service.method( @dbus.service.method(
dbus_interface=MANAGER_INTERFACE, dbus_interface=MANAGER_INTERFACE,
in_signature='s', in_signature='s',
out_signature='o', out_signature='o')
async_callbacks=('cb', 'cbe')) def LookUpByLvmId(self, key):
def LookUpByLvmId(self, key, cb, cbe):
""" """
Given a lvm id in one of the forms: Given a lvm id in one of the forms:
@@ -166,50 +159,29 @@ class Manager(AutomatedProperties):
:param key: The lookup value :param key: The lookup value
:return: Return the object path. If object not found you will get '/' :return: Return the object path. If object not found you will get '/'
""" """
r = RequestEntry(-1, Manager._lookup_by_lvm_id, (key,), cb, cbe, False) p = cfg.om.get_object_path_by_uuid_lvm_id(
cfg.worker_q.put(r) key, key, gen_new=False)
if p:
@staticmethod return p
def _use_lvm_shell(yes_no): return '/'
return dbus.Boolean(cmdhandler.set_execution(yes_no))
@dbus.service.method( @dbus.service.method(
dbus_interface=MANAGER_INTERFACE, dbus_interface=MANAGER_INTERFACE,
in_signature='b', out_signature='b', in_signature='b')
async_callbacks=('cb', 'cbe')) def UseLvmShell(self, yes_no):
def UseLvmShell(self, yes_no, cb, cbe):
""" """
Allow the client to enable/disable lvm shell, used for testing Allow the client to enable/disable lvm shell, used for testing
:param yes_no: :param yes_no:
:param cb: dbus python call back parameter, not client visible :return: Nothing
:param cbe: dbus python error call back parameter, not client visible
:return: Boolean
""" """
r = RequestEntry(-1, Manager._use_lvm_shell, (yes_no,), cb, cbe, False) cmdhandler.set_execution(yes_no)
cfg.worker_q.put(r)
@staticmethod
def _external_event(command):
utils.log_debug("Processing _external_event= %s" % command,
'bg_black', 'fg_orange')
cfg.load()
@dbus.service.method( @dbus.service.method(
dbus_interface=MANAGER_INTERFACE, dbus_interface=MANAGER_INTERFACE,
in_signature='s', out_signature='i') in_signature='s', out_signature='i')
def ExternalEvent(self, command): def ExternalEvent(self, command):
utils.log_debug("ExternalEvent %s" % command)
# If a user didn't explicitly specify udev, we will turn it off now.
if not cfg.args.use_udev:
if udevwatch.remove():
utils.log_debug("ExternalEvent received, disabling "
"udev monitoring")
# We are dependent on external events now to stay current!
cfg.got_external_event = True
r = RequestEntry( event_add((command,))
-1, Manager._external_event, (command,), None, None, False)
cfg.worker_q.put(r)
return dbus.Int32(0) return dbus.Int32(0)
@staticmethod @staticmethod
@@ -219,8 +191,15 @@ class Manager(AutomatedProperties):
activate, cache, device_path, activate, cache, device_path,
major_minor, scan_options) major_minor, scan_options)
Manager.handle_execute(rc, out, err) if rc == 0:
# This could potentially change the state quite a bit, so lets
# update everything to be safe
cfg.load()
return '/' return '/'
else:
raise dbus.exceptions.DBusException(
MANAGER_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
@dbus.service.method( @dbus.service.method(
dbus_interface=MANAGER_INTERFACE, dbus_interface=MANAGER_INTERFACE,

View File

@@ -12,9 +12,8 @@ import threading
import traceback import traceback
import dbus import dbus
import os import os
import copy
from . import cfg from . import cfg
from .utils import log_debug, pv_obj_path_generate, log_error from .utils import log_debug
from .automatedproperties import AutomatedProperties from .automatedproperties import AutomatedProperties
@@ -32,12 +31,14 @@ class ObjectManager(AutomatedProperties):
self._id_to_object_path = {} self._id_to_object_path = {}
self.rlock = threading.RLock() self.rlock = threading.RLock()
@staticmethod @dbus.service.method(
def _get_managed_objects(obj): dbus_interface="org.freedesktop.DBus.ObjectManager",
with obj.rlock: out_signature='a{oa{sa{sv}}}')
def GetManagedObjects(self):
with self.rlock:
rc = {} rc = {}
try: try:
for k, v in list(obj._objects.items()): for k, v in list(self._objects.items()):
path, props = v[0].emit_data() path, props = v[0].emit_data()
rc[path] = props rc[path] = props
except Exception: except Exception:
@@ -45,14 +46,6 @@ class ObjectManager(AutomatedProperties):
sys.exit(1) sys.exit(1)
return rc return rc
@dbus.service.method(
dbus_interface="org.freedesktop.DBus.ObjectManager",
out_signature='a{oa{sa{sv}}}', async_callbacks=('cb', 'cbe'))
def GetManagedObjects(self, cb, cbe):
r = cfg.create_request_entry(-1, ObjectManager._get_managed_objects,
(self, ), cb, cbe, False)
cfg.worker_q.put(r)
def locked(self): def locked(self):
""" """
If some external code need to run across a number of different If some external code need to run across a number of different
@@ -77,37 +70,12 @@ class ObjectManager(AutomatedProperties):
log_debug(('SIGNAL: InterfacesRemoved(%s, %s)' % log_debug(('SIGNAL: InterfacesRemoved(%s, %s)' %
(str(object_path), str(interface_list)))) (str(object_path), str(interface_list))))
def validate_lookups(self):
with self.rlock:
tmp_lookups = copy.deepcopy(self._id_to_object_path)
# iterate over all we know, removing from the copy. If all is well
# we will have zero items left over
for path, md in self._objects.items():
obj, lvm_id, uuid = md
if lvm_id:
assert path == tmp_lookups[lvm_id]
del tmp_lookups[lvm_id]
if uuid:
assert path == tmp_lookups[uuid]
del tmp_lookups[uuid]
rc = len(tmp_lookups)
if rc:
# Error condition
log_error("_id_to_object_path has extraneous lookups!")
for key, path in tmp_lookups.items():
log_error("Key= %s, path= %s" % (key, path))
return rc
def _lookup_add(self, obj, path, lvm_id, uuid): def _lookup_add(self, obj, path, lvm_id, uuid):
""" """
Store information about what we added to the caches so that we Store information about what we added to the caches so that we
can remove it cleanly can remove it cleanly
:param obj: The dbus object we are storing :param obj: The dbus object we are storing
:param lvm_id: The lvm id for the asset :param lvm_id: The user name for the asset
:param uuid: The uuid for the asset :param uuid: The uuid for the asset
:return: :return:
""" """
@@ -117,11 +85,6 @@ class ObjectManager(AutomatedProperties):
self._lookup_remove(path) self._lookup_remove(path)
self._objects[path] = (obj, lvm_id, uuid) self._objects[path] = (obj, lvm_id, uuid)
# Make sure we have one or the other
assert lvm_id or uuid
if lvm_id:
self._id_to_object_path[lvm_id] = path self._id_to_object_path[lvm_id] = path
if uuid: if uuid:
@@ -131,13 +94,8 @@ class ObjectManager(AutomatedProperties):
# Note: Only called internally, lock implied # Note: Only called internally, lock implied
if obj_path in self._objects: if obj_path in self._objects:
(obj, lvm_id, uuid) = self._objects[obj_path] (obj, lvm_id, uuid) = self._objects[obj_path]
if lvm_id in self._id_to_object_path:
del self._id_to_object_path[lvm_id] del self._id_to_object_path[lvm_id]
if uuid in self._id_to_object_path:
del self._id_to_object_path[uuid] del self._id_to_object_path[uuid]
del self._objects[obj_path] del self._objects[obj_path]
def lookup_update(self, dbus_obj, new_uuid, new_lvm_id): def lookup_update(self, dbus_obj, new_uuid, new_lvm_id):
@@ -215,7 +173,7 @@ class ObjectManager(AutomatedProperties):
def get_object_by_uuid_lvm_id(self, uuid, lvm_id): def get_object_by_uuid_lvm_id(self, uuid, lvm_id):
with self.rlock: with self.rlock:
return self.get_object_by_path( return self.get_object_by_path(
self.get_object_path_by_uuid_lvm_id(uuid, lvm_id)) self.get_object_path_by_uuid_lvm_id(uuid, lvm_id, None, False))
def get_object_by_lvm_id(self, lvm_id): def get_object_by_lvm_id(self, lvm_id):
""" """
@@ -223,9 +181,8 @@ class ObjectManager(AutomatedProperties):
:param lvm_id: The lvm identifier :param lvm_id: The lvm identifier
""" """
with self.rlock: with self.rlock:
lookup_rc = self._id_lookup(lvm_id) if lvm_id in self._id_to_object_path:
if lookup_rc: return self.get_object_by_path(self._id_to_object_path[lvm_id])
return self.get_object_by_path(lookup_rc)
return None return None
def get_object_path_by_lvm_id(self, lvm_id): def get_object_path_by_lvm_id(self, lvm_id):
@@ -235,9 +192,8 @@ class ObjectManager(AutomatedProperties):
:return: Object path or '/' if not found :return: Object path or '/' if not found
""" """
with self.rlock: with self.rlock:
lookup_rc = self._id_lookup(lvm_id) if lvm_id in self._id_to_object_path:
if lookup_rc: return self._id_to_object_path[lvm_id]
return lookup_rc
return '/' return '/'
def _uuid_verify(self, path, uuid, lvm_id): def _uuid_verify(self, path, uuid, lvm_id):
@@ -250,110 +206,77 @@ class ObjectManager(AutomatedProperties):
:return: None :return: None
""" """
# This gets called when we found an object based on lvm_id, ensure # This gets called when we found an object based on lvm_id, ensure
# uuid is correct too, as they can change. There is no durable # uuid is correct too, as they can change
# non-changeable name in lvm
if lvm_id != uuid: if lvm_id != uuid:
if uuid and uuid not in self._id_to_object_path: if uuid not in self._id_to_object_path:
obj = self.get_object_by_path(path) obj = self.get_object_by_path(path)
self._lookup_add(obj, path, lvm_id, uuid) self._lookup_add(obj, path, lvm_id, uuid)
def _lvm_id_verify(self, path, uuid, lvm_id): def _return_lookup(self, uuid, lvm_identifier):
""" """
Ensure lvm_id is present for a successful uuid lookup We found an identifier, so lets return the path to the found object
NOTE: Internal call, assumes under object manager lock :param uuid: The lvm uuid
:param path: Path to object we looked up :param lvm_identifier: The lvm_id used to find object
:param uuid: uuid used to find object :return:
:param lvm_id: lvm_id to verify
:return: None
""" """
# This gets called when we found an object based on uuid, ensure path = self._id_to_object_path[lvm_identifier]
# lvm_id is correct too, as they can change. There is no durable self._uuid_verify(path, uuid, lvm_identifier)
# non-changeable name in lvm
if lvm_id != uuid:
if lvm_id and lvm_id not in self._id_to_object_path:
obj = self.get_object_by_path(path)
self._lookup_add(obj, path, lvm_id, uuid)
def _id_lookup(self, the_id):
path = None
if the_id:
# The _id_to_object_path contains hash keys for everything, so
# uuid and lvm_id
if the_id in self._id_to_object_path:
path = self._id_to_object_path[the_id]
else:
if "/" in the_id:
if the_id.startswith('/'):
# We could have a pv device path lookup that failed,
# lets try canonical form and try again.
canonical = os.path.realpath(the_id)
if canonical in self._id_to_object_path:
path = self._id_to_object_path[canonical]
else:
vg, lv = the_id.split("/", 1)
int_lvm_id = vg + "/" + ("[%s]" % lv)
if int_lvm_id in self._id_to_object_path:
path = self._id_to_object_path[int_lvm_id]
return path return path
def get_object_path_by_uuid_lvm_id(self, uuid, lvm_id, path_create=None): def get_object_path_by_uuid_lvm_id(self, uuid, lvm_id, path_create=None,
gen_new=True):
""" """
For a given lvm asset return the dbus object path registered for it. For a given lvm asset return the dbus object registered to it. If the
This method first looks up by uuid and then by lvm_id. You object is not found and gen_new == True and path_create is a valid
can search by just one by setting uuid == lvm_id (uuid or lvm_id). function we will create a new path, register it and return it.
If the object is not found and path_create is a not None, the :param uuid: The uuid for the lvm object
path_create function will be called to create a new object path and :param lvm_id: The lvm name
register it with the object manager for the specified uuid & lvm_id. :param path_create: If true create an object path if not found
Note: If path create is not None, uuid and lvm_id cannot be equal :param gen_new: The function used to create the new path
:param uuid: The uuid for the lvm object we are searching for
:param lvm_id: The lvm name (eg. pv device path, vg name, lv full name)
:param path_create: If not None, create the path using this function if
we fail to find the object by uuid or lvm_id.
:returns None if lvm asset not found and path_create == None otherwise
a valid dbus object path
""" """
with self.rlock: with self.rlock:
assert lvm_id assert lvm_id
assert uuid assert uuid
if path_create: if gen_new:
assert uuid != lvm_id assert path_create
# Check for Manager.LookUpByLvmId query, we cannot path = None
# check/verify/update the uuid and lvm_id lookups so don't!
if uuid == lvm_id:
path = self._id_lookup(lvm_id)
else:
# We have a uuid and a lvm_id we can do sanity checks to ensure
# that they are consistent
# If a PV is missing it's device path is '[unknown]' or some if lvm_id in self._id_to_object_path:
# other text derivation of unknown. When we find that a PV is self._return_lookup(uuid, lvm_id)
# missing we will clear out the lvm_id as it's likely not unique
# and thus not useful and potentially harmful for lookups.
if path_create == pv_obj_path_generate and \
cfg.db.pv_missing(uuid):
lvm_id = None
# Lets check for the uuid first if "/" in lvm_id:
path = self._id_lookup(uuid) vg, lv = lvm_id.split("/", 1)
if path: int_lvm_id = vg + "/" + ("[%s]" % lv)
# Verify the lvm_id is sane if int_lvm_id in self._id_to_object_path:
self._lvm_id_verify(path, uuid, lvm_id) self._return_lookup(uuid, int_lvm_id)
elif lvm_id.startswith('/'):
# We could have a pv device path lookup that failed,
# lets try canonical form and try again.
canonical = os.path.realpath(lvm_id)
if canonical in self._id_to_object_path:
self._return_lookup(uuid, canonical)
if uuid and uuid in self._id_to_object_path:
# If we get here it indicates that we found the object, but
# the lvm_id lookup failed. In the case of a rename, the uuid
# will be correct, but the lvm_id will be wrong and vise versa.
# If the lvm_id does not equal the uuid, lets fix up the table
# so that lookups will be handled correctly.
path = self._id_to_object_path[uuid]
# In some cases we are looking up by one or the other, don't
# update when they are the same.
if uuid != lvm_id:
obj = self.get_object_by_path(path)
self._lookup_add(obj, path, lvm_id, uuid)
else: else:
# Unable to find by UUID, lets lookup by lvm_id if gen_new:
path = self._id_lookup(lvm_id)
if path:
# Verify the uuid is sane
self._uuid_verify(path, uuid, lvm_id)
else:
# We have exhausted all lookups, let's create if we can
if path_create:
path = path_create() path = path_create()
self._lookup_add(None, path, lvm_id, uuid) self._lookup_add(None, path, lvm_id, uuid)
# print('get_object_path_by_lvm_id(%s, %s, %s, %s: return %s' % # pprint('get_object_path_by_lvm_id(%s, %s, %s, %s: return %s' %
# (uuid, lvm_id, str(path_create), str(gen_new), path)) # (uuid, lvm_id, str(path_create), str(gen_new), path))
return path return path

View File

@@ -55,6 +55,9 @@ class PvState(State):
return self.lvm_path return self.lvm_path
def _lv_object_list(self, vg_name): def _lv_object_list(self, vg_name):
# Note we are returning "a(oa(tts))"
rc = [] rc = []
if vg_name: if vg_name:
for lv in sorted(cfg.db.pv_contained_lv(self.lvm_id)): for lv in sorted(cfg.db.pv_contained_lv(self.lvm_id)):
@@ -66,7 +69,7 @@ class PvState(State):
lv_uuid, full_name, path_create) lv_uuid, full_name, path_create)
rc.append((lv_path, segs)) rc.append((lv_path, segs))
return rc return dbus.Array(rc, signature="(oa(tts))")
# noinspection PyUnusedLocal,PyPep8Naming # noinspection PyUnusedLocal,PyPep8Naming
def __init__(self, lvm_path, Uuid, Name, def __init__(self, lvm_path, Uuid, Name,
@@ -79,9 +82,7 @@ class PvState(State):
self.lv = self._lv_object_list(vg_name) self.lv = self._lv_object_list(vg_name)
# It's possible to have a vg_name and no uuid with the main example if vg_name:
# being when the vg_name == '[unknown]'
if vg_uuid and vg_name:
self.vg_path = cfg.om.get_object_path_by_uuid_lvm_id( self.vg_path = cfg.om.get_object_path_by_uuid_lvm_id(
vg_uuid, vg_name, vg_obj_path_generate) vg_uuid, vg_name, vg_obj_path_generate)
else: else:
@@ -137,30 +138,23 @@ class Pv(AutomatedProperties):
def _remove(pv_uuid, pv_name, remove_options): def _remove(pv_uuid, pv_name, remove_options):
# Remove the PV, if successful then remove from the model # Remove the PV, if successful then remove from the model
# Make sure we have a dbus object representing it # Make sure we have a dbus object representing it
Pv.validate_dbus_object(pv_uuid, pv_name) dbo = cfg.om.get_object_by_uuid_lvm_id(pv_uuid, pv_name)
rc, out, err = cmdhandler.pv_remove(pv_name, remove_options)
Pv.handle_execute(rc, out, err)
return '/'
@staticmethod if dbo:
def handle_execute(rc, out, err): rc, out, err = cmdhandler.pv_remove(pv_name, remove_options)
if rc == 0: if rc == 0:
cfg.load() cfg.om.remove_object(dbo, True)
else: else:
# Need to work on error handling, need consistent # Need to work on error handling, need consistent
raise dbus.exceptions.DBusException( raise dbus.exceptions.DBusException(
PV_INTERFACE, PV_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err)) 'Exit code %s, stderr = %s' % (str(rc), err))
else:
@staticmethod
def validate_dbus_object(pv_uuid, pv_name):
dbo = cfg.om.get_object_by_uuid_lvm_id(pv_uuid, pv_name)
if not dbo:
raise dbus.exceptions.DBusException( raise dbus.exceptions.DBusException(
PV_INTERFACE, PV_INTERFACE,
'PV with uuid %s and name %s not present!' % 'PV with uuid %s and name %s not present!' %
(pv_uuid, pv_name)) (pv_uuid, pv_name))
return dbo return '/'
@dbus.service.method( @dbus.service.method(
dbus_interface=PV_INTERFACE, dbus_interface=PV_INTERFACE,
@@ -177,11 +171,22 @@ class Pv(AutomatedProperties):
@staticmethod @staticmethod
def _resize(pv_uuid, pv_name, new_size_bytes, resize_options): def _resize(pv_uuid, pv_name, new_size_bytes, resize_options):
# Make sure we have a dbus object representing it # Make sure we have a dbus object representing it
Pv.validate_dbus_object(pv_uuid, pv_name) dbo = cfg.om.get_object_by_uuid_lvm_id(pv_uuid, pv_name)
if dbo:
rc, out, err = cmdhandler.pv_resize(pv_name, new_size_bytes, rc, out, err = cmdhandler.pv_resize(pv_name, new_size_bytes,
resize_options) resize_options)
Pv.handle_execute(rc, out, err) if rc == 0:
dbo.refresh()
else:
raise dbus.exceptions.DBusException(
PV_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
else:
raise dbus.exceptions.DBusException(
PV_INTERFACE,
'PV with uuid %s and name %s not present!' %
(pv_uuid, pv_name))
return '/' return '/'
@dbus.service.method( @dbus.service.method(
@@ -199,10 +204,21 @@ class Pv(AutomatedProperties):
@staticmethod @staticmethod
def _allocation_enabled(pv_uuid, pv_name, yes_no, allocation_options): def _allocation_enabled(pv_uuid, pv_name, yes_no, allocation_options):
# Make sure we have a dbus object representing it # Make sure we have a dbus object representing it
Pv.validate_dbus_object(pv_uuid, pv_name) dbo = cfg.om.get_object_by_uuid_lvm_id(pv_uuid, pv_name)
if dbo:
rc, out, err = cmdhandler.pv_allocatable( rc, out, err = cmdhandler.pv_allocatable(
pv_name, yes_no, allocation_options) pv_name, yes_no, allocation_options)
Pv.handle_execute(rc, out, err) if rc == 0:
cfg.load()
else:
raise dbus.exceptions.DBusException(
PV_INTERFACE, 'Exit code %s, stderr = %s' % (str(rc), err))
else:
raise dbus.exceptions.DBusException(
PV_INTERFACE,
'PV with uuid %s and name %s not present!' %
(pv_uuid, pv_name))
return '/' return '/'
@dbus.service.method( @dbus.service.method(
@@ -225,20 +241,26 @@ class Pv(AutomatedProperties):
@property @property
def PeSegments(self): def PeSegments(self):
if len(self.state.pe_segments): if len(self.state.pe_segments):
return dbus.Array(self.state.pe_segments, signature='(tt)') return self.state.pe_segments
return dbus.Array([], '(tt)') return dbus.Array([], '(tt)')
@property @property
def Exportable(self): def Exportable(self):
return dbus.Boolean(self.state.attr[1] == 'x') if self.state.attr[1] == 'x':
return True
return False
@property @property
def Allocatable(self): def Allocatable(self):
return dbus.Boolean(self.state.attr[0] == 'a') if self.state.attr[0] == 'a':
return True
return False
@property @property
def Missing(self): def Missing(self):
return dbus.Boolean(self.state.attr[2] == 'm') if self.state.attr[2] == 'm':
return True
return False
def object_path(self): def object_path(self):
return self._object_path return self._object_path
@@ -253,8 +275,8 @@ class Pv(AutomatedProperties):
@property @property
def Lv(self): def Lv(self):
return dbus.Array(self.state.lv, signature="(oa(tts))") return self.state.lv
@property @property
def Vg(self): def Vg(self):
return dbus.ObjectPath(self.state.vg_path) return self.state.vg_path

View File

@@ -0,0 +1,45 @@
# Copyright (C) 2015-2016 Red Hat, Inc. All rights reserved.
#
# This copyrighted material is made available to anyone wishing to use,
# modify, copy, or redistribute it subject to the terms and conditions
# of the GNU General Public License v.2.
#
# You should have received a copy of the GNU General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>.
# Try and minimize the refreshes we do.
import threading
from .request import RequestEntry
from . import cfg
from . import utils
_rlock = threading.RLock()
_count = 0
def handle_external_event(command):
utils.log_debug("External event: '%s'" % command)
event_complete()
cfg.load()
def event_add(params):
global _rlock
global _count
with _rlock:
if _count == 0:
_count += 1
r = RequestEntry(
-1, handle_external_event,
params, None, None, False)
cfg.worker_q.put(r)
def event_complete():
global _rlock
global _count
with _rlock:
if _count > 0:
_count -= 1
return _count

View File

@@ -13,12 +13,13 @@ from gi.repository import GLib
from .job import Job from .job import Job
from . import cfg from . import cfg
import traceback import traceback
from .utils import log_error, mt_async_call from .utils import log_error
class RequestEntry(object): class RequestEntry(object):
def __init__(self, tmo, method, arguments, cb, cb_error, def __init__(self, tmo, method, arguments, cb, cb_error,
return_tuple=True, job_state=None): return_tuple=True, job_state=None):
self.tmo = tmo
self.method = method self.method = method
self.arguments = arguments self.arguments = arguments
self.cb = cb self.cb = cb
@@ -34,32 +35,25 @@ class RequestEntry(object):
self._return_tuple = return_tuple self._return_tuple = return_tuple
self._job_state = job_state self._job_state = job_state
if tmo < 0: if self.tmo < 0:
# Client is willing to block forever # Client is willing to block forever
pass pass
elif tmo == 0: elif tmo == 0:
self._return_job() self._return_job()
else: else:
# Note: using 990 instead of 1000 for second to ms conversion to self.timer_id = GLib.timeout_add_seconds(
# account for overhead. Goal is to return just before the tmo, RequestEntry._request_timeout, self)
# timeout amount has expired. Better to be a little early than
# late.
self.timer_id = GLib.timeout_add(
tmo * 990, RequestEntry._request_timeout, self)
@staticmethod @staticmethod
def _request_timeout(r): def _request_timeout(r):
""" """
Method which gets called when the timer runs out! Method which gets called when the timer runs out!
:param r: RequestEntry which timed out :param r: RequestEntry which timed out
:return: Result of timer_expired :return: Nothing
""" """
return r.timer_expired() r.timer_expired()
def _return_job(self): def _return_job(self):
# Return job is only called when we create a request object or when
# we pop a timer. In both cases we are running in the correct context
# and do not need to schedule the call back in main context.
self._job = Job(self, self._job_state) self._job = Job(self, self._job_state)
cfg.om.register_object(self._job, True) cfg.om.register_object(self._job, True)
if self._return_tuple: if self._return_tuple:
@@ -116,9 +110,9 @@ class RequestEntry(object):
if error_rc == 0: if error_rc == 0:
if self.cb: if self.cb:
if self._return_tuple: if self._return_tuple:
mt_async_call(self.cb, (result, '/')) self.cb((result, '/'))
else: else:
mt_async_call(self.cb, result) self.cb(result)
else: else:
if self.cb_error: if self.cb_error:
if not error_exception: if not error_exception:
@@ -129,14 +123,15 @@ class RequestEntry(object):
else: else:
error_exception = Exception(error_msg) error_exception = Exception(error_msg)
mt_async_call(self.cb_error, error_exception) self.cb_error(error_exception)
else: else:
# We have a job and it's complete, indicate that it's done. # We have a job and it's complete, indicate that it's done.
# TODO: We need to signal the job is done too.
self._job.Complete = True self._job.Complete = True
self._job = None self._job = None
def register_error(self, error_rc, error_message, error_exception): def register_error(self, error_rc, error_message, error_exception):
self._reg_ending('/', error_rc, error_message, error_exception) self._reg_ending(None, error_rc, error_message, error_exception)
def register_result(self, result): def register_result(self, result):
self._reg_ending(result) self._reg_ending(result)

View File

@@ -8,42 +8,10 @@
# along with this program. If not, see <http://www.gnu.org/licenses/>. # along with this program. If not, see <http://www.gnu.org/licenses/>.
import pyudev import pyudev
import threading from .refresh import event_add
from . import cfg from . import cfg
from .request import RequestEntry
from . import utils
observer = None observer = None
observer_lock = threading.RLock()
_udev_lock = threading.RLock()
_udev_count = 0
def udev_add():
global _udev_count
with _udev_lock:
if _udev_count == 0:
_udev_count += 1
# Place this on the queue so any other operations will sequence
# behind it
r = RequestEntry(
-1, _udev_event, (), None, None, False)
cfg.worker_q.put(r)
def udev_complete():
global _udev_count
with _udev_lock:
if _udev_count > 0:
_udev_count -= 1
def _udev_event():
utils.log_debug("Processing udev event")
udev_complete()
cfg.load()
# noinspection PyUnusedLocal # noinspection PyUnusedLocal
@@ -68,11 +36,10 @@ def filter_event(action, device):
refresh = True refresh = True
if refresh: if refresh:
udev_add() event_add(('udev',))
def add(): def add():
with observer_lock:
global observer global observer
context = pyudev.Context() context = pyudev.Context()
monitor = pyudev.Monitor.from_netlink(context) monitor = pyudev.Monitor.from_netlink(context)
@@ -82,10 +49,6 @@ def add():
def remove(): def remove():
with observer_lock:
global observer global observer
if observer:
observer.stop() observer.stop()
observer = None observer = None
return True
return False

View File

@@ -13,15 +13,15 @@ import inspect
import ctypes import ctypes
import os import os
import string import string
import datetime
import dbus import dbus
from lvmdbusd import cfg import dbus.service
# noinspection PyUnresolvedReferences import dbus.mainloop.glib
from gi.repository import GLib
import threading try:
import traceback from . import cfg
import signal except SystemError:
import cfg
STDOUT_TTY = os.isatty(sys.stdout.fileno()) STDOUT_TTY = os.isatty(sys.stdout.fileno())
@@ -149,27 +149,17 @@ def add_properties(xml, interface, props):
:param props: Output from get_properties :param props: Output from get_properties
:return: updated XML string :return: updated XML string
""" """
if props:
root = Et.fromstring(xml) root = Et.fromstring(xml)
interface_element = None
# Check to see if interface is present if props:
for c in root: for c in root:
# print c.attrib['name']
if c.attrib['name'] == interface: if c.attrib['name'] == interface:
interface_element = c
break
# Interface is not present, lets create it so we have something to
# attach the properties too
if interface_element is None:
interface_element = Et.Element("interface", name=interface)
root.append(interface_element)
# Add the properties
for p in props: for p in props:
temp = '<property type="%s" name="%s" access="%s"/>\n' % \ temp = '<property type="%s" name="%s" access="%s"/>\n' % \
(p['p_t'], p['p_name'], p['p_access']) (p['p_t'], p['p_name'], p['p_access'])
interface_element.append(Et.fromstring(temp)) c.append(Et.fromstring(temp))
return Et.tostring(root, encoding='utf8') return Et.tostring(root, encoding='utf8')
return xml return xml
@@ -245,7 +235,7 @@ def parse_tags(tags):
if len(tags): if len(tags):
if ',' in tags: if ',' in tags:
return tags.split(',') return tags.split(',')
return dbus.Array(sorted([tags]), signature='s') return sorted([tags])
return dbus.Array([], signature='s') return dbus.Array([], signature='s')
@@ -253,12 +243,6 @@ def _common_log(msg, *attributes):
cfg.stdout_lock.acquire() cfg.stdout_lock.acquire()
tid = ctypes.CDLL('libc.so.6').syscall(186) tid = ctypes.CDLL('libc.so.6').syscall(186)
if STDOUT_TTY:
msg = "%s: %d:%d - %s" % \
(datetime.datetime.now().strftime("%b %d %H:%M:%S.%f"),
os.getpid(), tid, msg)
else:
msg = "%d:%d - %s" % (os.getpid(), tid, msg) msg = "%d:%d - %s" % (os.getpid(), tid, msg)
if STDOUT_TTY and attributes: if STDOUT_TTY and attributes:
@@ -274,7 +258,7 @@ def _common_log(msg, *attributes):
# @param msg Message to output to stdout # @param msg Message to output to stdout
# @return None # @return None
def log_debug(msg, *attributes): def log_debug(msg, *attributes):
if cfg.args and cfg.args.debug: if cfg.DEBUG:
_common_log(msg, *attributes) _common_log(msg, *attributes)
@@ -282,47 +266,12 @@ def log_error(msg, *attributes):
_common_log(msg, *attributes) _common_log(msg, *attributes)
def dump_threads_stackframe():
ident_to_name = {}
for thread_object in threading.enumerate():
ident_to_name[thread_object.ident] = thread_object
stacks = []
for thread_ident, frame in sys._current_frames().items():
stack = traceback.format_list(traceback.extract_stack(frame))
# There is a possibility that a thread gets created after we have
# enumerated all threads, so this lookup table may be incomplete, so
# account for this
if thread_ident in ident_to_name:
thread_name = ident_to_name[thread_ident].name
else:
thread_name = "unknown"
stacks.append("Thread: %s" % (thread_name))
stacks.append("".join(stack))
log_error("Dumping thread stack frames!\n" + "\n".join(stacks))
# noinspection PyUnusedLocal # noinspection PyUnusedLocal
def handler(signum): def handler(signum, frame):
try:
if signum == signal.SIGUSR1:
dump_threads_stackframe()
else:
cfg.run.value = 0 cfg.run.value = 0
log_debug('Exiting daemon with signal %d' % signum) log_debug('Signal handler called with signal %d' % signum)
if cfg.loop is not None: if cfg.loop is not None:
cfg.loop.quit() cfg.loop.quit()
except:
st = traceback.format_exc()
log_error("signal handler: exception (logged, not reported!) \n %s" % st)
# It's important we report that we handled the exception for the exception
# handler to continue to work, especially for signal 10 (SIGUSR1)
return True
def pv_obj_path_generate(): def pv_obj_path_generate():
@@ -533,115 +482,3 @@ def validate_tag(interface, tag):
raise dbus.exceptions.DBusException( raise dbus.exceptions.DBusException(
interface, 'tag (%s) contains invalid character, allowable set(%s)' interface, 'tag (%s) contains invalid character, allowable set(%s)'
% (tag, _ALLOWABLE_TAG_CH)) % (tag, _ALLOWABLE_TAG_CH))
def add_no_notify(cmdline):
"""
Given a command line to execute we will see if `--config` is present, if it
is we will add the global/notify_dbus=0 to it, otherwise we will append it
to the end of the list.
:param: cmdline: The command line to inspect
:type: cmdline: list
:return: cmdline with notify_dbus config option present
:rtype: list
"""
# Only after we have seen an external event will be disable lvm from sending
# us one when we call lvm
if cfg.got_external_event:
if 'help' in cmdline:
return cmdline
if '--config' in cmdline:
for i, arg in enumerate(cmdline):
if arg == '--config':
if len(cmdline) <= i+1:
raise dbus.exceptions.DBusException("Missing value for --config option.")
cmdline[i+1] += " global/notify_dbus=0"
break
else:
cmdline.extend(['--config', 'global/notify_dbus=0'])
return cmdline
# The methods below which start with mt_* are used to execute the desired code
# on the the main thread of execution to alleviate any issues the dbus-python
# library with regards to multi-threaded access. Essentially, we are trying to
# ensure all dbus library interaction is done from the same thread!
def _async_handler(call_back, parameters):
params_str = ", ".join(str(x) for x in parameters)
log_debug('Main thread execution, callback = %s, parameters = (%s)' %
(str(call_back), params_str))
try:
if parameters:
call_back(*parameters)
else:
call_back()
except:
st = traceback.format_exc()
log_error("mt_async_call: exception (logged, not reported!) \n %s" % st)
# Execute the function on the main thread with the provided parameters, do
# not return *any* value or wait for the execution to complete!
def mt_async_call(function_call_back, *parameters):
GLib.idle_add(_async_handler, function_call_back, parameters)
# Run the supplied function and arguments on the main thread and wait for them
# to complete while allowing the ability to get the return value too.
#
# Example:
# result = MThreadRunner(foo, arg1, arg2).done()
#
class MThreadRunner(object):
@staticmethod
def runner(obj):
# noinspection PyProtectedMember
obj._run()
with obj.cond:
obj.function_complete = True
obj.cond.notify_all()
def __init__(self, function, *args):
self.f = function
self.rc = None
self.exception = None
self.args = args
self.function_complete = False
self.cond = threading.Condition(threading.Lock())
def done(self):
GLib.idle_add(MThreadRunner.runner, self)
with self.cond:
if not self.function_complete:
self.cond.wait()
if self.exception:
raise self.exception
return self.rc
def _run(self):
try:
if self.args:
self.rc = self.f(*self.args)
else:
self.rc = self.f()
except BaseException as be:
self.exception = be
st = traceback.format_exc()
log_error("MThreadRunner: exception \n %s" % st)
log_error("Exception will be raised in calling thread!")
def _remove_objects(dbus_objects_rm):
for o in dbus_objects_rm:
cfg.om.remove_object(o, emit_signal=True)
# Remove dbus objects from main thread
def mt_remove_dbus_objects(objs):
MThreadRunner(_remove_objects, objs).done()

View File

@@ -19,7 +19,7 @@ from .request import RequestEntry
from .loader import common from .loader import common
from .state import State from .state import State
from . import background from . import background
from .utils import round_size, mt_remove_dbus_objects from .utils import round_size
from .job import JobState from .job import JobState
@@ -78,7 +78,7 @@ class VgState(State):
(pv_name, pv_uuid) = p (pv_name, pv_uuid) = p
rc.append(cfg.om.get_object_path_by_uuid_lvm_id( rc.append(cfg.om.get_object_path_by_uuid_lvm_id(
pv_uuid, pv_name, pv_obj_path_generate)) pv_uuid, pv_name, pv_obj_path_generate))
return rc return dbus.Array(rc, signature='o')
def __init__(self, Uuid, Name, Fmt, def __init__(self, Uuid, Name, Fmt,
SizeBytes, FreeBytes, SysId, ExtentSizeBytes, SizeBytes, FreeBytes, SysId, ExtentSizeBytes,
@@ -145,10 +145,17 @@ class Vg(AutomatedProperties):
@staticmethod @staticmethod
def fetch_new_lv(vg_name, lv_name): def fetch_new_lv(vg_name, lv_name):
return cfg.om.get_object_path_by_lvm_id("%s/%s" % (vg_name, lv_name)) cfg.load()
return cfg.om.get_object_by_lvm_id("%s/%s" % (vg_name, lv_name))
@staticmethod @staticmethod
def handle_execute(rc, out, err): def _rename(uuid, vg_name, new_name, rename_options):
# Make sure we have a dbus object representing it
dbo = cfg.om.get_object_by_uuid_lvm_id(uuid, vg_name)
if dbo:
rc, out, err = cmdhandler.vg_rename(vg_name, new_name,
rename_options)
if rc == 0: if rc == 0:
cfg.load() cfg.load()
else: else:
@@ -156,24 +163,11 @@ class Vg(AutomatedProperties):
raise dbus.exceptions.DBusException( raise dbus.exceptions.DBusException(
VG_INTERFACE, VG_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err)) 'Exit code %s, stderr = %s' % (str(rc), err))
else:
@staticmethod
def validate_dbus_object(vg_uuid, vg_name):
dbo = cfg.om.get_object_by_uuid_lvm_id(vg_uuid, vg_name)
if not dbo:
raise dbus.exceptions.DBusException( raise dbus.exceptions.DBusException(
VG_INTERFACE, VG_INTERFACE,
'VG with uuid %s and name %s not present!' % 'VG with uuid %s and name %s not present!' %
(vg_uuid, vg_name)) (uuid, vg_name))
return dbo
@staticmethod
def _rename(uuid, vg_name, new_name, rename_options):
# Make sure we have a dbus object representing it
Vg.validate_dbus_object(uuid, vg_name)
rc, out, err = cmdhandler.vg_rename(
vg_name, new_name, rename_options)
Vg.handle_execute(rc, out, err)
return '/' return '/'
@dbus.service.method( @dbus.service.method(
@@ -190,10 +184,31 @@ class Vg(AutomatedProperties):
@staticmethod @staticmethod
def _remove(uuid, vg_name, remove_options): def _remove(uuid, vg_name, remove_options):
# Make sure we have a dbus object representing it # Make sure we have a dbus object representing it
Vg.validate_dbus_object(uuid, vg_name) dbo = cfg.om.get_object_by_uuid_lvm_id(uuid, vg_name)
if dbo:
# Remove the VG, if successful then remove from the model # Remove the VG, if successful then remove from the model
rc, out, err = cmdhandler.vg_remove(vg_name, remove_options) rc, out, err = cmdhandler.vg_remove(vg_name, remove_options)
Vg.handle_execute(rc, out, err)
if rc == 0:
# Remove the VG
cfg.om.remove_object(dbo, True)
# If an LV has hidden LVs, things can get quite involved,
# especially if it's the last thin pool to get removed, so
# lets refresh all
cfg.load()
else:
# Need to work on error handling, need consistent
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'VG with uuid %s and name %s not present!' %
(uuid, vg_name))
return '/' return '/'
@dbus.service.method( @dbus.service.method(
@@ -208,9 +223,26 @@ class Vg(AutomatedProperties):
@staticmethod @staticmethod
def _change(uuid, vg_name, change_options): def _change(uuid, vg_name, change_options):
Vg.validate_dbus_object(uuid, vg_name) dbo = cfg.om.get_object_by_uuid_lvm_id(uuid, vg_name)
if dbo:
rc, out, err = cmdhandler.vg_change(change_options, vg_name) rc, out, err = cmdhandler.vg_change(change_options, vg_name)
Vg.handle_execute(rc, out, err)
# To use an example with d-feet (Method input)
# {"activate": __import__('gi.repository.GLib', globals(),
# locals(), ['Variant']).Variant("s", "n")}
if rc == 0:
cfg.load()
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'VG with uuid %s and name %s not present!' %
(uuid, vg_name))
return '/' return '/'
# TODO: This should be broken into a number of different methods # TODO: This should be broken into a number of different methods
@@ -231,8 +263,9 @@ class Vg(AutomatedProperties):
@staticmethod @staticmethod
def _reduce(uuid, vg_name, missing, pv_object_paths, reduce_options): def _reduce(uuid, vg_name, missing, pv_object_paths, reduce_options):
# Make sure we have a dbus object representing it # Make sure we have a dbus object representing it
Vg.validate_dbus_object(uuid, vg_name) dbo = cfg.om.get_object_by_uuid_lvm_id(uuid, vg_name)
if dbo:
pv_devices = [] pv_devices = []
# If pv_object_paths is not empty, then get the device paths # If pv_object_paths is not empty, then get the device paths
@@ -248,7 +281,16 @@ class Vg(AutomatedProperties):
rc, out, err = cmdhandler.vg_reduce(vg_name, missing, pv_devices, rc, out, err = cmdhandler.vg_reduce(vg_name, missing, pv_devices,
reduce_options) reduce_options)
Vg.handle_execute(rc, out, err) if rc == 0:
cfg.load()
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE, 'Exit code %s, stderr = %s' % (str(rc), err))
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'VG with uuid %s and name %s not present!' %
(uuid, vg_name))
return '/' return '/'
@dbus.service.method( @dbus.service.method(
@@ -265,8 +307,9 @@ class Vg(AutomatedProperties):
@staticmethod @staticmethod
def _extend(uuid, vg_name, pv_object_paths, extend_options): def _extend(uuid, vg_name, pv_object_paths, extend_options):
# Make sure we have a dbus object representing it # Make sure we have a dbus object representing it
Vg.validate_dbus_object(uuid, vg_name) dbo = cfg.om.get_object_by_uuid_lvm_id(uuid, vg_name)
if dbo:
extend_devices = [] extend_devices = []
for i in pv_object_paths: for i in pv_object_paths:
@@ -280,11 +323,20 @@ class Vg(AutomatedProperties):
if len(extend_devices): if len(extend_devices):
rc, out, err = cmdhandler.vg_extend(vg_name, extend_devices, rc, out, err = cmdhandler.vg_extend(vg_name, extend_devices,
extend_options) extend_options)
Vg.handle_execute(rc, out, err) if rc == 0:
cfg.load()
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
else: else:
raise dbus.exceptions.DBusException( raise dbus.exceptions.DBusException(
VG_INTERFACE, 'No pv_object_paths provided!') VG_INTERFACE, 'No pv_object_paths provided!')
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'VG with uuid %s and name %s not present!' %
(uuid, vg_name))
return '/' return '/'
@dbus.service.method( @dbus.service.method(
@@ -321,9 +373,9 @@ class Vg(AutomatedProperties):
create_options): create_options):
# Make sure we have a dbus object representing it # Make sure we have a dbus object representing it
pv_dests = [] pv_dests = []
dbo = cfg.om.get_object_by_uuid_lvm_id(uuid, vg_name)
Vg.validate_dbus_object(uuid, vg_name) if dbo:
if len(pv_dests_and_ranges): if len(pv_dests_and_ranges):
for pr in pv_dests_and_ranges: for pr in pv_dests_and_ranges:
pv_dbus_obj = cfg.om.get_object_by_path(pr[0]) pv_dbus_obj = cfg.om.get_object_by_path(pr[0])
@@ -337,8 +389,17 @@ class Vg(AutomatedProperties):
rc, out, err = cmdhandler.vg_lv_create( rc, out, err = cmdhandler.vg_lv_create(
vg_name, create_options, name, size_bytes, pv_dests) vg_name, create_options, name, size_bytes, pv_dests)
Vg.handle_execute(rc, out, err) if rc == 0:
return Vg.fetch_new_lv(vg_name, name) return Vg.fetch_new_lv(vg_name, name)
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'VG with uuid %s and name %s not present!' %
(uuid, vg_name))
@dbus.service.method( @dbus.service.method(
dbus_interface=VG_INTERFACE, dbus_interface=VG_INTERFACE,
@@ -374,13 +435,25 @@ class Vg(AutomatedProperties):
def _lv_create_linear(uuid, vg_name, name, size_bytes, def _lv_create_linear(uuid, vg_name, name, size_bytes,
thin_pool, create_options): thin_pool, create_options):
# Make sure we have a dbus object representing it # Make sure we have a dbus object representing it
Vg.validate_dbus_object(uuid, vg_name) dbo = cfg.om.get_object_by_uuid_lvm_id(uuid, vg_name)
if dbo:
rc, out, err = cmdhandler.vg_lv_create_linear( rc, out, err = cmdhandler.vg_lv_create_linear(
vg_name, create_options, name, size_bytes, thin_pool) vg_name, create_options, name, size_bytes, thin_pool)
Vg.handle_execute(rc, out, err) if rc == 0:
return Vg.fetch_new_lv(vg_name, name) created_lv = Vg.fetch_new_lv(vg_name, name)
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'VG with uuid %s and name %s not present!' %
(uuid, vg_name))
return created_lv
@dbus.service.method( @dbus.service.method(
dbus_interface=VG_INTERFACE, dbus_interface=VG_INTERFACE,
@@ -400,12 +473,24 @@ class Vg(AutomatedProperties):
def _lv_create_striped(uuid, vg_name, name, size_bytes, num_stripes, def _lv_create_striped(uuid, vg_name, name, size_bytes, num_stripes,
stripe_size_kb, thin_pool, create_options): stripe_size_kb, thin_pool, create_options):
# Make sure we have a dbus object representing it # Make sure we have a dbus object representing it
Vg.validate_dbus_object(uuid, vg_name) dbo = cfg.om.get_object_by_uuid_lvm_id(uuid, vg_name)
if dbo:
rc, out, err = cmdhandler.vg_lv_create_striped( rc, out, err = cmdhandler.vg_lv_create_striped(
vg_name, create_options, name, size_bytes, vg_name, create_options, name, size_bytes,
num_stripes, stripe_size_kb, thin_pool) num_stripes, stripe_size_kb, thin_pool)
Vg.handle_execute(rc, out, err) if rc == 0:
return Vg.fetch_new_lv(vg_name, name) created_lv = Vg.fetch_new_lv(vg_name, name)
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE, 'VG with uuid %s and name %s not present!' %
(uuid, vg_name))
return created_lv
@dbus.service.method( @dbus.service.method(
dbus_interface=VG_INTERFACE, dbus_interface=VG_INTERFACE,
@@ -428,11 +513,25 @@ class Vg(AutomatedProperties):
def _lv_create_mirror(uuid, vg_name, name, size_bytes, def _lv_create_mirror(uuid, vg_name, name, size_bytes,
num_copies, create_options): num_copies, create_options):
# Make sure we have a dbus object representing it # Make sure we have a dbus object representing it
Vg.validate_dbus_object(uuid, vg_name) dbo = cfg.om.get_object_by_uuid_lvm_id(uuid, vg_name)
if dbo:
rc, out, err = cmdhandler.vg_lv_create_mirror( rc, out, err = cmdhandler.vg_lv_create_mirror(
vg_name, create_options, name, size_bytes, num_copies) vg_name, create_options, name, size_bytes, num_copies)
Vg.handle_execute(rc, out, err) if rc == 0:
return Vg.fetch_new_lv(vg_name, name) created_lv = Vg.fetch_new_lv(vg_name, name)
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'VG with uuid %s and name %s not present!' %
(uuid, vg_name))
return created_lv
@dbus.service.method( @dbus.service.method(
dbus_interface=VG_INTERFACE, dbus_interface=VG_INTERFACE,
@@ -453,12 +552,26 @@ class Vg(AutomatedProperties):
def _lv_create_raid(uuid, vg_name, name, raid_type, size_bytes, def _lv_create_raid(uuid, vg_name, name, raid_type, size_bytes,
num_stripes, stripe_size_kb, create_options): num_stripes, stripe_size_kb, create_options):
# Make sure we have a dbus object representing it # Make sure we have a dbus object representing it
Vg.validate_dbus_object(uuid, vg_name) dbo = cfg.om.get_object_by_uuid_lvm_id(uuid, vg_name)
if dbo:
rc, out, err = cmdhandler.vg_lv_create_raid( rc, out, err = cmdhandler.vg_lv_create_raid(
vg_name, create_options, name, raid_type, size_bytes, vg_name, create_options, name, raid_type, size_bytes,
num_stripes, stripe_size_kb) num_stripes, stripe_size_kb)
Vg.handle_execute(rc, out, err) if rc == 0:
return Vg.fetch_new_lv(vg_name, name) created_lv = Vg.fetch_new_lv(vg_name, name)
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'VG with uuid %s and name %s not present!' %
(uuid, vg_name))
return created_lv
@dbus.service.method( @dbus.service.method(
dbus_interface=VG_INTERFACE, dbus_interface=VG_INTERFACE,
@@ -479,27 +592,35 @@ class Vg(AutomatedProperties):
def _create_pool(uuid, vg_name, meta_data_lv, data_lv, def _create_pool(uuid, vg_name, meta_data_lv, data_lv,
create_options, create_method): create_options, create_method):
# Make sure we have a dbus object representing it # Make sure we have a dbus object representing it
Vg.validate_dbus_object(uuid, vg_name) dbo = cfg.om.get_object_by_uuid_lvm_id(uuid, vg_name)
# Retrieve the full names for the metadata and data lv # Retrieve the full names for the metadata and data lv
md = cfg.om.get_object_by_path(meta_data_lv) md = cfg.om.get_object_by_path(meta_data_lv)
data = cfg.om.get_object_by_path(data_lv) data = cfg.om.get_object_by_path(data_lv)
if md and data: if dbo and md and data:
new_name = data.Name new_name = data.Name
rc, out, err = create_method( rc, out, err = create_method(
md.lv_full_name(), data.lv_full_name(), create_options) md.lv_full_name(), data.lv_full_name(), create_options)
if rc == 0: if rc == 0:
mt_remove_dbus_objects((md, data)) cfg.om.remove_object(md, emit_signal=True)
cfg.om.remove_object(data, emit_signal=True)
Vg.handle_execute(rc, out, err) cache_pool_lv = Vg.fetch_new_lv(vg_name, new_name)
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
else: else:
msg = "" msg = ""
if not dbo:
msg += 'VG with uuid %s and name %s not present!' % \
(uuid, vg_name)
if not md: if not md:
msg += 'Meta data LV with object path %s not present!' % \ msg += 'Meta data LV with object path %s not present!' % \
(meta_data_lv) (meta_data_lv)
@@ -510,7 +631,7 @@ class Vg(AutomatedProperties):
raise dbus.exceptions.DBusException(VG_INTERFACE, msg) raise dbus.exceptions.DBusException(VG_INTERFACE, msg)
return Vg.fetch_new_lv(vg_name, new_name) return cache_pool_lv
@dbus.service.method( @dbus.service.method(
dbus_interface=VG_INTERFACE, dbus_interface=VG_INTERFACE,
@@ -544,8 +665,9 @@ class Vg(AutomatedProperties):
pv_devices = [] pv_devices = []
# Make sure we have a dbus object representing it # Make sure we have a dbus object representing it
Vg.validate_dbus_object(uuid, vg_name) dbo = cfg.om.get_object_by_uuid_lvm_id(uuid, vg_name)
if dbo:
# Check for existence of pv object paths # Check for existence of pv object paths
for p in pv_object_paths: for p in pv_object_paths:
pv = cfg.om.get_object_by_path(p) pv = cfg.om.get_object_by_path(p)
@@ -557,8 +679,19 @@ class Vg(AutomatedProperties):
rc, out, err = cmdhandler.pv_tag( rc, out, err = cmdhandler.pv_tag(
pv_devices, tags_add, tags_del, tag_options) pv_devices, tags_add, tags_del, tag_options)
Vg.handle_execute(rc, out, err) if rc == 0:
cfg.load()
return '/' return '/'
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'VG with uuid %s and name %s not present!' %
(uuid, vg_name))
@dbus.service.method( @dbus.service.method(
dbus_interface=VG_INTERFACE, dbus_interface=VG_INTERFACE,
@@ -596,12 +729,25 @@ class Vg(AutomatedProperties):
@staticmethod @staticmethod
def _vg_add_rm_tags(uuid, vg_name, tags_add, tags_del, tag_options): def _vg_add_rm_tags(uuid, vg_name, tags_add, tags_del, tag_options):
# Make sure we have a dbus object representing it # Make sure we have a dbus object representing it
Vg.validate_dbus_object(uuid, vg_name) dbo = cfg.om.get_object_by_uuid_lvm_id(uuid, vg_name)
if dbo:
rc, out, err = cmdhandler.vg_tag( rc, out, err = cmdhandler.vg_tag(
vg_name, tags_add, tags_del, tag_options) vg_name, tags_add, tags_del, tag_options)
Vg.handle_execute(rc, out, err) if rc == 0:
dbo.refresh()
return '/' return '/'
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'VG with uuid %s and name %s not present!' %
(uuid, vg_name))
@dbus.service.method( @dbus.service.method(
dbus_interface=VG_INTERFACE, dbus_interface=VG_INTERFACE,
@@ -638,10 +784,23 @@ class Vg(AutomatedProperties):
@staticmethod @staticmethod
def _vg_change_set(uuid, vg_name, method, value, options): def _vg_change_set(uuid, vg_name, method, value, options):
# Make sure we have a dbus object representing it # Make sure we have a dbus object representing it
Vg.validate_dbus_object(uuid, vg_name) dbo = cfg.om.get_object_by_uuid_lvm_id(uuid, vg_name)
if dbo:
rc, out, err = method(vg_name, value, options) rc, out, err = method(vg_name, value, options)
Vg.handle_execute(rc, out, err) if rc == 0:
dbo.refresh()
return '/' return '/'
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'VG with uuid %s and name %s not present!' %
(uuid, vg_name))
@dbus.service.method( @dbus.service.method(
dbus_interface=VG_INTERFACE, dbus_interface=VG_INTERFACE,
@@ -681,7 +840,9 @@ class Vg(AutomatedProperties):
cfg.worker_q.put(r) cfg.worker_q.put(r)
def _attribute(self, pos, ch): def _attribute(self, pos, ch):
return dbus.Boolean(self.state.attr[pos] == ch) if self.state.attr[pos] == ch:
return True
return False
@dbus.service.method( @dbus.service.method(
dbus_interface=VG_INTERFACE, dbus_interface=VG_INTERFACE,
@@ -699,11 +860,23 @@ class Vg(AutomatedProperties):
def _vg_activate_deactivate(uuid, vg_name, activate, control_flags, def _vg_activate_deactivate(uuid, vg_name, activate, control_flags,
options): options):
# Make sure we have a dbus object representing it # Make sure we have a dbus object representing it
Vg.validate_dbus_object(uuid, vg_name) dbo = cfg.om.get_object_by_uuid_lvm_id(uuid, vg_name)
if dbo:
rc, out, err = cmdhandler.activate_deactivate( rc, out, err = cmdhandler.activate_deactivate(
'vgchange', vg_name, activate, control_flags, options) 'vgchange', vg_name, activate, control_flags, options)
Vg.handle_execute(rc, out, err) if rc == 0:
cfg.load()
return '/' return '/'
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'Exit code %s, stderr = %s' % (str(rc), err))
else:
raise dbus.exceptions.DBusException(
VG_INTERFACE,
'VG with uuid %s and name %s not present!' %
(uuid, vg_name))
@dbus.service.method( @dbus.service.method(
dbus_interface=VG_INTERFACE, dbus_interface=VG_INTERFACE,
@@ -735,11 +908,11 @@ class Vg(AutomatedProperties):
@property @property
def Pvs(self): def Pvs(self):
return dbus.Array(self.state.Pvs, signature='o') return self.state.Pvs
@property @property
def Lvs(self): def Lvs(self):
return dbus.Array(self.state.Lvs, signature='o') return self.state.Lvs
@property @property
def lvm_id(self): def lvm_id(self):

View File

@@ -16,7 +16,7 @@ top_srcdir = @top_srcdir@
top_builddir = @top_builddir@ top_builddir = @top_builddir@
SOURCES = lvmetad-core.c SOURCES = lvmetad-core.c
SOURCES2 = lvmetactl.c SOURCES2 = testclient.c
TARGETS = lvmetad lvmetactl TARGETS = lvmetad lvmetactl
@@ -28,19 +28,22 @@ CFLOW_TARGET = lvmetad
include $(top_builddir)/make.tmpl include $(top_builddir)/make.tmpl
CFLAGS_lvmetactl.o += $(EXTRA_EXEC_CFLAGS)
CFLAGS_lvmetad-core.o += $(EXTRA_EXEC_CFLAGS)
INCLUDES += -I$(top_srcdir)/libdaemon/server INCLUDES += -I$(top_srcdir)/libdaemon/server
LDFLAGS += -L$(top_builddir)/libdaemon/server $(EXTRA_EXEC_LDFLAGS) $(ELDFLAGS) LVMLIBS = -ldaemonserver $(LVMINTERNAL_LIBS) -ldevmapper
LIBS += $(RT_LIBS) $(DAEMON_LIBS) -ldevmapper $(PTHREAD_LIBS)
LIBS += $(PTHREAD_LIBS)
LDFLAGS += -L$(top_builddir)/libdaemon/server $(EXTRA_EXEC_LDFLAGS)
CLDFLAGS += -L$(top_builddir)/libdaemon/server
CFLAGS += $(EXTRA_EXEC_CFLAGS)
lvmetad: $(OBJECTS) $(top_builddir)/libdaemon/client/libdaemonclient.a \ lvmetad: $(OBJECTS) $(top_builddir)/libdaemon/client/libdaemonclient.a \
$(top_builddir)/libdaemon/server/libdaemonserver.a $(top_builddir)/libdaemon/server/libdaemonserver.a
$(CC) $(CFLAGS) $(LDFLAGS) -o $@ $(OBJECTS) -ldaemonserver $(LIBS) $(CC) $(CFLAGS) $(LDFLAGS) -o $@ $(OBJECTS) $(LVMLIBS) $(LIBS)
lvmetactl: lvmetactl.o $(top_builddir)/libdaemon/client/libdaemonclient.a \ lvmetactl: lvmetactl.o $(top_builddir)/libdaemon/client/libdaemonclient.a \
$(top_builddir)/libdaemon/server/libdaemonserver.a $(top_builddir)/libdaemon/server/libdaemonserver.a
$(CC) $(CFLAGS) $(LDFLAGS) -o $@ lvmetactl.o $(LIBS) $(CC) $(CFLAGS) $(LDFLAGS) -o $@ lvmetactl.o $(LVMLIBS)
CLEAN_TARGETS += lvmetactl.o CLEAN_TARGETS += lvmetactl.o

View File

@@ -25,7 +25,6 @@
#define LVMETAD_DISABLE_REASON_LVM1 "LVM1" #define LVMETAD_DISABLE_REASON_LVM1 "LVM1"
#define LVMETAD_DISABLE_REASON_DUPLICATES "DUPLICATES" #define LVMETAD_DISABLE_REASON_DUPLICATES "DUPLICATES"
#define LVMETAD_DISABLE_REASON_VGRESTORE "VGRESTORE" #define LVMETAD_DISABLE_REASON_VGRESTORE "VGRESTORE"
#define LVMETAD_DISABLE_REASON_REPAIR "REPAIR"
struct volume_group; struct volume_group;

View File

@@ -203,9 +203,8 @@ struct vg_info {
#define GLFL_DISABLE_REASON_LVM1 0x00000008 #define GLFL_DISABLE_REASON_LVM1 0x00000008
#define GLFL_DISABLE_REASON_DUPLICATES 0x00000010 #define GLFL_DISABLE_REASON_DUPLICATES 0x00000010
#define GLFL_DISABLE_REASON_VGRESTORE 0x00000020 #define GLFL_DISABLE_REASON_VGRESTORE 0x00000020
#define GLFL_DISABLE_REASON_REPAIR 0x00000040
#define GLFL_DISABLE_REASON_ALL (GLFL_DISABLE_REASON_DIRECT | GLFL_DISABLE_REASON_REPAIR | GLFL_DISABLE_REASON_LVM1 | GLFL_DISABLE_REASON_DUPLICATES | GLFL_DISABLE_REASON_VGRESTORE) #define GLFL_DISABLE_REASON_ALL (GLFL_DISABLE_REASON_DIRECT | GLFL_DISABLE_REASON_LVM1 | GLFL_DISABLE_REASON_DUPLICATES | GLFL_DISABLE_REASON_VGRESTORE)
#define VGFL_INVALID 0x00000001 #define VGFL_INVALID 0x00000001
@@ -258,21 +257,6 @@ static void destroy_metadata_hashes(lvmetad_state *s)
dm_hash_iterate(n, s->pvid_to_pvmeta) dm_hash_iterate(n, s->pvid_to_pvmeta)
dm_config_destroy(dm_hash_get_data(s->pvid_to_pvmeta, n)); dm_config_destroy(dm_hash_get_data(s->pvid_to_pvmeta, n));
dm_hash_iterate(n, s->vgid_to_vgname)
dm_free(dm_hash_get_data(s->vgid_to_vgname, n));
dm_hash_iterate(n, s->vgname_to_vgid)
dm_free(dm_hash_get_data(s->vgname_to_vgid, n));
dm_hash_iterate(n, s->vgid_to_info)
dm_free(dm_hash_get_data(s->vgid_to_info, n));
dm_hash_iterate(n, s->device_to_pvid)
dm_free(dm_hash_get_data(s->device_to_pvid, n));
dm_hash_iterate(n, s->pvid_to_vgid)
dm_free(dm_hash_get_data(s->pvid_to_vgid, n));
dm_hash_destroy(s->pvid_to_pvmeta); dm_hash_destroy(s->pvid_to_pvmeta);
dm_hash_destroy(s->vgid_to_metadata); dm_hash_destroy(s->vgid_to_metadata);
dm_hash_destroy(s->vgid_to_vgname); dm_hash_destroy(s->vgid_to_vgname);
@@ -615,7 +599,7 @@ static void mark_outdated_pv(lvmetad_state *s, const char *vgid, const char *pvi
outdated_pvs = dm_hash_lookup(s->vgid_to_outdated_pvs, vgid); outdated_pvs = dm_hash_lookup(s->vgid_to_outdated_pvs, vgid);
if (!outdated_pvs) { if (!outdated_pvs) {
if (!(outdated_pvs = config_tree_from_string_without_dup_node_check("outdated_pvs/pv_list = []")) || if (!(outdated_pvs = dm_config_from_string("outdated_pvs/pv_list = []")) ||
!(cft_vgid = make_text_node(outdated_pvs, "vgid", dm_pool_strdup(outdated_pvs->mem, vgid), !(cft_vgid = make_text_node(outdated_pvs, "vgid", dm_pool_strdup(outdated_pvs->mem, vgid),
outdated_pvs->root, NULL))) outdated_pvs->root, NULL)))
abort(); abort();
@@ -808,8 +792,7 @@ static int _update_pvid_to_vgid(lvmetad_state *s, struct dm_config_tree *vg,
if ((mode == REMOVE_EMPTY) && vgid_old) { if ((mode == REMOVE_EMPTY) && vgid_old) {
/* This copies the vgid_old string, doesn't reference it. */ /* This copies the vgid_old string, doesn't reference it. */
if ((dm_hash_lookup(to_check, vgid_old) != (void*) 1) && if (!dm_hash_insert(to_check, vgid_old, (void*) 1)) {
!dm_hash_insert(to_check, vgid_old, (void*) 1)) {
ERROR(s, "update_pvid_to_vgid out of memory for hash insert vgid_old %s", vgid_old); ERROR(s, "update_pvid_to_vgid out of memory for hash insert vgid_old %s", vgid_old);
goto abort_daemon; goto abort_daemon;
} }
@@ -885,12 +868,15 @@ static int remove_metadata(lvmetad_state *s, const char *vgid, int update_pvids)
/* free the unmapped data */ /* free the unmapped data */
if (info_lookup)
dm_free(info_lookup);
if (meta_lookup) if (meta_lookup)
dm_config_destroy(meta_lookup); dm_config_destroy(meta_lookup);
if (name_lookup)
dm_free(name_lookup);
if (outdated_pvs_lookup) if (outdated_pvs_lookup)
dm_config_destroy(outdated_pvs_lookup); dm_config_destroy(outdated_pvs_lookup);
dm_free(info_lookup); if (vgid_lookup)
dm_free(name_lookup);
dm_free(vgid_lookup); dm_free(vgid_lookup);
return 1; return 1;
} }
@@ -1218,7 +1204,9 @@ static int _update_metadata_add_new(lvmetad_state *s, const char *new_name, cons
out: out:
out_free: out_free:
if (!new_name_dup || !new_vgid_dup || abort_daemon) { if (!new_name_dup || !new_vgid_dup || abort_daemon) {
if (new_name_dup)
dm_free(new_name_dup); dm_free(new_name_dup);
if (new_vgid_dup)
dm_free(new_vgid_dup); dm_free(new_vgid_dup);
ERROR(s, "lvmetad could not be updated and is aborting."); ERROR(s, "lvmetad could not be updated and is aborting.");
exit(EXIT_FAILURE); exit(EXIT_FAILURE);
@@ -1261,8 +1249,8 @@ static int _update_metadata(lvmetad_state *s, const char *arg_name, const char *
const char *old_vgid = NULL; const char *old_vgid = NULL;
const char *new_vgid = NULL; const char *new_vgid = NULL;
const char *new_metadata_vgid; const char *new_metadata_vgid;
int new_seq;
int old_seq = -1; int old_seq = -1;
int new_seq = -1;
int needs_repair = 0; int needs_repair = 0;
int abort_daemon = 0; int abort_daemon = 0;
int retval = 0; int retval = 0;
@@ -1809,6 +1797,7 @@ static response pv_gone(lvmetad_state *s, request r)
} }
dm_config_destroy(pvmeta); dm_config_destroy(pvmeta);
if (old_pvid)
dm_free(old_pvid); dm_free(old_pvid);
return daemon_reply_simple("OK", NULL ); return daemon_reply_simple("OK", NULL );
@@ -1922,7 +1911,7 @@ static response pv_found(lvmetad_state *s, request r)
const char *arg_pvid = NULL; const char *arg_pvid = NULL;
const char *arg_pvid_lookup = NULL; const char *arg_pvid_lookup = NULL;
const char *new_pvid = NULL; const char *new_pvid = NULL;
char *new_pvid_dup = NULL; const char *new_pvid_dup = NULL;
const char *arg_name = NULL; const char *arg_name = NULL;
const char *arg_vgid = NULL; const char *arg_vgid = NULL;
const char *arg_vgid_lookup = NULL; const char *arg_vgid_lookup = NULL;
@@ -2085,7 +2074,7 @@ static response pv_found(lvmetad_state *s, request r)
if (!(new_pvid_dup = dm_strdup(new_pvid))) if (!(new_pvid_dup = dm_strdup(new_pvid)))
goto nomem_free1; goto nomem_free1;
if (!dm_hash_insert_binary(s->device_to_pvid, &new_device, sizeof(new_device), new_pvid_dup)) if (!dm_hash_insert_binary(s->device_to_pvid, &new_device, sizeof(new_device), (char *)new_pvid_dup))
goto nomem_free2; goto nomem_free2;
if (!dm_hash_insert(s->pvid_to_pvmeta, new_pvid, new_pvmeta)) if (!dm_hash_insert(s->pvid_to_pvmeta, new_pvid, new_pvmeta))
@@ -2121,8 +2110,6 @@ static response pv_found(lvmetad_state *s, request r)
DEBUGLOG(s, "pv_found ignore duplicate device %" PRIu64 " of existing PV for pvid %s", DEBUGLOG(s, "pv_found ignore duplicate device %" PRIu64 " of existing PV for pvid %s",
arg_device, arg_pvid); arg_device, arg_pvid);
dm_config_destroy(new_pvmeta); dm_config_destroy(new_pvmeta);
/* device_to_pvid no longer references prev_pvid_lookup */
dm_free((void*)prev_pvid_on_dev);
s->flags |= GLFL_DISABLE; s->flags |= GLFL_DISABLE;
s->flags |= GLFL_DISABLE_REASON_DUPLICATES; s->flags |= GLFL_DISABLE_REASON_DUPLICATES;
return reply_fail("Ignore duplicate PV"); return reply_fail("Ignore duplicate PV");
@@ -2133,7 +2120,7 @@ static response pv_found(lvmetad_state *s, request r)
if (!(new_pvid_dup = dm_strdup(new_pvid))) if (!(new_pvid_dup = dm_strdup(new_pvid)))
goto nomem_free1; goto nomem_free1;
if (!dm_hash_insert_binary(s->device_to_pvid, &arg_device, sizeof(arg_device), new_pvid_dup)) if (!dm_hash_insert_binary(s->device_to_pvid, &arg_device, sizeof(arg_device), (char *)new_pvid_dup))
goto nomem_free2; goto nomem_free2;
if (!dm_hash_insert(s->pvid_to_pvmeta, new_pvid, new_pvmeta)) if (!dm_hash_insert(s->pvid_to_pvmeta, new_pvid, new_pvmeta))
@@ -2233,6 +2220,7 @@ static response pv_found(lvmetad_state *s, request r)
} }
/* This was unhashed from device_to_pvid above. */ /* This was unhashed from device_to_pvid above. */
if (prev_pvid_on_dev)
dm_free((void *)prev_pvid_on_dev); dm_free((void *)prev_pvid_on_dev);
return daemon_reply_simple("OK", return daemon_reply_simple("OK",
@@ -2245,7 +2233,7 @@ static response pv_found(lvmetad_state *s, request r)
NULL); NULL);
nomem_free2: nomem_free2:
dm_free(new_pvid_dup); dm_free((char *)new_pvid_dup);
nomem_free1: nomem_free1:
dm_config_destroy(new_pvmeta); dm_config_destroy(new_pvmeta);
nomem: nomem:
@@ -2367,8 +2355,6 @@ static response set_global_info(lvmetad_state *s, request r)
if ((reason = daemon_request_str(r, "disable_reason", NULL))) { if ((reason = daemon_request_str(r, "disable_reason", NULL))) {
if (strstr(reason, LVMETAD_DISABLE_REASON_DIRECT)) if (strstr(reason, LVMETAD_DISABLE_REASON_DIRECT))
reason_flags |= GLFL_DISABLE_REASON_DIRECT; reason_flags |= GLFL_DISABLE_REASON_DIRECT;
if (strstr(reason, LVMETAD_DISABLE_REASON_REPAIR))
reason_flags |= GLFL_DISABLE_REASON_REPAIR;
if (strstr(reason, LVMETAD_DISABLE_REASON_LVM1)) if (strstr(reason, LVMETAD_DISABLE_REASON_LVM1))
reason_flags |= GLFL_DISABLE_REASON_LVM1; reason_flags |= GLFL_DISABLE_REASON_LVM1;
if (strstr(reason, LVMETAD_DISABLE_REASON_DUPLICATES)) if (strstr(reason, LVMETAD_DISABLE_REASON_DUPLICATES))
@@ -2432,9 +2418,8 @@ static response get_global_info(lvmetad_state *s, request r)
pid = (int)daemon_request_int(r, "pid", 0); pid = (int)daemon_request_int(r, "pid", 0);
if (s->flags & GLFL_DISABLE) { if (s->flags & GLFL_DISABLE) {
snprintf(reason, REASON_BUF_SIZE - 1, "%s%s%s%s%s", snprintf(reason, REASON_BUF_SIZE - 1, "%s%s%s%s",
(s->flags & GLFL_DISABLE_REASON_DIRECT) ? LVMETAD_DISABLE_REASON_DIRECT "," : "", (s->flags & GLFL_DISABLE_REASON_DIRECT) ? LVMETAD_DISABLE_REASON_DIRECT "," : "",
(s->flags & GLFL_DISABLE_REASON_REPAIR) ? LVMETAD_DISABLE_REASON_REPAIR "," : "",
(s->flags & GLFL_DISABLE_REASON_LVM1) ? LVMETAD_DISABLE_REASON_LVM1 "," : "", (s->flags & GLFL_DISABLE_REASON_LVM1) ? LVMETAD_DISABLE_REASON_LVM1 "," : "",
(s->flags & GLFL_DISABLE_REASON_DUPLICATES) ? LVMETAD_DISABLE_REASON_DUPLICATES "," : "", (s->flags & GLFL_DISABLE_REASON_DUPLICATES) ? LVMETAD_DISABLE_REASON_DUPLICATES "," : "",
(s->flags & GLFL_DISABLE_REASON_VGRESTORE) ? LVMETAD_DISABLE_REASON_VGRESTORE "," : ""); (s->flags & GLFL_DISABLE_REASON_VGRESTORE) ? LVMETAD_DISABLE_REASON_VGRESTORE "," : "");
@@ -2572,12 +2557,14 @@ static void _dump_pairs(struct buffer *buf, struct dm_hash_table *ht, const char
dm_hash_iterate(n, ht) { dm_hash_iterate(n, ht) {
const char *key = dm_hash_get_key(ht, n), const char *key = dm_hash_get_key(ht, n),
*val = dm_hash_get_data(ht, n); *val = dm_hash_get_data(ht, n);
buffer_append(buf, " ");
if (int_key) if (int_key)
(void) dm_asprintf(&append, " %d = \"%s\"\n", *(const int*)key, val); (void) dm_asprintf(&append, "%d = \"%s\"", *(const int*)key, val);
else else
(void) dm_asprintf(&append, " %s = \"%s\"\n", key, val); (void) dm_asprintf(&append, "%s = \"%s\"", key, val);
if (append) if (append)
buffer_append(buf, append); buffer_append(buf, append);
buffer_append(buf, "\n");
dm_free(append); dm_free(append);
} }
buffer_append(buf, "}\n"); buffer_append(buf, "}\n");
@@ -2595,9 +2582,11 @@ static void _dump_info_version(struct buffer *buf, struct dm_hash_table *ht, con
while (n) { while (n) {
const char *key = dm_hash_get_key(ht, n); const char *key = dm_hash_get_key(ht, n);
info = dm_hash_get_data(ht, n); info = dm_hash_get_data(ht, n);
(void) dm_asprintf(&append, " %s = %lld\n", key, (long long)info->external_version); buffer_append(buf, " ");
(void) dm_asprintf(&append, "%s = %lld", key, (long long)info->external_version);
if (append) if (append)
buffer_append(buf, append); buffer_append(buf, append);
buffer_append(buf, "\n");
dm_free(append); dm_free(append);
n = dm_hash_get_next(ht, n); n = dm_hash_get_next(ht, n);
} }
@@ -2616,9 +2605,11 @@ static void _dump_info_flags(struct buffer *buf, struct dm_hash_table *ht, const
while (n) { while (n) {
const char *key = dm_hash_get_key(ht, n); const char *key = dm_hash_get_key(ht, n);
info = dm_hash_get_data(ht, n); info = dm_hash_get_data(ht, n);
(void) dm_asprintf(&append, " %s = %llx\n", key, (long long)info->flags); buffer_append(buf, " ");
(void) dm_asprintf(&append, "%s = %llx", key, (long long)info->flags);
if (append) if (append)
buffer_append(buf, append); buffer_append(buf, append);
buffer_append(buf, "\n");
dm_free(append); dm_free(append);
n = dm_hash_get_next(ht, n); n = dm_hash_get_next(ht, n);
} }
@@ -2754,8 +2745,7 @@ static response handler(daemon_state s, client_handle h, request r)
"expected = %s", state->token, "expected = %s", state->token,
"received = %s", token, "received = %s", token,
"update_pid = " FMTd64, (int64_t)state->update_pid, "update_pid = " FMTd64, (int64_t)state->update_pid,
"reason = %s", "another command has populated the cache", "reason = %s", "another command has populated the cache");
NULL);
} }
DEBUGLOG(state, "token_update end len %d pid %d new token %s", DEBUGLOG(state, "token_update end len %d pid %d new token %s",
@@ -2788,8 +2778,7 @@ static response handler(daemon_state s, client_handle h, request r)
"expected = %s", state->token, "expected = %s", state->token,
"received = %s", token, "received = %s", token,
"update_pid = " FMTd64, (int64_t)state->update_pid, "update_pid = " FMTd64, (int64_t)state->update_pid,
"reason = %s", "another command has populated the cache", "reason = %s", "another command has populated the cache");
NULL);
} }
/* If a pid doing update was cancelled, ignore its update messages. */ /* If a pid doing update was cancelled, ignore its update messages. */
@@ -2804,8 +2793,7 @@ static response handler(daemon_state s, client_handle h, request r)
"expected = %s", state->token, "expected = %s", state->token,
"received = %s", token, "received = %s", token,
"update_pid = " FMTd64, (int64_t)state->update_pid, "update_pid = " FMTd64, (int64_t)state->update_pid,
"reason = %s", "another command has populated the lvmetad cache", "reason = %s", "another command has populated the lvmetad cache");
NULL);
} }
pthread_mutex_unlock(&state->token_lock); pthread_mutex_unlock(&state->token_lock);

View File

@@ -19,12 +19,10 @@ SOURCES = lvmlockd-core.c
ifeq ("@BUILD_LOCKDSANLOCK@", "yes") ifeq ("@BUILD_LOCKDSANLOCK@", "yes")
SOURCES += lvmlockd-sanlock.c SOURCES += lvmlockd-sanlock.c
LOCK_LIBS += -lsanlock_client
endif endif
ifeq ("@BUILD_LOCKDDLM@", "yes") ifeq ("@BUILD_LOCKDDLM@", "yes")
SOURCES += lvmlockd-dlm.c SOURCES += lvmlockd-dlm.c
LOCK_LIBS += -ldlm_lt
endif endif
TARGETS = lvmlockd lvmlockctl TARGETS = lvmlockd lvmlockctl
@@ -33,17 +31,29 @@ TARGETS = lvmlockd lvmlockctl
include $(top_builddir)/make.tmpl include $(top_builddir)/make.tmpl
CFLAGS += $(EXTRA_EXEC_CFLAGS)
INCLUDES += -I$(top_srcdir)/libdaemon/server INCLUDES += -I$(top_srcdir)/libdaemon/server
LDFLAGS += -L$(top_builddir)/libdaemon/server $(EXTRA_EXEC_LDFLAGS) $(ELDFLAGS) LVMLIBS = -ldaemonserver $(LVMINTERNAL_LIBS) -ldevmapper
LIBS += $(RT_LIBS) $(DAEMON_LIBS) -ldevmapper $(PTHREAD_LIBS)
LIBS += $(PTHREAD_LIBS)
ifeq ("@BUILD_LOCKDSANLOCK@", "yes")
LIBS += -lsanlock_client
endif
ifeq ("@BUILD_LOCKDDLM@", "yes")
LIBS += -ldlm_lt
endif
LDFLAGS += -L$(top_builddir)/libdaemon/server
CLDFLAGS += -L$(top_builddir)/libdaemon/server
lvmlockd: $(OBJECTS) $(top_builddir)/libdaemon/client/libdaemonclient.a \ lvmlockd: $(OBJECTS) $(top_builddir)/libdaemon/client/libdaemonclient.a \
$(top_builddir)/libdaemon/server/libdaemonserver.a $(top_builddir)/libdaemon/server/libdaemonserver.a
$(CC) $(CFLAGS) $(LDFLAGS) -o $@ $(OBJECTS) $(LOCK_LIBS) -ldaemonserver $(LIBS) $(CC) $(CFLAGS) $(LDFLAGS) -o $@ $(OBJECTS) $(LVMLIBS) $(LIBS)
lvmlockctl: lvmlockctl.o $(top_builddir)/libdaemon/client/libdaemonclient.a lvmlockctl: lvmlockctl.o $(top_builddir)/libdaemon/client/libdaemonclient.a \
$(CC) $(CFLAGS) $(LDFLAGS) -o $@ lvmlockctl.o $(LIBS) $(top_builddir)/libdaemon/server/libdaemonserver.a
$(CC) $(CFLAGS) $(LDFLAGS) -o $@ lvmlockctl.o $(LVMLIBS)
install_lvmlockd: lvmlockd install_lvmlockd: lvmlockd
$(INSTALL_PROGRAM) -D $< $(sbindir)/$(<F) $(INSTALL_PROGRAM) -D $< $(sbindir)/$(<F)

View File

@@ -379,7 +379,7 @@ static int setup_dump_socket(void)
rv = bind(s, (struct sockaddr *) &dump_addr, dump_addrlen); rv = bind(s, (struct sockaddr *) &dump_addr, dump_addrlen);
if (rv < 0) { if (rv < 0) {
rv = -errno; rv = -errno;
if (close(s)) if (!close(s))
log_error("failed to close dump socket"); log_error("failed to close dump socket");
return rv; return rv;
} }

View File

@@ -48,7 +48,5 @@ static inline void lvmlockd_close(daemon_handle h)
#define EVGKILLED 217 /* sanlock lost access to leases and VG is killed. */ #define EVGKILLED 217 /* sanlock lost access to leases and VG is killed. */
#define ELOCKIO 218 /* sanlock io errors during lock op, may be transient. */ #define ELOCKIO 218 /* sanlock io errors during lock op, may be transient. */
#define EREMOVED 219 #define EREMOVED 219
#define EDEVOPEN 220 /* sanlock failed to open lvmlock LV */
#define ELMERR 221
#endif /* _LVM_LVMLOCKD_CLIENT_H */ #endif /* _LVM_LVMLOCKD_CLIENT_H */

View File

@@ -19,7 +19,6 @@
#include "lvm-version.h" #include "lvm-version.h"
#include "lvmetad-client.h" #include "lvmetad-client.h"
#include "lvmlockd-client.h" #include "lvmlockd-client.h"
#include "dm-ioctl.h" /* for DM_UUID_LEN */
/* #include <assert.h> */ /* #include <assert.h> */
#include <errno.h> #include <errno.h>
@@ -1389,11 +1388,12 @@ static int res_convert(struct lockspace *ls, struct resource *r,
} }
rv = lm_convert(ls, r, act->mode, act, r_version); rv = lm_convert(ls, r, act->mode, act, r_version);
if (rv < 0) {
log_debug("S %s R %s res_convert rv %d", ls->name, r->name, rv); log_error("S %s R %s res_convert lm error %d", ls->name, r->name, rv);
if (rv < 0)
return rv; return rv;
}
log_debug("S %s R %s res_convert lm done", ls->name, r->name);
if (lk->mode == LD_LK_EX && act->mode == LD_LK_SH) { if (lk->mode == LD_LK_EX && act->mode == LD_LK_SH) {
r->sh_count = 1; r->sh_count = 1;
@@ -2651,16 +2651,10 @@ out_act:
ls->drop_vg = drop_vg; ls->drop_vg = drop_vg;
if (ls->lm_type == LD_LM_DLM && !strcmp(ls->name, gl_lsname_dlm)) if (ls->lm_type == LD_LM_DLM && !strcmp(ls->name, gl_lsname_dlm))
global_dlm_lockspace_exists = 0; global_dlm_lockspace_exists = 0;
/* Avoid a name collision of the same lockspace is added again before this thread is cleaned up. */
/* memset(tmp_name, 0, sizeof(tmp_name));
* Avoid a name collision of the same lockspace is added again before snprintf(tmp_name, MAX_NAME, "REM:%s", ls->name);
* this thread is cleaned up. We just set ls->name to a "junk" value memcpy(ls->name, tmp_name, MAX_NAME);
* for the short period until the struct is freed. We could make it
* blank or fill it with garbage, but instead set it to REM:<name>
* to make it easier to follow progress of freeing is via log_debug.
*/
dm_strncpy(tmp_name, ls->name, sizeof(tmp_name));
snprintf(ls->name, sizeof(ls->name), "REM:%s", tmp_name);
pthread_mutex_unlock(&lockspaces_mutex); pthread_mutex_unlock(&lockspaces_mutex);
/* worker_thread will join this thread, and free the ls */ /* worker_thread will join this thread, and free the ls */
@@ -3309,6 +3303,7 @@ static int work_init_lv(struct action *act)
lm_type = ls->lm_type; lm_type = ls->lm_type;
memcpy(vg_args, ls->vg_args, MAX_ARGS); memcpy(vg_args, ls->vg_args, MAX_ARGS);
free_offset = ls->free_lock_offset; free_offset = ls->free_lock_offset;
ls->free_lock_offset = 0;
} }
pthread_mutex_unlock(&lockspaces_mutex); pthread_mutex_unlock(&lockspaces_mutex);
@@ -3538,15 +3533,11 @@ static int setup_worker_thread(void)
static void close_worker_thread(void) static void close_worker_thread(void)
{ {
int perrno;
pthread_mutex_lock(&worker_mutex); pthread_mutex_lock(&worker_mutex);
worker_stop = 1; worker_stop = 1;
pthread_cond_signal(&worker_cond); pthread_cond_signal(&worker_cond);
pthread_mutex_unlock(&worker_mutex); pthread_mutex_unlock(&worker_mutex);
pthread_join(worker_thread, NULL);
if ((perrno = pthread_join(worker_thread, NULL)))
log_error("pthread_join worker_thread error %d", perrno);
} }
/* client_mutex is locked */ /* client_mutex is locked */
@@ -3675,17 +3666,7 @@ static int client_send_result(struct client *cl, struct action *act)
if (!gl_lsname_dlm[0]) if (!gl_lsname_dlm[0])
strcat(result_flags, "NO_GL_LS,"); strcat(result_flags, "NO_GL_LS,");
} else { } else {
int found_lm = 0; strcat(result_flags, "NO_GL_LS,");
if (lm_support_dlm() && lm_is_running_dlm())
found_lm++;
if (lm_support_sanlock() && lm_is_running_sanlock())
found_lm++;
if (!found_lm)
strcat(result_flags, "NO_GL_LS,NO_LM");
else
strcat(result_flags, "NO_GL_LS");
} }
} }
@@ -3782,8 +3763,7 @@ static int client_send_result(struct client *cl, struct action *act)
if (dump_fd >= 0) { if (dump_fd >= 0) {
/* To avoid deadlock, send data here after the reply. */ /* To avoid deadlock, send data here after the reply. */
send_dump_buf(dump_fd, dump_len); send_dump_buf(dump_fd, dump_len);
if (close(dump_fd)) close(dump_fd);
log_error("failed to close dump socket %d", dump_fd);
} }
return rv; return rv;
@@ -3856,9 +3836,8 @@ static int add_lock_action(struct action *act)
pthread_mutex_lock(&lockspaces_mutex); pthread_mutex_lock(&lockspaces_mutex);
if (ls_name[0]) if (ls_name[0])
ls = find_lockspace_name(ls_name); ls = find_lockspace_name(ls_name);
if (!ls) {
pthread_mutex_unlock(&lockspaces_mutex); pthread_mutex_unlock(&lockspaces_mutex);
if (!ls) {
if (act->op == LD_OP_UPDATE && act->rt == LD_RT_VG) { if (act->op == LD_OP_UPDATE && act->rt == LD_RT_VG) {
log_debug("lockspace \"%s\" not found ignored for vg update", ls_name); log_debug("lockspace \"%s\" not found ignored for vg update", ls_name);
return -ENOLS; return -ENOLS;
@@ -4452,7 +4431,7 @@ static void client_recv_action(struct client *cl)
return; return;
} }
req.cft = config_tree_from_string_without_dup_node_check(req.buffer.mem); req.cft = dm_config_from_string(req.buffer.mem);
if (!req.cft) { if (!req.cft) {
log_error("client recv %u config_from_string error", cl->id); log_error("client recv %u config_from_string error", cl->id);
buffer_destroy(&req.buffer); buffer_destroy(&req.buffer);
@@ -4775,7 +4754,7 @@ static void *client_thread_main(void *arg_in)
} else { } else {
pthread_mutex_unlock(&cl->mutex); pthread_mutex_unlock(&cl->mutex);
} }
} else }
pthread_mutex_unlock(&client_mutex); pthread_mutex_unlock(&client_mutex);
} }
out: out:
@@ -4800,15 +4779,11 @@ static int setup_client_thread(void)
static void close_client_thread(void) static void close_client_thread(void)
{ {
int perrno;
pthread_mutex_lock(&client_mutex); pthread_mutex_lock(&client_mutex);
client_stop = 1; client_stop = 1;
pthread_cond_signal(&client_cond); pthread_cond_signal(&client_cond);
pthread_mutex_unlock(&client_mutex); pthread_mutex_unlock(&client_mutex);
pthread_join(client_thread, NULL);
if ((perrno = pthread_join(client_thread, NULL)))
log_error("pthread_join client_thread error %d", perrno);
} }
/* /*
@@ -4932,10 +4907,14 @@ static int get_lockd_vgs(struct list_head *vg_lockd)
continue; continue;
for (lv_cn = md_cn->child; lv_cn; lv_cn = lv_cn->sib) { for (lv_cn = md_cn->child; lv_cn; lv_cn = lv_cn->sib) {
snprintf(find_str_path, PATH_MAX, "%s/lock_type", lv_cn->key);
lock_type = dm_config_find_str(lv_cn, find_str_path, NULL);
if (!lock_type)
continue;
snprintf(find_str_path, PATH_MAX, "%s/lock_args", lv_cn->key); snprintf(find_str_path, PATH_MAX, "%s/lock_args", lv_cn->key);
lock_args = dm_config_find_str(lv_cn, find_str_path, NULL); lock_args = dm_config_find_str(lv_cn, find_str_path, NULL);
if (!lock_args)
continue;
snprintf(find_str_path, PATH_MAX, "%s/id", lv_cn->key); snprintf(find_str_path, PATH_MAX, "%s/id", lv_cn->key);
lv_uuid = dm_config_find_str(lv_cn, find_str_path, NULL); lv_uuid = dm_config_find_str(lv_cn, find_str_path, NULL);
@@ -4981,7 +4960,7 @@ out:
return rv; return rv;
} }
static char _dm_uuid[DM_UUID_LEN]; static char _dm_uuid[64];
static char *get_dm_uuid(char *dm_name) static char *get_dm_uuid(char *dm_name)
{ {
@@ -5200,17 +5179,20 @@ static void adopt_locks(void)
* Get list of lockspaces from lock managers. * Get list of lockspaces from lock managers.
* Get list of VGs from lvmetad with a lockd type. * Get list of VGs from lvmetad with a lockd type.
* Get list of active lockd type LVs from /dev. * Get list of active lockd type LVs from /dev.
*
* ECONNREFUSED means the lock manager is not running.
* This is expected for at least one of them.
*/ */
if (lm_support_dlm() && lm_is_running_dlm()) { if (lm_support_dlm()) {
rv = lm_get_lockspaces_dlm(&ls_found); rv = lm_get_lockspaces_dlm(&ls_found);
if (rv < 0) if ((rv < 0) && (rv != -ECONNREFUSED))
goto fail; goto fail;
} }
if (lm_support_sanlock() && lm_is_running_sanlock()) { if (lm_support_sanlock()) {
rv = lm_get_lockspaces_sanlock(&ls_found); rv = lm_get_lockspaces_sanlock(&ls_found);
if (rv < 0) if ((rv < 0) && (rv != -ECONNREFUSED))
goto fail; goto fail;
} }
@@ -5287,7 +5269,7 @@ static void adopt_locks(void)
list_for_each_entry_safe(ls1, l1safe, &ls_found, list) { list_for_each_entry_safe(ls1, l1safe, &ls_found, list) {
/* The dlm global lockspace is special and doesn't match a VG. */ /* The dlm global lockspace is special and doesn't match a VG. */
if ((ls1->lm_type == LD_LM_DLM) && !strcmp(ls1->name, gl_lsname_dlm)) { if (!strcmp(ls1->name, gl_lsname_dlm)) {
list_del(&ls1->list); list_del(&ls1->list);
free(ls1); free(ls1);
continue; continue;

View File

@@ -508,7 +508,7 @@ lockrv:
} }
if (rv < 0) { if (rv < 0) {
log_error("S %s R %s lock_dlm acquire error %d errno %d", ls->name, r->name, rv, errno); log_error("S %s R %s lock_dlm acquire error %d errno %d", ls->name, r->name, rv, errno);
return -ELMERR; return rv;
} }
if (rdd->vb) { if (rdd->vb) {
@@ -581,7 +581,6 @@ int lm_convert_dlm(struct lockspace *ls, struct resource *r,
} }
if (rv < 0) { if (rv < 0) {
log_error("S %s R %s convert_dlm error %d", ls->name, r->name, rv); log_error("S %s R %s convert_dlm error %d", ls->name, r->name, rv);
rv = -ELMERR;
} }
return rv; return rv;
} }
@@ -655,7 +654,6 @@ int lm_unlock_dlm(struct lockspace *ls, struct resource *r,
0, NULL, NULL, NULL); 0, NULL, NULL, NULL);
if (rv < 0) { if (rv < 0) {
log_error("S %s R %s unlock_dlm error %d", ls->name, r->name, rv); log_error("S %s R %s unlock_dlm error %d", ls->name, r->name, rv);
rv = -ELMERR;
} }
return rv; return rv;

View File

@@ -224,10 +224,7 @@ static int lock_lv_offset_from_args(char *lv_args, uint64_t *lock_lv_offset)
if (rv < 0) if (rv < 0)
return rv; return rv;
errno = 0;
*lock_lv_offset = strtoull(offset_str, NULL, 10); *lock_lv_offset = strtoull(offset_str, NULL, 10);
if (errno)
return -1;
return 0; return 0;
} }
@@ -356,19 +353,12 @@ int lm_init_vg_sanlock(char *ls_name, char *vg_name, uint32_t flags, char *vg_ar
log_debug("sanlock daemon version %08x proto %08x", log_debug("sanlock daemon version %08x proto %08x",
daemon_version, daemon_proto); daemon_version, daemon_proto);
rv = sanlock_align(&disk); align_size = sanlock_align(&disk);
if (rv <= 0) { if (align_size <= 0) {
if (rv == -EACCES) { log_error("S %s init_vg_san bad disk align size %d %s",
log_error("S %s init_vg_san sanlock error -EACCES: no permission to access %s", ls_name, align_size, disk.path);
ls_name, disk.path);
return -EDEVOPEN;
} else {
log_error("S %s init_vg_san sanlock error %d trying to get align size of %s",
ls_name, rv, disk.path);
return -EARGS; return -EARGS;
} }
} else
align_size = rv;
strncpy(ss.name, ls_name, SANLK_NAME_LEN); strncpy(ss.name, ls_name, SANLK_NAME_LEN);
memcpy(ss.host_id_disk.path, disk.path, SANLK_PATH_LEN); memcpy(ss.host_id_disk.path, disk.path, SANLK_PATH_LEN);
@@ -945,9 +935,7 @@ int lm_find_free_lock_sanlock(struct lockspace *ls, uint64_t *free_offset)
struct lm_sanlock *lms = (struct lm_sanlock *)ls->lm_data; struct lm_sanlock *lms = (struct lm_sanlock *)ls->lm_data;
struct sanlk_resourced rd; struct sanlk_resourced rd;
uint64_t offset; uint64_t offset;
uint64_t start_offset;
int rv; int rv;
int round = 0;
if (daemon_test) { if (daemon_test) {
*free_offset = (1048576 * LV_LOCK_BEGIN) + (1048576 * (daemon_test_lv_count + 1)); *free_offset = (1048576 * LV_LOCK_BEGIN) + (1048576 * (daemon_test_lv_count + 1));
@@ -960,22 +948,9 @@ int lm_find_free_lock_sanlock(struct lockspace *ls, uint64_t *free_offset)
rd.rs.num_disks = 1; rd.rs.num_disks = 1;
strncpy(rd.rs.disks[0].path, lms->ss.host_id_disk.path, SANLK_PATH_LEN-1); strncpy(rd.rs.disks[0].path, lms->ss.host_id_disk.path, SANLK_PATH_LEN-1);
if (ls->free_lock_offset)
offset = ls->free_lock_offset;
else
offset = lms->align_size * LV_LOCK_BEGIN; offset = lms->align_size * LV_LOCK_BEGIN;
start_offset = offset;
while (1) { while (1) {
if (offset >= start_offset && round) {
/* This indicates the all space are allocated. */
log_debug("S %s init_lv_san read back to start offset %llu",
ls->name, (unsigned long long)offset);
rv = -EMSGSIZE;
return rv;
}
rd.rs.disks[0].offset = offset; rd.rs.disks[0].offset = offset;
memset(rd.rs.name, 0, SANLK_NAME_LEN); memset(rd.rs.name, 0, SANLK_NAME_LEN);
@@ -985,14 +960,7 @@ int lm_find_free_lock_sanlock(struct lockspace *ls, uint64_t *free_offset)
/* This indicates the end of the device is reached. */ /* This indicates the end of the device is reached. */
log_debug("S %s find_free_lock_san read limit offset %llu", log_debug("S %s find_free_lock_san read limit offset %llu",
ls->name, (unsigned long long)offset); ls->name, (unsigned long long)offset);
return -EMSGSIZE;
/* remember the NO SPACE offset, if no free area left,
* search from this offset after extend */
*free_offset = offset;
offset = lms->align_size * LV_LOCK_BEGIN;
round = 1;
continue;
} }
/* /*
@@ -1460,12 +1428,6 @@ int lm_lock_sanlock(struct lockspace *ls, struct resource *r, int ld_mode,
rv = sanlock_acquire(lms->sock, -1, flags, 1, &rs, &opt); rv = sanlock_acquire(lms->sock, -1, flags, 1, &rs, &opt);
/*
* errors: translate the sanlock error number to an lvmlockd error.
* We don't want to return an sanlock-specific error number from
* this function to code that doesn't recognize sanlock error numbers.
*/
if (rv == -EAGAIN) { if (rv == -EAGAIN) {
/* /*
* It appears that sanlock_acquire returns EAGAIN when we request * It appears that sanlock_acquire returns EAGAIN when we request
@@ -1534,26 +1496,6 @@ int lm_lock_sanlock(struct lockspace *ls, struct resource *r, int ld_mode,
return -EAGAIN; return -EAGAIN;
} }
if (rv == SANLK_AIO_TIMEOUT) {
/*
* sanlock got an i/o timeout when trying to acquire the
* lease on disk.
*/
log_debug("S %s R %s lock_san acquire mode %d rv %d", ls->name, r->name, ld_mode, rv);
*retry = 0;
return -EAGAIN;
}
if (rv == SANLK_DBLOCK_LVER || rv == SANLK_DBLOCK_MBAL) {
/*
* There was contention with another host for the lease,
* and we lost.
*/
log_debug("S %s R %s lock_san acquire mode %d rv %d", ls->name, r->name, ld_mode, rv);
*retry = 0;
return -EAGAIN;
}
if (rv == SANLK_ACQUIRE_OWNED_RETRY) { if (rv == SANLK_ACQUIRE_OWNED_RETRY) {
/* /*
* The lock is held by a failed host, and will eventually * The lock is held by a failed host, and will eventually
@@ -1604,25 +1546,15 @@ int lm_lock_sanlock(struct lockspace *ls, struct resource *r, int ld_mode,
if (rv == -ENOSPC) if (rv == -ENOSPC)
rv = -ELOCKIO; rv = -ELOCKIO;
/* return rv;
* generic error number for sanlock errors that we are not
* catching above.
*/
return -ELMERR;
} }
/*
* sanlock acquire success (rv 0)
*/
if (rds->vb) { if (rds->vb) {
rv = sanlock_get_lvb(0, rs, (char *)&vb, sizeof(vb)); rv = sanlock_get_lvb(0, rs, (char *)&vb, sizeof(vb));
if (rv < 0) { if (rv < 0) {
log_error("S %s R %s lock_san get_lvb error %d", ls->name, r->name, rv); log_error("S %s R %s lock_san get_lvb error %d", ls->name, r->name, rv);
memset(rds->vb, 0, sizeof(struct val_blk)); memset(rds->vb, 0, sizeof(struct val_blk));
memset(vb_out, 0, sizeof(struct val_blk)); memset(vb_out, 0, sizeof(struct val_blk));
/* the lock is still acquired, the vb values considered invalid */
rv = 0;
goto out; goto out;
} }
@@ -1675,7 +1607,6 @@ int lm_convert_sanlock(struct lockspace *ls, struct resource *r,
if (rv < 0) { if (rv < 0) {
log_error("S %s R %s convert_san set_lvb error %d", log_error("S %s R %s convert_san set_lvb error %d",
ls->name, r->name, rv); ls->name, r->name, rv);
return -ELMERR;
} }
} }
@@ -1688,35 +1619,14 @@ int lm_convert_sanlock(struct lockspace *ls, struct resource *r,
if (daemon_test) if (daemon_test)
return 0; return 0;
/*
* Don't block waiting for a failed lease to expire since it causes
* sanlock_convert to block for a long time, which would prevent this
* thread from processing other lock requests.
*
* FIXME: SANLK_CONVERT_OWNER_NOWAIT is the same as SANLK_ACQUIRE_OWNER_NOWAIT.
* Change to use the CONVERT define when the latest sanlock version has it.
*/
flags |= SANLK_ACQUIRE_OWNER_NOWAIT;
rv = sanlock_convert(lms->sock, -1, flags, rs); rv = sanlock_convert(lms->sock, -1, flags, rs);
if (!rv) if (rv == -EAGAIN) {
return 0; /* FIXME: When could this happen? Should something different be done? */
log_error("S %s R %s convert_san EAGAIN", ls->name, r->name);
switch (rv) {
case -EAGAIN:
case SANLK_ACQUIRE_IDLIVE:
case SANLK_ACQUIRE_OWNED:
case SANLK_ACQUIRE_OWNED_RETRY:
case SANLK_ACQUIRE_OTHER:
case SANLK_AIO_TIMEOUT:
case SANLK_DBLOCK_LVER:
case SANLK_DBLOCK_MBAL:
/* expected errors from known/normal cases like lock contention or io timeouts */
log_debug("S %s R %s convert_san error %d", ls->name, r->name, rv);
return -EAGAIN; return -EAGAIN;
default: }
if (rv < 0) {
log_error("S %s R %s convert_san convert error %d", ls->name, r->name, rv); log_error("S %s R %s convert_san convert error %d", ls->name, r->name, rv);
rv = -ELMERR;
} }
return rv; return rv;
@@ -1753,7 +1663,6 @@ static int release_rename(struct lockspace *ls, struct resource *r)
rv = sanlock_release(lms->sock, -1, SANLK_REL_RENAME, 2, res_args); rv = sanlock_release(lms->sock, -1, SANLK_REL_RENAME, 2, res_args);
if (rv < 0) { if (rv < 0) {
log_error("S %s R %s unlock_san release rename error %d", ls->name, r->name, rv); log_error("S %s R %s unlock_san release rename error %d", ls->name, r->name, rv);
rv = -ELMERR;
} }
free(res_args); free(res_args);
@@ -1810,7 +1719,6 @@ int lm_unlock_sanlock(struct lockspace *ls, struct resource *r,
if (rv < 0) { if (rv < 0) {
log_error("S %s R %s unlock_san set_lvb error %d", log_error("S %s R %s unlock_san set_lvb error %d",
ls->name, r->name, rv); ls->name, r->name, rv);
return -ELMERR;
} }
} }
@@ -1829,8 +1737,6 @@ int lm_unlock_sanlock(struct lockspace *ls, struct resource *r,
if (rv == -EIO) if (rv == -EIO)
rv = -ELOCKIO; rv = -ELOCKIO;
else if (rv < 0)
rv = -ELMERR;
return rv; return rv;
} }

View File

@@ -27,14 +27,18 @@ CFLOW_TARGET = lvmpolld
include $(top_builddir)/make.tmpl include $(top_builddir)/make.tmpl
CFLAGS += $(EXTRA_EXEC_CFLAGS)
INCLUDES += -I$(top_srcdir)/libdaemon/server INCLUDES += -I$(top_srcdir)/libdaemon/server
LDFLAGS += -L$(top_builddir)/libdaemon/server $(EXTRA_EXEC_LDFLAGS) $(ELDFLAGS) LVMLIBS = -ldaemonserver $(LVMINTERNAL_LIBS) -ldevmapper
LIBS += $(DAEMON_LIBS) -ldaemonserver -ldevmapper $(PTHREAD_LIBS)
LIBS += $(PTHREAD_LIBS)
LDFLAGS += -L$(top_builddir)/libdaemon/server $(DAEMON_LDFLAGS)
CLDFLAGS += -L$(top_builddir)/libdaemon/server
CFLAGS += $(DAEMON_CFLAGS)
lvmpolld: $(OBJECTS) $(top_builddir)/libdaemon/client/libdaemonclient.a \ lvmpolld: $(OBJECTS) $(top_builddir)/libdaemon/client/libdaemonclient.a \
$(top_builddir)/libdaemon/server/libdaemonserver.a $(top_builddir)/libdaemon/server/libdaemonserver.a
$(CC) $(CFLAGS) $(LDFLAGS) -o $@ $(OBJECTS) $(LIBS) $(CC) $(CFLAGS) $(LDFLAGS) -o $@ $(OBJECTS) $(LVMLIBS) $(LIBS)
install_lvmpolld: lvmpolld install_lvmpolld: lvmpolld
$(INSTALL_PROGRAM) -D $< $(sbindir)/$(<F) $(INSTALL_PROGRAM) -D $< $(sbindir)/$(<F)

View File

@@ -19,12 +19,10 @@
#define MIN_ARGV_SIZE 8 #define MIN_ARGV_SIZE 8
static const char *const polling_ops[] = { static const char *const const polling_ops[] = { [PVMOVE] = LVMPD_REQ_PVMOVE,
[PVMOVE] = LVMPD_REQ_PVMOVE,
[CONVERT] = LVMPD_REQ_CONVERT, [CONVERT] = LVMPD_REQ_CONVERT,
[MERGE] = LVMPD_REQ_MERGE, [MERGE] = LVMPD_REQ_MERGE,
[MERGE_THIN] = LVMPD_REQ_MERGE_THIN [MERGE_THIN] = LVMPD_REQ_MERGE_THIN };
};
const char *polling_op(enum poll_type type) const char *polling_op(enum poll_type type)
{ {

View File

@@ -19,8 +19,6 @@
#include <fcntl.h> #include <fcntl.h>
#include <signal.h> #include <signal.h>
static const char LVM_SYSTEM_DIR[] = "LVM_SYSTEM_DIR=";
static char *_construct_full_lvname(const char *vgname, const char *lvname) static char *_construct_full_lvname(const char *vgname, const char *lvname)
{ {
char *name; char *name;
@@ -54,7 +52,7 @@ static char *_construct_lvm_system_dir_env(const char *sysdir)
*env = '\0'; *env = '\0';
if (sysdir && dm_snprintf(env, l, "%s%s", LVM_SYSTEM_DIR, sysdir) < 0) { if (sysdir && dm_snprintf(env, l, "LVM_SYSTEM_DIR=%s", sysdir) < 0) {
dm_free(env); dm_free(env);
env = NULL; env = NULL;
} }
@@ -261,8 +259,8 @@ static void _pdlv_locked_dump(struct buffer *buff, const struct lvmpolld_lv *pdl
buffer_append(buff, tmp); buffer_append(buff, tmp);
if (dm_snprintf(tmp, sizeof(tmp), "\t\tlvm_command_interval=\"%s\"\n", pdlv->sinterval ?: "<undefined>") > 0) if (dm_snprintf(tmp, sizeof(tmp), "\t\tlvm_command_interval=\"%s\"\n", pdlv->sinterval ?: "<undefined>") > 0)
buffer_append(buff, tmp); buffer_append(buff, tmp);
if (dm_snprintf(tmp, sizeof(tmp), "\t\t%s\"%s\"\n", LVM_SYSTEM_DIR, if (dm_snprintf(tmp, sizeof(tmp), "\t\tLVM_SYSTEM_DIR=\"%s\"\n",
(*pdlv->lvm_system_dir_env ? (pdlv->lvm_system_dir_env + (sizeof(LVM_SYSTEM_DIR) - 1)) : "<undefined>")) > 0) (*pdlv->lvm_system_dir_env ? (pdlv->lvm_system_dir_env + strlen("LVM_SYSTEM_DIR=")) : "<undefined>")) > 0)
buffer_append(buff, tmp); buffer_append(buff, tmp);
if (dm_snprintf(tmp, sizeof(tmp), "\t\tlvm_command_pid=%d\n", pdlv->cmd_pid) > 0) if (dm_snprintf(tmp, sizeof(tmp), "\t\tlvm_command_pid=%d\n", pdlv->cmd_pid) > 0)
buffer_append(buff, tmp); buffer_append(buff, tmp);

View File

@@ -1,215 +0,0 @@
Introducing asynchronous I/O to LVM
===================================
Issuing I/O asynchronously means instructing the kernel to perform specific
I/O and return immediately without waiting for it to complete. The data
is collected from the kernel later.
Advantages
----------
A1. While waiting for the I/O to happen, the program could perform other
operations.
A2. When LVM is searching for its Physical Volumes, it issues a small amount of
I/O to a large number of disks. If this was issued in parallel the overall
runtime might be shorter while there should be little effect on the cpu time.
A3. If more than one timeout occurs when accessing any devices, these can be
taken in parallel, again reducing the runtime. This applies globally,
not just while the code is searching for Physical Volumes, so reading,
writing and committing the metadata may occasionally benefit too to some
extent and there are probably maintenance advantages in using the same
method of I/O throughout the main body of the code.
A4. By introducing a simple callback function mechanism, the conversion can be
performed largely incrementally by first refactoring and continuing to
use synchronous I/O with the callbacks performed immediately. This allows the
callbacks to be introduced without changing the running sequence of the code
initially. Future projects could refactor some of the calling sites to
simplify the code structure and even eliminate some of the nesting.
This allows each part of what might ultimately amount to a large change to be
introduced and tested independently.
Disadvantages
-------------
D1. The resulting code may be more complex with more failure modes to
handle. Mitigate by thorough auditing and testing, rolling out
gradually, and offering a simple switch to revert to the old behaviour.
D2. The linux asynchronous I/O implementation is less mature than
its synchronous I/O implementation and might show up problems that
depend on the version of the kernel or library used. Fixes or
workarounds for some of these might require kernel changes. For
example, there are suggestions that despite being supposedly async,
there are still cases where system calls can block. There might be
resource dependencies on other processes running on the system that make
it unsuitable for use while any devices are suspended. Mitigation
as for D1.
D3. The error handling within callbacks becomes more complicated.
However we know that existing call paths can already sometimes discard
errors, sometimes deliberately, sometimes not, so this aspect is in need
of a complete review anyway and the new approach will make the error
handling more transparent. Aim initially for overall behaviour that is
no worse than that of the existing code, then work on improving it
later.
D4. The work will take a few weeks to code and test. This leads to a
significant opportunity cost when compared against other enhancements
that could be achieved in that time. However, the proof-of-concept work
performed while writing this design has satisfied me that the work could
proceed and be committed incrementally as a background task.
Observations regarding LVM's I/O Architecture
---------------------------------------------
H1. All device, metadata and config file I/O is constrained to pass through a
single route in lib/device.
H2. The first step of the analysis was to instrument this code path with
log_debug messages. I/O is split into the following categories:
"dev signatures",
"PV labels",
"VG metadata header",
"VG metadata content",
"extra VG metadata header",
"extra VG metadata content",
"LVM1 metadata",
"pool metadata",
"LV content",
"logging",
H3. A bounce buffer is used for most I/O.
H4. Most callers finish using the supplied data before any further I/O is
issued. The few that don't could be converted trivially to do so.
H5. There is one stream of I/O per metadata area on each device.
H6. Some reads fall at offsets close to immediately preceding reads, so it's
possible to avoid these by caching one "block" per metadata area I/O stream.
H7. Simple analysis suggests a minimum aligned read size of 8k would deliver
immediate gains from this caching. A larger size might perform worse because
almost all the time the extra data read would not be used, but this can be
re-examined and tuned after the code is in place.
Proposal
--------
P1. Retain the "single I/O path" but offer an asynchronous option.
P2. Eliminate the bounce buffer in most cases by improving alignment.
P3. Reduce the number of reads by always reading a minimum of an aligned
8k block.
P4. Eliminate repeated reads by caching the last block read and changing
the lib/device interface to return a pointer to read-only data within
this block.
P5. Only perform these interface changes for code on the critical path
for now by converting other code sites to use wrappers around the new
interface.
P6. Treat asynchronous I/O as the interface of choice and optimise only
for this case.
P7. Convert the callers on the critical path to pass callback functions
to the device layer. These functions will be called later with the
read-only data, a context pointer and a success/failure indicator.
Where an existing function performs a sequence of I/O, this has the
advantage of breaking up the large function into smaller ones and
wrapping the parameters used into structures. While this might look
rather messy and ad-hoc in the short-term, it's a first step towards
breaking up confusingly long functions into component parts and wrapping
the existing long parameter lists into more appropriate structures and
refactoring these parts of the code.
P8. Limit the resources used by the asynchronous I/O by using two
tunable parameters, one limiting the number of outstanding I/Os issued
and another limiting the total amount of memory used.
P9. Provide a fallback option if asynchronous I/O is unavailable by
sharing the code paths but issuing the I/O synchronously and calling the
callback immediately.
P10. Only allocate the buffer for the I/O at the point where the I/O is
about to be issued.
P11. If the thresholds are exceeded, add the request to a simple queue,
and process it later after some I/O has completed.
Future work
-----------
F1. Perform a complete review of the error tracking so that device
failures are handled and reported more cleanly, extending the existing
basic error counting mechanism.
F2. Consider whether some of the nested callbacks can be eliminated,
which would allow for additional simplifications.
F3. Adjust the contents of the adhoc context structs into more logical
arrangements and use them more widely.
F4. Perform wider refactoring of these areas of code.
Testing considerations
----------------------
T1. The changes touch code on the device path, so a thorough re-test of
the device layer is required. The new code needs a full audit down
through the library layer into the kernel to check that all the error
conditions that are currently implemented (such as EAGAIN) are handled
sensibly. (LVM's I/O layer needs to remain as solid as we can make it.)
T2. The current test suite provides a reasonably broad range of coverage
of this area but is far from comprehensive.
Acceptance criteria
-------------------
A1. The current test suite should pass to the same extent as before the
changes.
A2. When all debugging and logging is disabled, strace -c must show
improvements e.g. the expected fewer number of reads.
A3. Running a range of commands under valgrind must not reveal any
new leaks due to the changes.
A4. All new coverity reports from the change must be addressed.
A5. CPU time should be similar to that before, as the same work
is being done overall, just in a different order.
A6. Tests need to show improved behaviour in targetted areas. For example,
if several devices are slow and time out, the delays should occur
in parallel and the elapsed time should be less than before.
Release considerations
----------------------
R1. Async I/O should be widely available and largely reliable on linux
nowadays (even though parts of its interface and implementation remain a
matter of controversy) so we should try to make its use the default
whereever it is supported. If certain types of systems have problems we
should try to detect those cases and disable it automatically there.
R2. Because the implications of an unexpected problem in the new code
could be severe for the people affected, the roll out needs to be gentle
without a deadline to allow us plenty of time to gain confidence in the
new code. Our own testing will only be able to cover a tiny fraction of
the different setups our users have, so we need to look out for problems
caused by this proactively and encourage people to test it on their own
systems and report back. It must go into the tree near the start of a
release cycle rather than at the end to provide time for our confidence
in it to grow.

View File

@@ -207,10 +207,6 @@ Optional feature arguments are:
block, then the cache block is invalidated. block, then the cache block is invalidated.
To enable passthrough mode the cache must be clean. To enable passthrough mode the cache must be clean.
metadata2 : use version 2 of the metadata. This stores the dirty bits
in a separate btree, which improves speed of shutting
down the cache.
A policy called 'default' is always registered. This is an alias for A policy called 'default' is always registered. This is an alias for
the policy we currently think is giving best all round performance. the policy we currently think is giving best all round performance.
@@ -290,7 +286,7 @@ message, which takes an arbitrary number of cblock ranges. Each cblock
range's end value is "one past the end", meaning 5-10 expresses a range range's end value is "one past the end", meaning 5-10 expresses a range
of values from 5 to 9. Each cblock must be expressed as a decimal of values from 5 to 9. Each cblock must be expressed as a decimal
value, in the future a variant message that takes cblock ranges value, in the future a variant message that takes cblock ranges
expressed in hexadecimal may be needed to better support efficient expressed in hexidecimal may be needed to better support efficient
invalidation of larger caches. The cache must be in passthrough mode invalidation of larger caches. The cache must be in passthrough mode
when invalidate_cblocks is used. when invalidate_cblocks is used.

View File

@@ -11,57 +11,23 @@ Parameters: <cipher> <key> <iv_offset> <device path> \
<offset> [<#opt_params> <opt_params>] <offset> [<#opt_params> <opt_params>]
<cipher> <cipher>
Encryption cipher, encryption mode and Initial Vector (IV) generator. Encryption cipher and an optional IV generation mode.
(In format cipher[:keycount]-chainmode-ivmode[:ivopts]).
The cipher specifications format is:
cipher[:keycount]-chainmode-ivmode[:ivopts]
Examples: Examples:
des
aes-cbc-essiv:sha256 aes-cbc-essiv:sha256
aes-xts-plain64 twofish-ecb
serpent-xts-plain64
Cipher format also supports direct specification with kernel crypt API /proc/crypto contains supported crypto modes
format (selected by capi: prefix). The IV specification is the same
as for the first format type.
This format is mainly used for specification of authenticated modes.
The crypto API cipher specifications format is:
capi:cipher_api_spec-ivmode[:ivopts]
Examples:
capi:cbc(aes)-essiv:sha256
capi:xts(aes)-plain64
Examples of authenticated modes:
capi:gcm(aes)-random
capi:authenc(hmac(sha256),xts(aes))-random
capi:rfc7539(chacha20,poly1305)-random
The /proc/crypto contains a list of curently loaded crypto modes.
<key> <key>
Key used for encryption. It is encoded either as a hexadecimal number Key used for encryption. It is encoded as a hexadecimal number.
or it can be passed as <key_string> prefixed with single colon
character (':') for keys residing in kernel keyring service.
You can only use key sizes that are valid for the selected cipher You can only use key sizes that are valid for the selected cipher
in combination with the selected iv mode. in combination with the selected iv mode.
Note that for some iv modes the key string can contain additional Note that for some iv modes the key string can contain additional
keys (for example IV seed) so the key contains more parts concatenated keys (for example IV seed) so the key contains more parts concatenated
into a single string. into a single string.
<key_string>
The kernel keyring key is identified by string in following format:
<key_size>:<key_type>:<key_description>.
<key_size>
The encryption key size in bytes. The kernel key payload size must match
the value passed in <key_size>.
<key_type>
Either 'logon' or 'user' kernel key type.
<key_description>
The kernel keyring key description crypt target should look for
when loading key of <key_type>.
<keycount> <keycount>
Multi-key compatibility mode. You can define <keycount> keys and Multi-key compatibility mode. You can define <keycount> keys and
then sectors are encrypted according to their offsets (sector 0 uses key0; then sectors are encrypted according to their offsets (sector 0 uses key0;
@@ -110,32 +76,6 @@ submit_from_crypt_cpus
thread because it benefits CFQ to have writes submitted using the thread because it benefits CFQ to have writes submitted using the
same context. same context.
integrity:<bytes>:<type>
The device requires additional <bytes> metadata per-sector stored
in per-bio integrity structure. This metadata must by provided
by underlying dm-integrity target.
The <type> can be "none" if metadata is used only for persistent IV.
For Authenticated Encryption with Additional Data (AEAD)
the <type> is "aead". An AEAD mode additionally calculates and verifies
integrity for the encrypted device. The additional space is then
used for storing authentication tag (and persistent IV if needed).
sector_size:<bytes>
Use <bytes> as the encryption unit instead of 512 bytes sectors.
This option can be in range 512 - 4096 bytes and must be power of two.
Virtual device will announce this size as a minimal IO and logical sector.
iv_large_sectors
IV generators will use sector number counted in <sector_size> units
instead of default 512 bytes sectors.
For example, if <sector_size> is 4096 bytes, plain64 IV for the second
sector will be 8 (without flag) and 1 if iv_large_sectors is present.
The <iv_offset> must be multiple of <sector_size> (in 512 bytes units)
if this flag is specified.
Example scripts Example scripts
=============== ===============
LUKS (Linux Unified Key Setup) is now the preferred way to set up disk LUKS (Linux Unified Key Setup) is now the preferred way to set up disk
@@ -145,13 +85,7 @@ https://gitlab.com/cryptsetup/cryptsetup
[[ [[
#!/bin/sh #!/bin/sh
# Create a crypt device using dmsetup # Create a crypt device using dmsetup
dmsetup create crypt1 --table "0 `blockdev --getsz $1` crypt aes-cbc-essiv:sha256 babebabebabebabebabebabebabebabe 0 $1 0" dmsetup create crypt1 --table "0 `blockdev --getsize $1` crypt aes-cbc-essiv:sha256 babebabebabebabebabebabebabebabe 0 $1 0"
]]
[[
#!/bin/sh
# Create a crypt device using dmsetup when encryption key is stored in keyring service
dmsetup create crypt2 --table "0 `blockdev --getsize $1` crypt aes-cbc-essiv:sha256 :32:logon:my_prefix:my_key 0 $1 0"
]] ]]
[[ [[

View File

@@ -16,12 +16,12 @@ Example scripts
[[ [[
#!/bin/sh #!/bin/sh
# Create device delaying rw operation for 500ms # Create device delaying rw operation for 500ms
echo "0 `blockdev --getsz $1` delay $1 0 500" | dmsetup create delayed echo "0 `blockdev --getsize $1` delay $1 0 500" | dmsetup create delayed
]] ]]
[[ [[
#!/bin/sh #!/bin/sh
# Create device delaying only write operation for 500ms and # Create device delaying only write operation for 500ms and
# splitting reads and writes to different devices $1 $2 # splitting reads and writes to different devices $1 $2
echo "0 `blockdev --getsz $1` delay $1 0 0 $2 0 500" | dmsetup create delayed echo "0 `blockdev --getsize $1` delay $1 0 0 $2 0 500" | dmsetup create delayed
]] ]]

View File

@@ -42,7 +42,7 @@ Optional feature parameters:
<direction>: Either 'r' to corrupt reads or 'w' to corrupt writes. <direction>: Either 'r' to corrupt reads or 'w' to corrupt writes.
'w' is incompatible with drop_writes. 'w' is incompatible with drop_writes.
<value>: The value (from 0-255) to write. <value>: The value (from 0-255) to write.
<flags>: Perform the replacement only if bio->bi_opf has all the <flags>: Perform the replacement only if bio->bi_rw has all the
selected flags set. selected flags set.
Examples: Examples:

View File

@@ -1,199 +0,0 @@
The dm-integrity target emulates a block device that has additional
per-sector tags that can be used for storing integrity information.
A general problem with storing integrity tags with every sector is that
writing the sector and the integrity tag must be atomic - i.e. in case of
crash, either both sector and integrity tag or none of them is written.
To guarantee write atomicity, the dm-integrity target uses journal, it
writes sector data and integrity tags into a journal, commits the journal
and then copies the data and integrity tags to their respective location.
The dm-integrity target can be used with the dm-crypt target - in this
situation the dm-crypt target creates the integrity data and passes them
to the dm-integrity target via bio_integrity_payload attached to the bio.
In this mode, the dm-crypt and dm-integrity targets provide authenticated
disk encryption - if the attacker modifies the encrypted device, an I/O
error is returned instead of random data.
The dm-integrity target can also be used as a standalone target, in this
mode it calculates and verifies the integrity tag internally. In this
mode, the dm-integrity target can be used to detect silent data
corruption on the disk or in the I/O path.
When loading the target for the first time, the kernel driver will format
the device. But it will only format the device if the superblock contains
zeroes. If the superblock is neither valid nor zeroed, the dm-integrity
target can't be loaded.
To use the target for the first time:
1. overwrite the superblock with zeroes
2. load the dm-integrity target with one-sector size, the kernel driver
will format the device
3. unload the dm-integrity target
4. read the "provided_data_sectors" value from the superblock
5. load the dm-integrity target with the the target size
"provided_data_sectors"
6. if you want to use dm-integrity with dm-crypt, load the dm-crypt target
with the size "provided_data_sectors"
Target arguments:
1. the underlying block device
2. the number of reserved sector at the beginning of the device - the
dm-integrity won't read of write these sectors
3. the size of the integrity tag (if "-" is used, the size is taken from
the internal-hash algorithm)
4. mode:
D - direct writes (without journal) - in this mode, journaling is
not used and data sectors and integrity tags are written
separately. In case of crash, it is possible that the data
and integrity tag doesn't match.
J - journaled writes - data and integrity tags are written to the
journal and atomicity is guaranteed. In case of crash,
either both data and tag or none of them are written. The
journaled mode degrades write throughput twice because the
data have to be written twice.
R - recovery mode - in this mode, journal is not replayed,
checksums are not checked and writes to the device are not
allowed. This mode is useful for data recovery if the
device cannot be activated in any of the other standard
modes.
5. the number of additional arguments
Additional arguments:
journal_sectors:number
The size of journal, this argument is used only if formatting the
device. If the device is already formatted, the value from the
superblock is used.
interleave_sectors:number
The number of interleaved sectors. This values is rounded down to
a power of two. If the device is already formatted, the value from
the superblock is used.
buffer_sectors:number
The number of sectors in one buffer. The value is rounded down to
a power of two.
The tag area is accessed using buffers, the buffer size is
configurable. The large buffer size means that the I/O size will
be larger, but there could be less I/Os issued.
journal_watermark:number
The journal watermark in percents. When the size of the journal
exceeds this watermark, the thread that flushes the journal will
be started.
commit_time:number
Commit time in milliseconds. When this time passes, the journal is
written. The journal is also written immediatelly if the FLUSH
request is received.
internal_hash:algorithm(:key) (the key is optional)
Use internal hash or crc.
When this argument is used, the dm-integrity target won't accept
integrity tags from the upper target, but it will automatically
generate and verify the integrity tags.
You can use a crc algorithm (such as crc32), then integrity target
will protect the data against accidental corruption.
You can also use a hmac algorithm (for example
"hmac(sha256):0123456789abcdef"), in this mode it will provide
cryptographic authentication of the data without encryption.
When this argument is not used, the integrity tags are accepted
from an upper layer target, such as dm-crypt. The upper layer
target should check the validity of the integrity tags.
journal_crypt:algorithm(:key) (the key is optional)
Encrypt the journal using given algorithm to make sure that the
attacker can't read the journal. You can use a block cipher here
(such as "cbc(aes)") or a stream cipher (for example "chacha20",
"salsa20", "ctr(aes)" or "ecb(arc4)").
The journal contains history of last writes to the block device,
an attacker reading the journal could see the last sector nubmers
that were written. From the sector numbers, the attacker can infer
the size of files that were written. To protect against this
situation, you can encrypt the journal.
journal_mac:algorithm(:key) (the key is optional)
Protect sector numbers in the journal from accidental or malicious
modification. To protect against accidental modification, use a
crc algorithm, to protect against malicious modification, use a
hmac algorithm with a key.
This option is not needed when using internal-hash because in this
mode, the integrity of journal entries is checked when replaying
the journal. Thus, modified sector number would be detected at
this stage.
block_size:number
The size of a data block in bytes. The larger the block size the
less overhead there is for per-block integrity metadata.
Supported values are 512, 1024, 2048 and 4096 bytes. If not
specified the default block size is 512 bytes.
The journal mode (D/J), buffer_sectors, journal_watermark, commit_time can
be changed when reloading the target (load an inactive table and swap the
tables with suspend and resume). The other arguments should not be changed
when reloading the target because the layout of disk data depend on them
and the reloaded target would be non-functional.
The layout of the formatted block device:
* reserved sectors (they are not used by this target, they can be used for
storing LUKS metadata or for other purpose), the size of the reserved
area is specified in the target arguments
* superblock (4kiB)
* magic string - identifies that the device was formatted
* version
* log2(interleave sectors)
* integrity tag size
* the number of journal sections
* provided data sectors - the number of sectors that this target
provides (i.e. the size of the device minus the size of all
metadata and padding). The user of this target should not send
bios that access data beyond the "provided data sectors" limit.
* flags - a flag is set if journal_mac is used
* journal
The journal is divided into sections, each section contains:
* metadata area (4kiB), it contains journal entries
every journal entry contains:
* logical sector (specifies where the data and tag should
be written)
* last 8 bytes of data
* integrity tag (the size is specified in the superblock)
every metadata sector ends with
* mac (8-bytes), all the macs in 8 metadata sectors form a
64-byte value. It is used to store hmac of sector
numbers in the journal section, to protect against a
possibility that the attacker tampers with sector
numbers in the journal.
* commit id
* data area (the size is variable; it depends on how many journal
entries fit into the metadata area)
every sector in the data area contains:
* data (504 bytes of data, the last 8 bytes are stored in
the journal entry)
* commit id
To test if the whole journal section was written correctly, every
512-byte sector of the journal ends with 8-byte commit id. If the
commit id matches on all sectors in a journal section, then it is
assumed that the section was written correctly. If the commit id
doesn't match, the section was written partially and it should not
be replayed.
* one or more runs of interleaved tags and data. Each run contains:
* tag area - it contains integrity tags. There is one tag for each
sector in the data area
* data area - it contains data sectors. The number of data sectors
in one run must be a power of two. log2 of this value is stored
in the superblock.

View File

@@ -16,15 +16,15 @@ Example scripts
[[ [[
#!/bin/sh #!/bin/sh
# Create an identity mapping for a device # Create an identity mapping for a device
echo "0 `blockdev --getsz $1` linear $1 0" | dmsetup create identity echo "0 `blockdev --getsize $1` linear $1 0" | dmsetup create identity
]] ]]
[[ [[
#!/bin/sh #!/bin/sh
# Join 2 devices together # Join 2 devices together
size1=`blockdev --getsz $1` size1=`blockdev --getsize $1`
size2=`blockdev --getsz $2` size2=`blockdev --getsize $2`
echo "0 $size1 linear $1 0 echo "0 $size1 linear $1 0
$size1 $size2 linear $2 0" | dmsetup create joined $size1 $size2 linear $2 0" | dmsetup create joined
]] ]]
@@ -44,7 +44,7 @@ if (!defined($dev)) {
die("Please specify a device.\n"); die("Please specify a device.\n");
} }
my $dev_size = `blockdev --getsz $dev`; my $dev_size = `blockdev --getsize $dev`;
my $extents = int($dev_size / $extent_size) - my $extents = int($dev_size / $extent_size) -
(($dev_size % $extent_size) ? 1 : 0); (($dev_size % $extent_size) ? 1 : 0);

View File

@@ -14,14 +14,14 @@ Log Ordering
We log things in order of completion once we are sure the write is no longer in We log things in order of completion once we are sure the write is no longer in
cache. This means that normal WRITE requests are not actually logged until the cache. This means that normal WRITE requests are not actually logged until the
next REQ_PREFLUSH request. This is to make it easier for userspace to replay next REQ_FLUSH request. This is to make it easier for userspace to replay the
the log in a way that correlates to what is on disk and not what is in cache, log in a way that correlates to what is on disk and not what is in cache, to
to make it easier to detect improper waiting/flushing. make it easier to detect improper waiting/flushing.
This works by attaching all WRITE requests to a list once the write completes. This works by attaching all WRITE requests to a list once the write completes.
Once we see a REQ_PREFLUSH request we splice this list onto the request and once Once we see a REQ_FLUSH request we splice this list onto the request and once
the FLUSH request completes we log all of the WRITEs and then the FLUSH. Only the FLUSH request completes we log all of the WRITEs and then the FLUSH. Only
completed WRITEs, at the time the REQ_PREFLUSH is issued, are added in order to completed WRITEs, at the time the REQ_FLUSH is issued, are added in order to
simulate the worst case scenario with regard to power failures. Consider the simulate the worst case scenario with regard to power failures. Consider the
following example (W means write, C means complete): following example (W means write, C means complete):

View File

@@ -14,12 +14,8 @@ The target is named "raid" and it accepts the following parameters:
<#raid_devs> <metadata_dev0> <dev0> [.. <metadata_devN> <devN>] <#raid_devs> <metadata_dev0> <dev0> [.. <metadata_devN> <devN>]
<raid_type>: <raid_type>:
raid0 RAID0 striping (no resilience)
raid1 RAID1 mirroring raid1 RAID1 mirroring
raid4 RAID4 with dedicated last parity disk raid4 RAID4 dedicated parity disk
raid5_n RAID5 with dedicated last parity disk supporting takeover
Same as raid4
-Transitory layout
raid5_la RAID5 left asymmetric raid5_la RAID5 left asymmetric
- rotating parity 0 with data continuation - rotating parity 0 with data continuation
raid5_ra RAID5 right asymmetric raid5_ra RAID5 right asymmetric
@@ -34,19 +30,7 @@ The target is named "raid" and it accepts the following parameters:
- rotating parity N (right-to-left) with data restart - rotating parity N (right-to-left) with data restart
raid6_nc RAID6 N continue raid6_nc RAID6 N continue
- rotating parity N (right-to-left) with data continuation - rotating parity N (right-to-left) with data continuation
raid6_n_6 RAID6 with dedicate parity disks
- parity and Q-syndrome on the last 2 disks;
layout for takeover from/to raid4/raid5_n
raid6_la_6 Same as "raid_la" plus dedicated last Q-syndrome disk
- layout for takeover from raid5_la from/to raid6
raid6_ra_6 Same as "raid5_ra" dedicated last Q-syndrome disk
- layout for takeover from raid5_ra from/to raid6
raid6_ls_6 Same as "raid5_ls" dedicated last Q-syndrome disk
- layout for takeover from raid5_ls from/to raid6
raid6_rs_6 Same as "raid5_rs" dedicated last Q-syndrome disk
- layout for takeover from raid5_rs from/to raid6
raid10 Various RAID10 inspired algorithms chosen by additional params raid10 Various RAID10 inspired algorithms chosen by additional params
(see raid10_format and raid10_copies below)
- RAID10: Striped Mirrors (aka 'Striping on top of mirrors') - RAID10: Striped Mirrors (aka 'Striping on top of mirrors')
- RAID1E: Integrated Adjacent Stripe Mirroring - RAID1E: Integrated Adjacent Stripe Mirroring
- RAID1E: Integrated Offset Stripe Mirroring - RAID1E: Integrated Offset Stripe Mirroring
@@ -132,57 +116,10 @@ The target is named "raid" and it accepts the following parameters:
Here we see layouts closely akin to 'RAID1E - Integrated Here we see layouts closely akin to 'RAID1E - Integrated
Offset Stripe Mirroring'. Offset Stripe Mirroring'.
[delta_disks <N>]
The delta_disks option value (-251 < N < +251) triggers
device removal (negative value) or device addition (positive
value) to any reshape supporting raid levels 4/5/6 and 10.
RAID levels 4/5/6 allow for addition of devices (metadata
and data device tuple), raid10_near and raid10_offset only
allow for device addition. raid10_far does not support any
reshaping at all.
A minimum of devices have to be kept to enforce resilience,
which is 3 devices for raid4/5 and 4 devices for raid6.
[data_offset <sectors>]
This option value defines the offset into each data device
where the data starts. This is used to provide out-of-place
reshaping space to avoid writing over data whilst
changing the layout of stripes, hence an interruption/crash
may happen at any time without the risk of losing data.
E.g. when adding devices to an existing raid set during
forward reshaping, the out-of-place space will be allocated
at the beginning of each raid device. The kernel raid4/5/6/10
MD personalities supporting such device addition will read the data from
the existing first stripes (those with smaller number of stripes)
starting at data_offset to fill up a new stripe with the larger
number of stripes, calculate the redundancy blocks (CRC/Q-syndrome)
and write that new stripe to offset 0. Same will be applied to all
N-1 other new stripes. This out-of-place scheme is used to change
the RAID type (i.e. the allocation algorithm) as well, e.g.
changing from raid5_ls to raid5_n.
[journal_dev <dev>]
This option adds a journal device to raid4/5/6 raid sets and
uses it to close the 'write hole' caused by the non-atomic updates
to the component devices which can cause data loss during recovery.
The journal device is used as writethrough thus causing writes to
be throttled versus non-journaled raid4/5/6 sets.
Takeover/reshape is not possible with a raid4/5/6 journal device;
it has to be deconfigured before requesting these.
[journal_mode <mode>]
This option sets the caching mode on journaled raid4/5/6 raid sets
(see 'journal_dev <dev>' above) to 'writethrough' or 'writeback'.
If 'writeback' is selected the journal device has to be resilient
and must not suffer from the 'write hole' problem itself (e.g. use
raid1 or raid10) to avoid a single point of failure.
<#raid_devs>: The number of devices composing the array. <#raid_devs>: The number of devices composing the array.
Each device consists of two entries. The first is the device Each device consists of two entries. The first is the device
containing the metadata (if any); the second is the one containing the containing the metadata (if any); the second is the one containing the
data. A Maximum of 64 metadata/data device entries are supported data.
up to target version 1.8.0.
1.9.0 supports up to 253 which is enforced by the used MD kernel runtime.
If a drive has failed or is missing at creation time, a '-' can be If a drive has failed or is missing at creation time, a '-' can be
given for both the metadata and data drives for a given position. given for both the metadata and data drives for a given position.
@@ -258,14 +195,6 @@ recovery. Here is a fuller description of the individual fields:
in RAID1/10 or wrong parity values found in RAID4/5/6. in RAID1/10 or wrong parity values found in RAID4/5/6.
This value is valid only after a "check" of the array This value is valid only after a "check" of the array
is performed. A healthy array has a 'mismatch_cnt' of 0. is performed. A healthy array has a 'mismatch_cnt' of 0.
<data_offset> The current data offset to the start of the user data on
each component device of a raid set (see the respective
raid parameter to support out-of-place reshaping).
<journal_char> 'A' - active write-through journal device.
'a' - active write-back journal device.
'D' - dead journal device.
'-' - no journal device.
Message Interface Message Interface
----------------- -----------------
@@ -278,6 +207,7 @@ include:
"recover"- Initiate/continue a recover process. "recover"- Initiate/continue a recover process.
"check" - Initiate a check (i.e. a "scrub") of the array. "check" - Initiate a check (i.e. a "scrub") of the array.
"repair" - Initiate a repair of the array. "repair" - Initiate a repair of the array.
"reshape"- Currently unsupported (-EINVAL).
Discard Support Discard Support
@@ -327,19 +257,3 @@ Version History
1.5.2 'mismatch_cnt' is zero unless [last_]sync_action is "check". 1.5.2 'mismatch_cnt' is zero unless [last_]sync_action is "check".
1.6.0 Add discard support (and devices_handle_discard_safely module param). 1.6.0 Add discard support (and devices_handle_discard_safely module param).
1.7.0 Add support for MD RAID0 mappings. 1.7.0 Add support for MD RAID0 mappings.
1.8.0 Explicitly check for compatible flags in the superblock metadata
and reject to start the raid set if any are set by a newer
target version, thus avoiding data corruption on a raid set
with a reshape in progress.
1.9.0 Add support for RAID level takeover/reshape/region size
and set size reduction.
1.9.1 Fix activation of existing RAID 4/10 mapped devices
1.9.2 Don't emit '- -' on the status table line in case the constructor
fails reading a superblock. Correctly emit 'maj:min1 maj:min2' and
'D' on the status line. If '- -' is passed into the constructor, emit
'- -' on the table line and '-' as the status line health character.
1.10.0 Add support for raid4/5/6 journal device
1.10.1 Fix data corruption on reshape request
1.11.0 Fix table line argument order
(wrong raid10_copies/raid10_format sequence)
1.11.1 Add raid4/5/6 journal write-back support via journal_mode option

View File

@@ -37,9 +37,9 @@ if (!$num_devs) {
die("Specify at least one device\n"); die("Specify at least one device\n");
} }
$min_dev_size = `blockdev --getsz $devs[0]`; $min_dev_size = `blockdev --getsize $devs[0]`;
for ($i = 1; $i < $num_devs; $i++) { for ($i = 1; $i < $num_devs; $i++) {
my $this_size = `blockdev --getsz $devs[$i]`; my $this_size = `blockdev --getsize $devs[$i]`;
$min_dev_size = ($min_dev_size < $this_size) ? $min_dev_size = ($min_dev_size < $this_size) ?
$min_dev_size : $this_size; $min_dev_size : $this_size;
} }

View File

@@ -123,7 +123,7 @@ Assume that you have volumes vg1/switch0 vg1/switch1 vg1/switch2 with
the same size. the same size.
Create a switch device with 64kB region size: Create a switch device with 64kB region size:
dmsetup create switch --table "0 `blockdev --getsz /dev/vg1/switch0` dmsetup create switch --table "0 `blockdev --getsize /dev/vg1/switch0`
switch 3 128 0 /dev/vg1/switch0 0 /dev/vg1/switch1 0 /dev/vg1/switch2 0" switch 3 128 0 /dev/vg1/switch0 0 /dev/vg1/switch1 0 /dev/vg1/switch2 0"
Set mappings for the first 7 entries to point to devices switch0, switch1, Set mappings for the first 7 entries to point to devices switch0, switch1,

View File

@@ -1,144 +0,0 @@
dm-zoned
========
The dm-zoned device mapper target exposes a zoned block device (ZBC and
ZAC compliant devices) as a regular block device without any write
pattern constraints. In effect, it implements a drive-managed zoned
block device which hides from the user (a file system or an application
doing raw block device accesses) the sequential write constraints of
host-managed zoned block devices and can mitigate the potential
device-side performance degradation due to excessive random writes on
host-aware zoned block devices.
For a more detailed description of the zoned block device models and
their constraints see (for SCSI devices):
http://www.t10.org/drafts.htm#ZBC_Family
and (for ATA devices):
http://www.t13.org/Documents/UploadedDocuments/docs2015/di537r05-Zoned_Device_ATA_Command_Set_ZAC.pdf
The dm-zoned implementation is simple and minimizes system overhead (CPU
and memory usage as well as storage capacity loss). For a 10TB
host-managed disk with 256 MB zones, dm-zoned memory usage per disk
instance is at most 4.5 MB and as little as 5 zones will be used
internally for storing metadata and performaing reclaim operations.
dm-zoned target devices are formatted and checked using the dmzadm
utility available at:
https://github.com/hgst/dm-zoned-tools
Algorithm
=========
dm-zoned implements an on-disk buffering scheme to handle non-sequential
write accesses to the sequential zones of a zoned block device.
Conventional zones are used for caching as well as for storing internal
metadata.
The zones of the device are separated into 2 types:
1) Metadata zones: these are conventional zones used to store metadata.
Metadata zones are not reported as useable capacity to the user.
2) Data zones: all remaining zones, the vast majority of which will be
sequential zones used exclusively to store user data. The conventional
zones of the device may be used also for buffering user random writes.
Data in these zones may be directly mapped to the conventional zone, but
later moved to a sequential zone so that the conventional zone can be
reused for buffering incoming random writes.
dm-zoned exposes a logical device with a sector size of 4096 bytes,
irrespective of the physical sector size of the backend zoned block
device being used. This allows reducing the amount of metadata needed to
manage valid blocks (blocks written).
The on-disk metadata format is as follows:
1) The first block of the first conventional zone found contains the
super block which describes the on disk amount and position of metadata
blocks.
2) Following the super block, a set of blocks is used to describe the
mapping of the logical device blocks. The mapping is done per chunk of
blocks, with the chunk size equal to the zoned block device size. The
mapping table is indexed by chunk number and each mapping entry
indicates the zone number of the device storing the chunk of data. Each
mapping entry may also indicate if the zone number of a conventional
zone used to buffer random modification to the data zone.
3) A set of blocks used to store bitmaps indicating the validity of
blocks in the data zones follows the mapping table. A valid block is
defined as a block that was written and not discarded. For a buffered
data chunk, a block is always valid only in the data zone mapping the
chunk or in the buffer zone of the chunk.
For a logical chunk mapped to a conventional zone, all write operations
are processed by directly writing to the zone. If the mapping zone is a
sequential zone, the write operation is processed directly only if the
write offset within the logical chunk is equal to the write pointer
offset within of the sequential data zone (i.e. the write operation is
aligned on the zone write pointer). Otherwise, write operations are
processed indirectly using a buffer zone. In that case, an unused
conventional zone is allocated and assigned to the chunk being
accessed. Writing a block to the buffer zone of a chunk will
automatically invalidate the same block in the sequential zone mapping
the chunk. If all blocks of the sequential zone become invalid, the zone
is freed and the chunk buffer zone becomes the primary zone mapping the
chunk, resulting in native random write performance similar to a regular
block device.
Read operations are processed according to the block validity
information provided by the bitmaps. Valid blocks are read either from
the sequential zone mapping a chunk, or if the chunk is buffered, from
the buffer zone assigned. If the accessed chunk has no mapping, or the
accessed blocks are invalid, the read buffer is zeroed and the read
operation terminated.
After some time, the limited number of convnetional zones available may
be exhausted (all used to map chunks or buffer sequential zones) and
unaligned writes to unbuffered chunks become impossible. To avoid this
situation, a reclaim process regularly scans used conventional zones and
tries to reclaim the least recently used zones by copying the valid
blocks of the buffer zone to a free sequential zone. Once the copy
completes, the chunk mapping is updated to point to the sequential zone
and the buffer zone freed for reuse.
Metadata Protection
===================
To protect metadata against corruption in case of sudden power loss or
system crash, 2 sets of metadata zones are used. One set, the primary
set, is used as the main metadata region, while the secondary set is
used as a staging area. Modified metadata is first written to the
secondary set and validated by updating the super block in the secondary
set, a generation counter is used to indicate that this set contains the
newest metadata. Once this operation completes, in place of metadata
block updates can be done in the primary metadata set. This ensures that
one of the set is always consistent (all modifications committed or none
at all). Flush operations are used as a commit point. Upon reception of
a flush request, metadata modification activity is temporarily blocked
(for both incoming BIO processing and reclaim process) and all dirty
metadata blocks are staged and updated. Normal operation is then
resumed. Flushing metadata thus only temporarily delays write and
discard requests. Read requests can be processed concurrently while
metadata flush is being executed.
Usage
=====
A zoned block device must first be formatted using the dmzadm tool. This
will analyze the device zone configuration, determine where to place the
metadata sets on the device and initialize the metadata sets.
Ex:
dmzadm --format /dev/sdxx
For a formatted device, the target can be created normally with the
dmsetup utility. The only parameter that dm-zoned requires is the
underlying zoned block device name. Ex:
echo "0 `blockdev --getsize ${dev}` zoned ${dev}" | dmsetup create dmz-`basename ${dev}`

View File

@@ -1,85 +0,0 @@
# VDO - Compression and deduplication.
Currently device stacking looks like this:
Physical x [multipath] x [partition] x [mdadm] x [LUKS] x [LVS] x [LUKS] x [FS|Database|...]
Adding VDO:
Physical x [multipath] x [partition] x [mdadm] x [LUKS] x [LVS] x [LUKS] x VDO x [LVS] x [FS|Database|...]
## Where VDO fits (and where it does not):
### Backing devices for VDO volumes:
1. Physical x [multipath] x [partition] x [mdadm],
2. LUKS over (1) - full disk encryption.
3. LVs (raids|mirror|stripe|linear) x [cache] over (1).
4. LUKS over (3) - especially when using raids.
Usual limitations apply:
- Never layer LUKS over another LUKS - it makes no sense.
- LUKS is better over the raids, than under.
### Using VDO as a PV:
1. under tpool
- The best fit - it will deduplicate additional redundancies among all
snapshots and will reduce the footprint.
- Risks: Resize! dmevent will not be able to handle resizing of tpool ATM.
2. under corig
- Cache fits better under VDO device - it will reduce amount of data, and
deduplicate, so there should be more hits.
- This is useful to keep the most frequently used data in cache
uncompressed (if that happens to be a bottleneck.)
3. under (multiple) linear LVs - e.g. used for VMs.
### And where VDO does not fit:
- *never* use VDO under LUKS volumes
- these are random data and do not compress nor deduplicate well,
- *never* use VDO under cmeta and tmeta LVs
- these are random data and do not compress nor deduplicate well,
- under raids
- raid{4,5,6} scrambles data, so they do not deduplicate well,
- raid{1,4,5,6,10} also causes amount of data grow, so more (duplicit in
case of raid{1,10}) work has to be done in order to find less duplicates.
### And where it could be useful:
- under snapshot CoW device - when there are multiple of those it could deduplicate
### Things to decide
- under integrity devices - it should work - mostly for data
- hash is not compressible and unique - it makes sense to have separate imeta and idata volumes for integrity devices
### Future Integration of VDO into LVM:
One issue is using both LUKS and RAID under VDO. We have two options:
- use mdadm x LUKS x VDO+LV
- use LV RAID x LUKS x VDO+LV - still requiring recursive LVs.
Another issue is duality of VDO - it is a top level LV but it can be seen as a "pool" for multiple devices.
- This is one usecase which could not be handled by LVM at the moment.
- Size of the VDO is its physical size and virtual size - just like tpool.
- same problems with virtual vs physical size - it can get full, without exposing it fo a FS
Another possible RFE is to split data and metadata:
- e.g. keep data on HDD and metadata on SSD
## Issues / Testing
- fstrim/discard pass down - does it work with VDO?
- VDO can run in synchronous vs. asynchronous mode
- synchronous for devices where write is safe after it is confirmed. Some devices are lying.
- asynchronous for devices requiring flush
- multiple devices under VDO - need to find common options
- pvmove - changing characteristics of underlying device
- autoactivation during boot
- Q: can we use VDO for RootFS?

View File

@@ -50,7 +50,6 @@
@top_srcdir@/lib/misc/lvm-file.h @top_srcdir@/lib/misc/lvm-file.h
@top_srcdir@/lib/misc/lvm-flock.h @top_srcdir@/lib/misc/lvm-flock.h
@top_srcdir@/lib/misc/lvm-globals.h @top_srcdir@/lib/misc/lvm-globals.h
@top_srcdir@/lib/misc/lvm-maths.h
@top_srcdir@/lib/misc/lvm-percent.h @top_srcdir@/lib/misc/lvm-percent.h
@top_srcdir@/lib/misc/lvm-signal.h @top_srcdir@/lib/misc/lvm-signal.h
@top_srcdir@/lib/misc/lvm-string.h @top_srcdir@/lib/misc/lvm-string.h

View File

@@ -1,8 +1,5 @@
/* include/configure.h.in. Generated from configure.in by autoheader. */ /* include/configure.h.in. Generated from configure.in by autoheader. */
/* Define to 1 if aio is available. */
#undef AIO_SUPPORT
/* Define to 1 to use libblkid detection of signatures when wiping. */ /* Define to 1 to use libblkid detection of signatures when wiping. */
#undef BLKID_WIPING_SUPPORT #undef BLKID_WIPING_SUPPORT
@@ -130,9 +127,6 @@
/* Path to dmeventd pidfile. */ /* Path to dmeventd pidfile. */
#undef DMEVENTD_PIDFILE #undef DMEVENTD_PIDFILE
/* Define to 1 to enable the device-mapper filemap daemon. */
#undef DMFILEMAPD
/* Define to enable compat protocol */ /* Define to enable compat protocol */
#undef DM_COMPAT #undef DM_COMPAT
@@ -151,9 +145,6 @@
/* Library version */ /* Library version */
#undef DM_LIB_VERSION #undef DM_LIB_VERSION
/* Path to fsadm binary. */
#undef FSADM_PATH
/* Define to 1 if you have the `alarm' function. */ /* Define to 1 if you have the `alarm' function. */
#undef HAVE_ALARM #undef HAVE_ALARM
@@ -350,9 +341,6 @@
/* Define to 1 if the system has the type `ptrdiff_t'. */ /* Define to 1 if the system has the type `ptrdiff_t'. */
#undef HAVE_PTRDIFF_T #undef HAVE_PTRDIFF_T
/* Define to 1 if the compiler has the `__builtin_clz` builtin. */
#undef HAVE___BUILTIN_CLZ
/* Define to 1 if you have the <readline/history.h> header file. */ /* Define to 1 if you have the <readline/history.h> header file. */
#undef HAVE_READLINE_HISTORY_H #undef HAVE_READLINE_HISTORY_H
@@ -497,9 +485,6 @@
/* Define to 1 if you have the <sys/file.h> header file. */ /* Define to 1 if you have the <sys/file.h> header file. */
#undef HAVE_SYS_FILE_H #undef HAVE_SYS_FILE_H
/* Define to 1 if you have the <sys/inotify.h> header file. */
#undef HAVE_SYS_INOTIFY_H
/* Define to 1 if you have the <sys/ioctl.h> header file. */ /* Define to 1 if you have the <sys/ioctl.h> header file. */
#undef HAVE_SYS_IOCTL_H #undef HAVE_SYS_IOCTL_H
@@ -635,9 +620,6 @@
/* Define to 1 to include code that uses lvmpolld. */ /* Define to 1 to include code that uses lvmpolld. */
#undef LVMPOLLD_SUPPORT #undef LVMPOLLD_SUPPORT
/* configure command line used */
#undef LVM_CONFIGURE_LINE
/* Path to lvm binary. */ /* Path to lvm binary. */
#undef LVM_PATH #undef LVM_PATH
@@ -688,6 +670,9 @@
/* Define to 1 to include the LVM readline shell. */ /* Define to 1 to include the LVM readline shell. */
#undef READLINE_SUPPORT #undef READLINE_SUPPORT
/* Define to 1 to include built-in support for replicators. */
#undef REPLICATOR_INTERNAL
/* Define as the return type of signal handlers (`int' or `void'). */ /* Define as the return type of signal handlers (`int' or `void'). */
#undef RETSIGTYPE #undef RETSIGTYPE

View File

@@ -36,6 +36,10 @@ ifeq ("@RAID@", "shared")
SUBDIRS += raid SUBDIRS += raid
endif endif
ifeq ("@REPLICATORS@", "shared")
SUBDIRS += replicator
endif
ifeq ("@THIN@", "shared") ifeq ("@THIN@", "shared")
SUBDIRS += thin SUBDIRS += thin
endif endif
@@ -44,10 +48,6 @@ ifeq ("@CACHE@", "shared")
SUBDIRS += cache_segtype SUBDIRS += cache_segtype
endif endif
ifeq ("@CLUSTER@", "shared")
SUBDIRS += locking
endif
SOURCES =\ SOURCES =\
activate/activate.c \ activate/activate.c \
cache/lvmcache.c \ cache/lvmcache.c \
@@ -96,13 +96,13 @@ SOURCES =\
metadata/lv_manip.c \ metadata/lv_manip.c \
metadata/merge.c \ metadata/merge.c \
metadata/metadata.c \ metadata/metadata.c \
metadata/metadata-liblvm.c \
metadata/mirror.c \ metadata/mirror.c \
metadata/pool_manip.c \ metadata/pool_manip.c \
metadata/pv.c \ metadata/pv.c \
metadata/pv_manip.c \ metadata/pv_manip.c \
metadata/pv_map.c \ metadata/pv_map.c \
metadata/raid_manip.c \ metadata/raid_manip.c \
metadata/replicator_manip.c \
metadata/segtype.c \ metadata/segtype.c \
metadata/snapshot_manip.c \ metadata/snapshot_manip.c \
metadata/thin_manip.c \ metadata/thin_manip.c \
@@ -112,7 +112,6 @@ SOURCES =\
misc/lvm-file.c \ misc/lvm-file.c \
misc/lvm-flock.c \ misc/lvm-flock.c \
misc/lvm-globals.c \ misc/lvm-globals.c \
misc/lvm-maths.c \
misc/lvm-signal.c \ misc/lvm-signal.c \
misc/lvm-string.c \ misc/lvm-string.c \
misc/lvm-wrappers.c \ misc/lvm-wrappers.c \
@@ -149,6 +148,10 @@ ifeq ("@CLUSTER@", "internal")
SOURCES += locking/cluster_locking.c SOURCES += locking/cluster_locking.c
endif endif
ifeq ("@CLUSTER@", "shared")
SUBDIRS += locking
endif
ifeq ("@SNAPSHOTS@", "internal") ifeq ("@SNAPSHOTS@", "internal")
SOURCES += snapshot/snapshot.c SOURCES += snapshot/snapshot.c
endif endif
@@ -161,6 +164,10 @@ ifeq ("@RAID@", "internal")
SOURCES += raid/raid.c SOURCES += raid/raid.c
endif endif
ifeq ("@REPLICATORS@", "internal")
SOURCES += replicator/replicator.c
endif
ifeq ("@THIN@", "internal") ifeq ("@THIN@", "internal")
SOURCES += thin/thin.c SOURCES += thin/thin.c
endif endif
@@ -196,6 +203,11 @@ ifeq ("@BUILD_LVMLOCKD@", "yes")
locking/lvmlockd.c locking/lvmlockd.c
endif endif
ifeq ("@DMEVENTD@", "yes")
CLDFLAGS += -L$(top_builddir)/daemons/dmeventd
LIBS += -ldevmapper-event
endif
LIB_NAME = liblvm-internal LIB_NAME = liblvm-internal
LIB_STATIC = $(LIB_NAME).a LIB_STATIC = $(LIB_NAME).a
@@ -207,6 +219,7 @@ ifeq ($(MAKECMDGOALS),distclean)
mirror \ mirror \
notify \ notify \
raid \ raid \
replicator \
thin \ thin \
cache_segtype \ cache_segtype \
locking locking
@@ -215,10 +228,10 @@ endif
CFLOW_LIST = $(SOURCES) CFLOW_LIST = $(SOURCES)
CFLOW_LIST_TARGET = $(LIB_NAME).cflow CFLOW_LIST_TARGET = $(LIB_NAME).cflow
PROGS_CFLAGS = $(BLKID_CFLAGS) $(UDEV_CFLAGS)
include $(top_builddir)/make.tmpl include $(top_builddir)/make.tmpl
CFLAGS += $(BLKID_CFLAGS) $(UDEV_CFLAGS) $(VALGRIND_CFLAGS)
$(SUBDIRS): $(LIB_STATIC) $(SUBDIRS): $(LIB_STATIC)
CLEAN_TARGETS += misc/configure.h misc/lvm-version.h CLEAN_TARGETS += misc/configure.h misc/lvm-version.h

View File

@@ -1,6 +1,6 @@
/* /*
* Copyright (C) 2001-2004 Sistina Software, Inc. All rights reserved. * Copyright (C) 2001-2004 Sistina Software, Inc. All rights reserved.
* Copyright (C) 2004-2017 Red Hat, Inc. All rights reserved. * Copyright (C) 2004-2016 Red Hat, Inc. All rights reserved.
* *
* This file is part of LVM2. * This file is part of LVM2.
* *
@@ -150,14 +150,14 @@ static int _lv_passes_volumes_filter(struct cmd_context *cmd, const struct logic
|| str_list_match_list(&cmd->tags, || str_list_match_list(&cmd->tags,
&lv->vg->tags, NULL)) &lv->vg->tags, NULL))
return 1; return 1;
else
continue; continue;
} }
/* If supplied tag matches LV or VG tag, activate */ /* If supplied tag matches LV or VG tag, activate */
if (str_list_match_item(&lv->tags, str) || if (str_list_match_item(&lv->tags, str) ||
str_list_match_item(&lv->vg->tags, str)) str_list_match_item(&lv->vg->tags, str))
return 1; return 1;
else
continue; continue;
} }
@@ -272,18 +272,10 @@ int lv_raid_percent(const struct logical_volume *lv, dm_percent_t *percent)
{ {
return 0; return 0;
} }
int lv_raid_data_offset(const struct logical_volume *lv, uint64_t *data_offset)
{
return 0;
}
int lv_raid_dev_health(const struct logical_volume *lv, char **dev_health) int lv_raid_dev_health(const struct logical_volume *lv, char **dev_health)
{ {
return 0; return 0;
} }
int lv_raid_dev_count(const struct logical_volume *lv, uint32_t *dev_cnt)
{
return 0;
}
int lv_raid_mismatch_count(const struct logical_volume *lv, uint64_t *cnt) int lv_raid_mismatch_count(const struct logical_volume *lv, uint64_t *cnt)
{ {
return 0; return 0;
@@ -323,6 +315,12 @@ int lvs_in_vg_opened(const struct volume_group *vg)
{ {
return 0; return 0;
} }
/******
int lv_suspend(struct cmd_context *cmd, const char *lvid_s)
{
return 1;
}
*******/
int lv_suspend_if_active(struct cmd_context *cmd, const char *lvid_s, unsigned origin_only, unsigned exclusive, int lv_suspend_if_active(struct cmd_context *cmd, const char *lvid_s, unsigned origin_only, unsigned exclusive,
const struct logical_volume *lv, const struct logical_volume *lv_pre) const struct logical_volume *lv, const struct logical_volume *lv_pre)
{ {
@@ -360,10 +358,6 @@ int lv_mknodes(struct cmd_context *cmd, const struct logical_volume *lv)
{ {
return 1; return 1;
} }
int lv_deactivate_any_missing_subdevs(const struct logical_volume *lv)
{
return 1;
}
int pv_uses_vg(struct physical_volume *pv, int pv_uses_vg(struct physical_volume *pv,
struct volume_group *vg) struct volume_group *vg)
{ {
@@ -376,11 +370,6 @@ void activation_exit(void)
{ {
} }
int raid4_is_supported(struct cmd_context *cmd, const struct segment_type *segtype)
{
return 1;
}
int lv_is_active(const struct logical_volume *lv) int lv_is_active(const struct logical_volume *lv)
{ {
return 0; return 0;
@@ -661,10 +650,6 @@ int target_present(struct cmd_context *cmd, const char *target_name,
&maj, &min, &patchlevel); &maj, &min, &patchlevel);
} }
/*
* When '*info' is NULL, returns 1 only when LV is active.
* When '*info' != NULL, returns 1 when info structure is populated.
*/
static int _lv_info(struct cmd_context *cmd, const struct logical_volume *lv, static int _lv_info(struct cmd_context *cmd, const struct logical_volume *lv,
int use_layer, struct lvinfo *info, int use_layer, struct lvinfo *info,
const struct lv_segment *seg, const struct lv_segment *seg,
@@ -698,6 +683,32 @@ static int _lv_info(struct cmd_context *cmd, const struct logical_volume *lv,
if (seg_status) { if (seg_status) {
/* TODO: for now it's mess with seg_status */ /* TODO: for now it's mess with seg_status */
seg_status->seg = seg; seg_status->seg = seg;
if (lv_is_merging_cow(lv)) {
if (lv_has_target_type(cmd->mem, origin_from_cow(lv), NULL, TARGET_NAME_SNAPSHOT_MERGE)) {
/*
* When the snapshot-merge has not yet started, query COW LVs as is.
* When merge is in progress, query merging origin LV instead.
* COW volume is already mapped as error target in this case.
*/
lv = origin_from_cow(lv);
seg_status->seg = first_seg(lv);
log_debug_activation("Snapshot merge is in progress, querying status of %s instead.",
display_lvname(lv));
}
} else if (!use_layer && lv_is_origin(lv) && !lv_is_external_origin(lv)) {
/*
* Query status for 'layered' (-real) device most of the time,
* only when snapshot merge started, query its progress.
* TODO: single LV may need couple status to be exposed at once....
* but this needs more logical background
*/
if (!lv_is_merging_origin(lv) ||
!lv_has_target_type(cmd->mem, origin_from_cow(lv), NULL, TARGET_NAME_SNAPSHOT_MERGE))
use_layer = 1;
} else if (lv_is_cow(lv)) {
/* Hadle fictional lvm2 snapshot and query snapshotX volume */
seg_status->seg = find_snapshot(lv);
}
} }
if (!dev_manager_info(cmd, lv, if (!dev_manager_info(cmd, lv,
@@ -751,102 +762,44 @@ int lv_info_by_lvid(struct cmd_context *cmd, const char *lvid_s, int use_layer,
} }
/* /*
* Returns 1 if lv_with_info_and_seg_status info structure populated, * Returns 1 if lv_seg_status structure populated,
* else 0 on failure or if device not active locally. * else 0 on failure or if device not active locally.
*
* When seg_status parsing had troubles it will set type to SEG_STATUS_UNKNOWN.
*
* Using usually one ioctl to obtain info and status.
* More complex segment do collect info from one device,
* but status from another device.
*
* TODO: further improve with more statuses (i.e. snapshot's origin/merge)
*/ */
int lv_info_with_seg_status(struct cmd_context *cmd, int lv_status(struct cmd_context *cmd, const struct lv_segment *lv_seg,
const struct lv_segment *lv_seg, int use_layer, struct lv_seg_status *lv_seg_status)
struct lv_with_info_and_seg_status *status,
int with_open_count, int with_read_ahead)
{ {
const struct logical_volume *olv, *lv = status->lv = lv_seg->lv;
if (!activation()) if (!activation())
return 0; return 0;
if (lv_is_used_cache_pool(lv)) { return _lv_info(cmd, lv_seg->lv, use_layer, NULL, lv_seg, lv_seg_status, 0, 0);
/* INFO is not set as cache-pool cannot be active.
* STATUS is collected from cache LV */
if (!(lv_seg = get_only_segment_using_this_lv(lv)))
return_0;
(void) _lv_info(cmd, lv_seg->lv, 1, NULL, lv_seg, &status->seg_status, 0, 0);
return 1;
} }
if (lv_is_thin_pool(lv)) {
/* Always collect status for '-tpool' */
if (_lv_info(cmd, lv, 1, &status->info, lv_seg, &status->seg_status, 0, 0) &&
(status->seg_status.type == SEG_STATUS_THIN_POOL)) {
/* There is -tpool device, but query 'active' state of 'fake' thin-pool */
if (!_lv_info(cmd, lv, 0, NULL, NULL, NULL, 0, 0) &&
!status->seg_status.thin_pool->needs_check)
status->info.exists = 0; /* So pool LV is not active */
}
return 1;
}
if (lv_is_external_origin(lv)) {
if (!_lv_info(cmd, lv, 0, &status->info, NULL, NULL,
with_open_count, with_read_ahead))
return_0;
(void) _lv_info(cmd, lv, 1, NULL, lv_seg, &status->seg_status, 0, 0);
return 1;
}
if (lv_is_origin(lv)) {
/* Query segment status for 'layered' (-real) device most of the time,
* only for merging snapshot, query its progress.
* TODO: single LV may need couple status to be exposed at once....
* but this needs more logical background
*/
/* Show INFO for actual origin and grab status for merging origin */
if (!_lv_info(cmd, lv, 0, &status->info, lv_seg,
lv_is_merging_origin(lv) ? &status->seg_status : NULL,
with_open_count, with_read_ahead))
return_0;
if (status->info.exists &&
(status->seg_status.type != SEG_STATUS_SNAPSHOT)) /* Not merging */
/* Grab STATUS from layered -real */
(void) _lv_info(cmd, lv, 1, NULL, lv_seg, &status->seg_status, 0, 0);
return 1;
}
if (lv_is_cow(lv)) {
if (lv_is_merging_cow(lv)) {
olv = origin_from_cow(lv);
if (!_lv_info(cmd, olv, 0, &status->info, first_seg(olv), &status->seg_status,
with_open_count, with_read_ahead))
return_0;
if (status->seg_status.type == SEG_STATUS_SNAPSHOT) {
log_debug_activation("Snapshot merge is in progress, querying status of %s instead.",
display_lvname(lv));
/* /*
* When merge is in progress, query merging origin LV instead. * Returns 1 if lv_with_info_and_seg_status structure populated,
* COW volume is already mapped as error target in this case. * else 0 on failure or if device not active locally.
*
* This is the same as calling lv_info and lv_status,
* but* it's done in one go with one ioctl if possible! ]
*/ */
return 1; int lv_info_with_seg_status(struct cmd_context *cmd, const struct logical_volume *lv,
} const struct lv_segment *lv_seg, int use_layer,
struct lv_with_info_and_seg_status *status,
int with_open_count, int with_read_ahead)
{
if (!activation())
return 0;
/* Merge not yet started, still a snapshot... */ if (lv == lv_seg->lv)
} return _lv_info(cmd, lv, use_layer, &status->info, lv_seg, &status->seg_status,
/* Hadle fictional lvm2 snapshot and query snapshotX volume */
lv_seg = find_snapshot(lv);
}
return _lv_info(cmd, lv, 0, &status->info, lv_seg, &status->seg_status,
with_open_count, with_read_ahead); with_open_count, with_read_ahead);
/*
* If the info is requested for an LV and segment
* status for segment that belong to another LV,
* we need to acquire info and status separately!
*/
return _lv_info(cmd, lv, use_layer, &status->info, NULL, NULL, with_open_count, with_read_ahead) &&
_lv_info(cmd, lv_seg->lv, use_layer, NULL, lv_seg, &status->seg_status, 0, 0);
} }
#define OPEN_COUNT_CHECK_RETRIES 25 #define OPEN_COUNT_CHECK_RETRIES 25
@@ -992,30 +945,6 @@ int lv_raid_percent(const struct logical_volume *lv, dm_percent_t *percent)
return lv_mirror_percent(lv->vg->cmd, lv, 0, percent, NULL); return lv_mirror_percent(lv->vg->cmd, lv, 0, percent, NULL);
} }
int lv_raid_data_offset(const struct logical_volume *lv, uint64_t *data_offset)
{
int r;
struct dev_manager *dm;
struct dm_status_raid *status;
if (!lv_info(lv->vg->cmd, lv, 0, NULL, 0, 0))
return 0;
log_debug_activation("Checking raid data offset and dev sectors for LV %s/%s",
lv->vg->name, lv->name);
if (!(dm = dev_manager_create(lv->vg->cmd, lv->vg->name, 1)))
return_0;
if (!(r = dev_manager_raid_status(dm, lv, &status)))
stack;
*data_offset = status->data_offset;
dev_manager_destroy(dm);
return r;
}
int lv_raid_dev_health(const struct logical_volume *lv, char **dev_health) int lv_raid_dev_health(const struct logical_volume *lv, char **dev_health)
{ {
int r; int r;
@@ -1045,32 +974,6 @@ int lv_raid_dev_health(const struct logical_volume *lv, char **dev_health)
return r; return r;
} }
int lv_raid_dev_count(const struct logical_volume *lv, uint32_t *dev_cnt)
{
struct dev_manager *dm;
struct dm_status_raid *status;
*dev_cnt = 0;
if (!lv_info(lv->vg->cmd, lv, 0, NULL, 0, 0))
return 0;
log_debug_activation("Checking raid device count for LV %s/%s",
lv->vg->name, lv->name);
if (!(dm = dev_manager_create(lv->vg->cmd, lv->vg->name, 1)))
return_0;
if (!dev_manager_raid_status(dm, lv, &status)) {
dev_manager_destroy(dm);
return_0;
}
*dev_cnt = status->dev_count;
dev_manager_destroy(dm);
return 1;
}
int lv_raid_mismatch_count(const struct logical_volume *lv, uint64_t *cnt) int lv_raid_mismatch_count(const struct logical_volume *lv, uint64_t *cnt)
{ {
struct dev_manager *dm; struct dev_manager *dm;
@@ -1233,7 +1136,7 @@ int lv_cache_status(const struct logical_volume *cache_lv,
return 0; return 0;
} }
if (!lv_info(cache_lv->vg->cmd, cache_lv, 1, NULL, 0, 0)) { if (!lv_info(cache_lv->vg->cmd, cache_lv, 0, NULL, 0, 0)) {
log_error("Cannot check status for locally inactive cache volume %s.", log_error("Cannot check status for locally inactive cache volume %s.",
display_lvname(cache_lv)); display_lvname(cache_lv));
return 0; return 0;
@@ -1586,26 +1489,6 @@ out:
return r || l; return r || l;
} }
/*
* Check if "raid4" @segtype is supported by kernel.
*
* if segment type is not raid4, return 1.
*/
int raid4_is_supported(struct cmd_context *cmd, const struct segment_type *segtype)
{
unsigned attrs;
if (segtype_is_raid4(segtype) &&
(!segtype->ops->target_present ||
!segtype->ops->target_present(cmd, NULL, &attrs) ||
!(attrs & RAID_FEATURE_RAID4))) {
log_error("RAID module does not support RAID4.");
return 0;
}
return 1;
}
int lv_is_active(const struct logical_volume *lv) int lv_is_active(const struct logical_volume *lv)
{ {
return _lv_is_active(lv, NULL, NULL, NULL); return _lv_is_active(lv, NULL, NULL, NULL);
@@ -1665,7 +1548,7 @@ static struct dm_event_handler *_create_dm_event_handler(struct cmd_context *cmd
if (dm_event_handler_set_dmeventd_path(dmevh, find_config_tree_str(cmd, dmeventd_executable_CFG, NULL))) if (dm_event_handler_set_dmeventd_path(dmevh, find_config_tree_str(cmd, dmeventd_executable_CFG, NULL)))
goto_bad; goto_bad;
if (dso && dm_event_handler_set_dso(dmevh, dso)) if (dm_event_handler_set_dso(dmevh, dso))
goto_bad; goto_bad;
if (dm_event_handler_set_uuid(dmevh, dmuuid)) if (dm_event_handler_set_uuid(dmevh, dmuuid))
@@ -1701,7 +1584,7 @@ static char *_build_target_uuid(struct cmd_context *cmd, const struct logical_vo
if (lv_is_thin_pool(lv)) if (lv_is_thin_pool(lv))
layer = "tpool"; /* Monitor "tpool" for the "thin pool". */ layer = "tpool"; /* Monitor "tpool" for the "thin pool". */
else if (lv_is_origin(lv) || lv_is_external_origin(lv)) else if (lv_is_origin(lv))
layer = "real"; /* Monitor "real" for "snapshot-origin". */ layer = "real"; /* Monitor "real" for "snapshot-origin". */
else else
layer = NULL; layer = NULL;
@@ -1709,39 +1592,6 @@ static char *_build_target_uuid(struct cmd_context *cmd, const struct logical_vo
return build_dm_uuid(cmd->mem, lv, layer); return build_dm_uuid(cmd->mem, lv, layer);
} }
static int _device_registered_with_dmeventd(struct cmd_context *cmd, const struct logical_volume *lv, int *pending, const char **dso)
{
char *uuid;
enum dm_event_mask evmask = 0;
struct dm_event_handler *dmevh;
*pending = 0;
if (!(uuid = _build_target_uuid(cmd, lv)))
return_0;
if (!(dmevh = _create_dm_event_handler(cmd, uuid, NULL, 0, DM_EVENT_ALL_ERRORS)))
return_0;
if (dm_event_get_registered_device(dmevh, 0)) {
dm_event_handler_destroy(dmevh);
return 0;
}
evmask = dm_event_handler_get_event_mask(dmevh);
if (evmask & DM_EVENT_REGISTRATION_PENDING) {
*pending = 1;
evmask &= ~DM_EVENT_REGISTRATION_PENDING;
}
if (dso && (*dso = dm_event_handler_get_dso(dmevh)) && !(*dso = dm_pool_strdup(cmd->mem, *dso)))
log_error("Failed to duplicate dso name.");
dm_event_handler_destroy(dmevh);
return evmask;
}
int target_registered_with_dmeventd(struct cmd_context *cmd, const char *dso, int target_registered_with_dmeventd(struct cmd_context *cmd, const char *dso,
const struct logical_volume *lv, int *pending) const struct logical_volume *lv, int *pending)
{ {
@@ -1800,7 +1650,7 @@ int target_register_events(struct cmd_context *cmd, const char *dso, const struc
if (!r) if (!r)
return_0; return_0;
log_very_verbose("%s %s for events", set ? "Monitored" : "Unmonitored", uuid); log_info("%s %s for events", set ? "Monitored" : "Unmonitored", uuid);
return 1; return 1;
} }
@@ -1824,8 +1674,6 @@ int monitor_dev_for_events(struct cmd_context *cmd, const struct logical_volume
uint32_t s; uint32_t s;
static const struct lv_activate_opts zlaopts = { 0 }; static const struct lv_activate_opts zlaopts = { 0 };
struct lvinfo info; struct lvinfo info;
const char *dso = NULL;
int new_unmonitor;
if (!laopts) if (!laopts)
laopts = &zlaopts; laopts = &zlaopts;
@@ -1840,26 +1688,6 @@ int monitor_dev_for_events(struct cmd_context *cmd, const struct logical_volume
if (monitor && !dmeventd_monitor_mode()) if (monitor && !dmeventd_monitor_mode())
return 1; return 1;
/*
* Activation of unused cache-pool activates metadata device as
* a public LV for clearing purpose.
* FIXME:
* As VG lock is held across whole operation unmonitored volume
* is usually OK since dmeventd couldn't do anything.
* However in case command would have crashed, such LV is
* left unmonitored and may potentially require dmeventd.
*/
if (lv_is_cache_pool_data(lv) || lv_is_cache_pool_metadata(lv)) {
if (!(seg = find_pool_seg(first_seg(lv))))
return_0;
if (!lv_is_used_cache_pool(seg->lv)) {
log_debug_activation("Skipping %smonitor of %s.%s",
(monitor) ? "" : "un", display_lvname(lv),
(monitor) ? " Cache pool activation for clearing only." : "");
return 1;
}
}
/* /*
* Allow to unmonitor thin pool via explicit pool unmonitor * Allow to unmonitor thin pool via explicit pool unmonitor
* or unmonitor before the last thin pool user deactivation * or unmonitor before the last thin pool user deactivation
@@ -1894,8 +1722,7 @@ int monitor_dev_for_events(struct cmd_context *cmd, const struct logical_volume
/* /*
* In case this LV is a snapshot origin, we instead monitor * In case this LV is a snapshot origin, we instead monitor
* each of its respective snapshots. The origin itself may * each of its respective snapshots. The origin itself may
* also need to be monitored if it is a mirror, for example, * also need to be monitored if it is a mirror, for example.
* so fall through to process it afterwards.
*/ */
if (!laopts->origin_only && lv_is_origin(lv)) if (!laopts->origin_only && lv_is_origin(lv))
dm_list_iterate_safe(snh, snht, &lv->snapshot_segs) dm_list_iterate_safe(snh, snht, &lv->snapshot_segs)
@@ -1943,13 +1770,6 @@ int monitor_dev_for_events(struct cmd_context *cmd, const struct logical_volume
r = 0; r = 0;
} }
if (seg->external_lv &&
!monitor_dev_for_events(cmd, seg->external_lv,
(!monitor) ? laopts : NULL, monitor)) {
stack;
r = 0;
}
if (seg->metadata_lv && if (seg->metadata_lv &&
!monitor_dev_for_events(cmd, seg->metadata_lv, NULL, monitor)) { !monitor_dev_for_events(cmd, seg->metadata_lv, NULL, monitor)) {
stack; stack;
@@ -1961,68 +1781,55 @@ int monitor_dev_for_events(struct cmd_context *cmd, const struct logical_volume
!seg->segtype->ops->target_monitored) /* doesn't support registration */ !seg->segtype->ops->target_monitored) /* doesn't support registration */
continue; continue;
if (!monitor)
/* When unmonitoring, obtain existing dso being used. */
monitored = _device_registered_with_dmeventd(cmd, seg_is_snapshot(seg) ? seg->cow : seg->lv, &pending, &dso);
else
monitored = seg->segtype->ops->target_monitored(seg, &pending); monitored = seg->segtype->ops->target_monitored(seg, &pending);
/* FIXME: We should really try again if pending */ /* FIXME: We should really try again if pending */
monitored = (pending) ? 0 : monitored; monitored = (pending) ? 0 : monitored;
monitor_fn = NULL; monitor_fn = NULL;
new_unmonitor = 0;
if (monitor) { if (monitor) {
if (monitored) if (monitored)
log_verbose("%s already monitored.", display_lvname(lv)); log_verbose("%s already monitored.", display_lvname(lv));
else if (seg->segtype->ops->target_monitor_events) { else if (seg->segtype->ops->target_monitor_events)
log_verbose("Monitoring %s%s", display_lvname(lv), test_mode() ? " [Test mode: skipping this]" : "");
monitor_fn = seg->segtype->ops->target_monitor_events; monitor_fn = seg->segtype->ops->target_monitor_events;
}
} else { } else {
if (!monitored) if (!monitored)
log_verbose("%s already not monitored.", display_lvname(lv)); log_verbose("%s already not monitored.", display_lvname(lv));
else if (dso && *dso) { else if (seg->segtype->ops->target_unmonitor_events)
/* monitor_fn = seg->segtype->ops->target_unmonitor_events;
* Divert unmonitor away from code that depends on the new segment
* type instead of the existing one if it's changing.
*/
log_verbose("Not monitoring %s with %s%s", display_lvname(lv), dso, test_mode() ? " [Test mode: skipping this]" : "");
new_unmonitor = 1;
}
} }
/* Do [un]monitor */
if (!monitor_fn)
continue;
log_verbose("%sonitoring %s%s", monitor ? "M" : "Not m", display_lvname(lv),
test_mode() ? " [Test mode: skipping this]" : "");
/* FIXME Test mode should really continue a bit further. */ /* FIXME Test mode should really continue a bit further. */
if (test_mode()) if (test_mode())
continue; continue;
if (new_unmonitor) {
if (!target_register_events(cmd, dso, seg_is_snapshot(seg) ? seg->cow : lv, 0, 0, 10)) {
log_error("%s: segment unmonitoring failed.",
display_lvname(lv));
return 0;
}
} else if (monitor_fn) {
/* FIXME specify events */ /* FIXME specify events */
if (!monitor_fn(seg, 0)) { if (!monitor_fn(seg, 0)) {
log_error("%s: %s segment monitoring function failed.", log_error("%s: %s segment monitoring function failed.",
display_lvname(lv), lvseg_name(seg)); display_lvname(lv), seg->segtype->name);
return 0; return 0;
} }
} else
continue;
/* Check [un]monitor results */ /* Check [un]monitor results */
/* Try a couple times if pending, but not forever... */ /* Try a couple times if pending, but not forever... */
for (i = 0;; i++) { for (i = 0; i < 40; i++) {
pending = 0; pending = 0;
monitored = seg->segtype->ops->target_monitored(seg, &pending); monitored = seg->segtype->ops->target_monitored(seg, &pending);
if (!pending || i >= 40) if (pending ||
break; (!monitored && monitor) ||
(monitored && !monitor))
log_very_verbose("%s %smonitoring still pending: waiting...", log_very_verbose("%s %smonitoring still pending: waiting...",
display_lvname(lv), monitor ? "" : "un"); display_lvname(lv), monitor ? "" : "un");
else
break;
usleep(10000 * i); usleep(10000 * i);
} }
@@ -2083,16 +1890,12 @@ static int _lv_suspend(struct cmd_context *cmd, const char *lvid_s,
const struct logical_volume *pvmove_lv = NULL; const struct logical_volume *pvmove_lv = NULL;
const struct logical_volume *lv_to_free = NULL; const struct logical_volume *lv_to_free = NULL;
const struct logical_volume *lv_pre_to_free = NULL; const struct logical_volume *lv_pre_to_free = NULL;
struct logical_volume *lv_pre_tmp, *lv_tmp; struct logical_volume *lv_pre_tmp;
struct seg_list *sl; struct seg_list *sl;
struct lv_segment *snap_seg; struct lv_segment *snap_seg;
struct lvinfo info; struct lvinfo info;
int r = 0, lockfs = 0, flush_required = 0; int r = 0, lockfs = 0, flush_required = 0;
struct detached_lv_data detached; struct detached_lv_data detached;
struct dm_pool *mem = NULL;
struct dm_list suspend_lvs;
struct lv_list *lvl;
int found;
if (!activation()) if (!activation())
return 1; return 1;
@@ -2130,6 +1933,9 @@ static int _lv_suspend(struct cmd_context *cmd, const char *lvid_s,
goto out; goto out;
} }
if (!lv_read_replicator_vgs(lv))
goto_out;
lv_calculate_readahead(lv, NULL); lv_calculate_readahead(lv, NULL);
/* /*
@@ -2159,12 +1965,6 @@ static int _lv_suspend(struct cmd_context *cmd, const char *lvid_s,
} }
if (!_lv_preload(lv_pre_tmp, laopts, &flush_required)) if (!_lv_preload(lv_pre_tmp, laopts, &flush_required))
goto_out; goto_out;
/* Suspending 1st. LV above PVMOVE suspends whole tree */
dm_list_iterate_items(sl, &pvmove_lv->segs_using_this_lv) {
lv = sl->seg->lv;
break;
}
} else { } else {
if (!_lv_preload(lv_pre, laopts, &flush_required)) if (!_lv_preload(lv_pre, laopts, &flush_required))
/* FIXME Revert preloading */ /* FIXME Revert preloading */
@@ -2202,7 +2002,7 @@ static int _lv_suspend(struct cmd_context *cmd, const char *lvid_s,
* NOTE: Mirror repair requires noflush for proper repair! * NOTE: Mirror repair requires noflush for proper repair!
* TODO: Relax this limiting condition further */ * TODO: Relax this limiting condition further */
if (!flush_required && if (!flush_required &&
(lv_is_pvmove(lv) || pvmove_lv || (lv_is_pvmove(lv) ||
(!lv_is_mirror(lv) && !lv_is_thin_pool(lv) && !lv_is_thin_volume(lv)))) { (!lv_is_mirror(lv) && !lv_is_thin_pool(lv) && !lv_is_thin_volume(lv)))) {
log_debug("Requiring flush for LV %s.", display_lvname(lv)); log_debug("Requiring flush for LV %s.", display_lvname(lv));
flush_required = 1; flush_required = 1;
@@ -2212,6 +2012,10 @@ static int _lv_suspend(struct cmd_context *cmd, const char *lvid_s,
/* FIXME Consider aborting here */ /* FIXME Consider aborting here */
stack; stack;
critical_section_inc(cmd, "suspending");
if (pvmove_lv)
critical_section_inc(cmd, "suspending pvmove LV");
if (!laopts->origin_only && if (!laopts->origin_only &&
(lv_is_origin(lv_pre) || lv_is_cow(lv_pre))) (lv_is_origin(lv_pre) || lv_is_cow(lv_pre)))
lockfs = 1; lockfs = 1;
@@ -2223,68 +2027,40 @@ static int _lv_suspend(struct cmd_context *cmd, const char *lvid_s,
if (laopts->origin_only && lv_is_thin_volume(lv) && lv_is_thin_volume(lv_pre)) if (laopts->origin_only && lv_is_thin_volume(lv) && lv_is_thin_volume(lv_pre))
lockfs = 1; lockfs = 1;
critical_section_inc(cmd, "suspending");
if (!lv_is_locked(lv) && lv_is_locked(lv_pre) &&
(pvmove_lv = find_pvmove_lv_in_lv(lv_pre))) {
/* /*
* When starting PVMOVE, suspend participating LVs first * Suspending an LV directly above a PVMOVE LV also
* with committed metadata by looking at precommited pvmove list. * suspends other LVs using that same PVMOVE LV.
* In committed metadata these LVs are not connected in any way. * FIXME Remove this and delay the 'clear node' until
* * after the code knows whether there's a different
* TODO: prepare list of LVs needed to be suspended and pass them * inactive table to load or not instead so lv_suspend
* via 'struct laopts' directly to _lv_suspend_lv() and handle this * can be called separately for each LV safely.
* with a single 'dmtree' call.
*/ */
if (!(mem = dm_pool_create("suspend_lvs", 128))) if ((lv_pre->vg->status & PRECOMMITTED) &&
lv_is_locked(lv_pre) && find_pvmove_lv_in_lv(lv_pre)) {
if (!_lv_suspend_lv(lv_pre, laopts, lockfs, flush_required)) {
critical_section_dec(cmd, "failed precommitted suspend");
if (pvmove_lv)
critical_section_dec(cmd, "failed precommitted suspend (pvmove)");
goto_out; goto_out;
/* Prepare list of all LVs for suspend ahead */
dm_list_init(&suspend_lvs);
dm_list_iterate_items(sl, &pvmove_lv->segs_using_this_lv) {
lv_tmp = sl->seg->lv;
if (lv_is_cow(lv_tmp))
/* Never suspend COW, always has to be origin */
lv_tmp = origin_from_cow(lv_tmp);
found = 0;
dm_list_iterate_items(lvl, &suspend_lvs)
if (strcmp(lvl->lv->name, lv_tmp->name) == 0) {
found = 1;
break;
} }
if (found) } else {
continue; /* LV is already in the list */ /* Normal suspend */
if (!(lvl = dm_pool_alloc(mem, sizeof(*lvl)))) {
log_error("lv_list alloc failed.");
goto out;
}
/* Look for precommitted LV name in commmitted VG */
if (!(lvl->lv = find_lv(lv->vg, lv_tmp->name))) {
log_error(INTERNAL_ERROR "LV %s missing from preload metadata.",
display_lvname(lv_tmp));
goto out;
}
dm_list_add(&suspend_lvs, &lvl->list);
}
dm_list_iterate_items(lvl, &suspend_lvs)
if (!_lv_suspend_lv(lvl->lv, laopts, lockfs, 1)) {
critical_section_dec(cmd, "failed suspend");
goto_out; /* FIXME: resume on recovery path? */
}
} else /* Standard suspend */
if (!_lv_suspend_lv(lv, laopts, lockfs, flush_required)) { if (!_lv_suspend_lv(lv, laopts, lockfs, flush_required)) {
critical_section_dec(cmd, "failed suspend"); critical_section_dec(cmd, "failed suspend");
if (pvmove_lv)
critical_section_dec(cmd, "failed suspend (pvmove)");
goto_out; goto_out;
} }
}
r = 1; r = 1;
out: out:
if (mem)
dm_pool_destroy(mem);
if (lv_pre_to_free) if (lv_pre_to_free)
release_vg(lv_pre_to_free->vg); release_vg(lv_pre_to_free->vg);
if (lv_to_free) if (lv_to_free) {
lv_release_replicator_vgs(lv_to_free);
release_vg(lv_to_free->vg); release_vg(lv_to_free->vg);
}
return r; return r;
} }
@@ -2306,29 +2082,12 @@ int lv_suspend_if_active(struct cmd_context *cmd, const char *lvid_s, unsigned o
return _lv_suspend(cmd, lvid_s, &laopts, 0, lv, lv_pre); return _lv_suspend(cmd, lvid_s, &laopts, 0, lv, lv_pre);
} }
static int _check_suspended_lv(struct logical_volume *lv, void *data)
{
struct lvinfo info;
if (lv_info(lv->vg->cmd, lv, 0, &info, 0, 0) && info.exists && info.suspended) {
log_debug("Found suspended LV %s in critical section().", display_lvname(lv));
return 0; /* There is suspended subLV in the tree */
}
if (lv_layer(lv) && lv_info(lv->vg->cmd, lv, 1, &info, 0, 0) && info.exists && info.suspended) {
log_debug("Found suspended layered LV %s in critical section().", display_lvname(lv));
return 0; /* There is suspended subLV in the tree */
}
return 1;
}
static int _lv_resume(struct cmd_context *cmd, const char *lvid_s, static int _lv_resume(struct cmd_context *cmd, const char *lvid_s,
struct lv_activate_opts *laopts, int error_if_not_active, struct lv_activate_opts *laopts, int error_if_not_active,
const struct logical_volume *lv) const struct logical_volume *lv)
{ {
const struct logical_volume *lv_to_free = NULL; const struct logical_volume *lv_to_free = NULL;
struct dm_list *snh;
struct lvinfo info; struct lvinfo info;
int r = 0; int r = 0;
@@ -2362,28 +2121,12 @@ static int _lv_resume(struct cmd_context *cmd, const char *lvid_s,
if (!info.exists || !info.suspended) { if (!info.exists || !info.suspended) {
if (error_if_not_active) if (error_if_not_active)
goto_out; goto_out;
/* ATM only thin-pool with origin-only suspend does not really suspend anything
* it's used only for message passing to thin-pool */
if (laopts->origin_only && lv_is_thin_pool(lv))
critical_section_dec(cmd, "resumed");
if (!info.suspended && critical_section()) {
/* Validation check if any subLV is suspended */
if (!laopts->origin_only && lv_is_origin(lv)) {
/* Check all snapshots for this origin LV */
dm_list_iterate(snh, &lv->snapshot_segs)
if (!_check_suspended_lv(dm_list_struct_base(snh, struct lv_segment, origin_list)->cow, NULL))
goto needs_resume; /* Found suspended snapshot */
}
if ((r = for_each_sub_lv((struct logical_volume *)lv, &_check_suspended_lv, NULL)))
goto out; /* Nothing was found suspended */
} else {
r = 1; r = 1;
if (!info.suspended)
critical_section_dec(cmd, "already resumed");
goto out; goto out;
} }
}
needs_resume:
laopts->read_only = _passes_readonly_filter(cmd, lv); laopts->read_only = _passes_readonly_filter(cmd, lv);
laopts->resuming = 1; laopts->resuming = 1;
@@ -2501,21 +2244,14 @@ int lv_deactivate(struct cmd_context *cmd, const char *lvid_s, const struct logi
goto_out; goto_out;
} }
if (!lv_read_replicator_vgs(lv))
goto_out;
if (!monitor_dev_for_events(cmd, lv, &laopts, 0)) if (!monitor_dev_for_events(cmd, lv, &laopts, 0))
stack; stack;
critical_section_inc(cmd, "deactivating"); critical_section_inc(cmd, "deactivating");
r = _lv_deactivate(lv); r = _lv_deactivate(lv);
/*
* Remove any transiently activated error
* devices which arean't used any more.
*/
if (r && lv_is_raid(lv) && !lv_deactivate_any_missing_subdevs(lv)) {
log_error("Failed to remove temporary SubLVs from %s",
display_lvname(lv));
r = 0;
}
critical_section_dec(cmd, "deactivated"); critical_section_dec(cmd, "deactivated");
if (!lv_info(cmd, lv, 0, &info, 0, 0) || info.exists) { if (!lv_info(cmd, lv, 0, &info, 0, 0) || info.exists) {
@@ -2525,8 +2261,10 @@ int lv_deactivate(struct cmd_context *cmd, const char *lvid_s, const struct logi
r = 0; r = 0;
} }
out: out:
if (lv_to_free) if (lv_to_free) {
lv_release_replicator_vgs(lv_to_free);
release_vg(lv_to_free->vg); release_vg(lv_to_free->vg);
}
return r; return r;
} }
@@ -2574,15 +2312,6 @@ static int _lv_activate(struct cmd_context *cmd, const char *lvid_s,
if (!lv && !(lv_to_free = lv = lv_from_lvid(cmd, lvid_s, 0))) if (!lv && !(lv_to_free = lv = lv_from_lvid(cmd, lvid_s, 0)))
goto out; goto out;
if (!laopts->exclusive &&
(lv_is_origin(lv) ||
seg_only_exclusive(first_seg(lv)))) {
log_error(INTERNAL_ERROR "Trying non-exlusive activation of %s with "
"a volume type %s requiring exclusive activation.",
display_lvname(lv), lvseg_name(first_seg(lv)));
return 0;
}
if (filter && !_passes_activation_filter(cmd, lv)) { if (filter && !_passes_activation_filter(cmd, lv)) {
log_verbose("Not activating %s since it does not pass " log_verbose("Not activating %s since it does not pass "
"activation filter.", display_lvname(lv)); "activation filter.", display_lvname(lv));
@@ -2650,6 +2379,9 @@ static int _lv_activate(struct cmd_context *cmd, const char *lvid_s,
goto out; goto out;
} }
if (!lv_read_replicator_vgs(lv))
goto_out;
lv_calculate_readahead(lv, NULL); lv_calculate_readahead(lv, NULL);
critical_section_inc(cmd, "activating"); critical_section_inc(cmd, "activating");
@@ -2661,8 +2393,10 @@ static int _lv_activate(struct cmd_context *cmd, const char *lvid_s,
stack; stack;
out: out:
if (lv_to_free) if (lv_to_free) {
lv_release_replicator_vgs(lv_to_free);
release_vg(lv_to_free->vg); release_vg(lv_to_free->vg);
}
return r; return r;
} }
@@ -2715,75 +2449,6 @@ int lv_mknodes(struct cmd_context *cmd, const struct logical_volume *lv)
return r; return r;
} }
/* Remove any existing, closed mapped device by @name */
static int _remove_dm_dev_by_name(const char *name)
{
int r = 0;
struct dm_task *dmt;
struct dm_info info;
if (!(dmt = dm_task_create(DM_DEVICE_INFO)))
return_0;
/* Check, if the device exists. */
if (dm_task_set_name(dmt, name) && dm_task_run(dmt) && dm_task_get_info(dmt, &info)) {
dm_task_destroy(dmt);
/* Ignore non-existing or open dm devices */
if (!info.exists || info.open_count)
return 1;
if (!(dmt = dm_task_create(DM_DEVICE_REMOVE)))
return_0;
if (dm_task_set_name(dmt, name))
r = dm_task_run(dmt);
}
dm_task_destroy(dmt);
return r;
}
/* Work all segments of @lv removing any existing, closed "*-missing_N_0" sub devices. */
static int _lv_remove_any_missing_subdevs(struct logical_volume *lv)
{
if (lv) {
uint32_t seg_no = 0;
char name[257];
struct lv_segment *seg;
dm_list_iterate_items(seg, &lv->segments) {
if (dm_snprintf(name, sizeof(name), "%s-%s-missing_%u_0", seg->lv->vg->name, seg->lv->name, seg_no) < 0)
return_0;
if (!_remove_dm_dev_by_name(name))
return 0;
seg_no++;
}
}
return 1;
}
/* Remove any "*-missing_*" sub devices added by the activation layer for an rmate/rimage missing PV mapping */
int lv_deactivate_any_missing_subdevs(const struct logical_volume *lv)
{
uint32_t s;
struct lv_segment *seg = first_seg(lv);
for (s = 0; s < seg->area_count; s++) {
if (seg_type(seg, s) == AREA_LV &&
!_lv_remove_any_missing_subdevs(seg_lv(seg, s)))
return 0;
if (seg->meta_areas && seg_metatype(seg, s) == AREA_LV &&
!_lv_remove_any_missing_subdevs(seg_metalv(seg, s)))
return 0;
}
return 1;
}
/* /*
* Does PV use VG somewhere in its construction? * Does PV use VG somewhere in its construction?
* Returns 1 on failure. * Returns 1 on failure.

View File

@@ -1,6 +1,6 @@
/* /*
* Copyright (C) 2001-2004 Sistina Software, Inc. All rights reserved. * Copyright (C) 2001-2004 Sistina Software, Inc. All rights reserved.
* Copyright (C) 2004-2016 Red Hat, Inc. All rights reserved. * Copyright (C) 2004-2012 Red Hat, Inc. All rights reserved.
* *
* This file is part of LVM2. * This file is part of LVM2.
* *
@@ -54,12 +54,11 @@ struct lv_seg_status {
}; };
struct lv_with_info_and_seg_status { struct lv_with_info_and_seg_status {
const struct logical_volume *lv; /* input */
int info_ok; int info_ok;
const struct logical_volume *lv; /* output */
struct lvinfo info; /* output */ struct lvinfo info; /* output */
int seg_part_of_lv; /* output */ int seg_part_of_lv; /* output */
struct lv_seg_status seg_status; /* output, see lv_seg_status */ struct lv_seg_status seg_status; /* input/output, see lv_seg_status */
/* TODO: add extra status for snapshot origin */
}; };
struct lv_activate_opts { struct lv_activate_opts {
@@ -100,7 +99,6 @@ int target_present(struct cmd_context *cmd, const char *target_name,
int use_modprobe); int use_modprobe);
int target_version(const char *target_name, uint32_t *maj, int target_version(const char *target_name, uint32_t *maj,
uint32_t *min, uint32_t *patchlevel); uint32_t *min, uint32_t *patchlevel);
int raid4_is_supported(struct cmd_context *cmd, const struct segment_type *segtype);
int lvm_dm_prefix_check(int major, int minor, const char *prefix); int lvm_dm_prefix_check(int major, int minor, const char *prefix);
int list_segment_modules(struct dm_pool *mem, const struct lv_segment *seg, int list_segment_modules(struct dm_pool *mem, const struct lv_segment *seg,
struct dm_list *modules); struct dm_list *modules);
@@ -124,8 +122,6 @@ int lv_deactivate(struct cmd_context *cmd, const char *lvid_s, const struct logi
int lv_mknodes(struct cmd_context *cmd, const struct logical_volume *lv); int lv_mknodes(struct cmd_context *cmd, const struct logical_volume *lv);
int lv_deactivate_any_missing_subdevs(const struct logical_volume *lv);
/* /*
* Returns 1 if info structure has been populated, else 0 on failure. * Returns 1 if info structure has been populated, else 0 on failure.
* When lvinfo* is NULL, it returns 1 if the device is locally active, 0 otherwise. * When lvinfo* is NULL, it returns 1 if the device is locally active, 0 otherwise.
@@ -135,6 +131,13 @@ int lv_info(struct cmd_context *cmd, const struct logical_volume *lv, int use_la
int lv_info_by_lvid(struct cmd_context *cmd, const char *lvid_s, int use_layer, int lv_info_by_lvid(struct cmd_context *cmd, const char *lvid_s, int use_layer,
struct lvinfo *info, int with_open_count, int with_read_ahead); struct lvinfo *info, int with_open_count, int with_read_ahead);
/*
* Returns 1 if lv_seg_status structure has been populated,
* else 0 on failure or if device not active locally.
*/
int lv_status(struct cmd_context *cmd, const struct lv_segment *lv_seg,
int use_layer, struct lv_seg_status *lv_seg_status);
/* /*
* Returns 1 if lv_info_and_seg_status structure has been populated, * Returns 1 if lv_info_and_seg_status structure has been populated,
* else 0 on failure or if device not active locally. * else 0 on failure or if device not active locally.
@@ -142,8 +145,8 @@ int lv_info_by_lvid(struct cmd_context *cmd, const char *lvid_s, int use_layer,
* lv_info_with_seg_status is the same as calling lv_info and then lv_status, * lv_info_with_seg_status is the same as calling lv_info and then lv_status,
* but this fn tries to do that with one ioctl if possible. * but this fn tries to do that with one ioctl if possible.
*/ */
int lv_info_with_seg_status(struct cmd_context *cmd, int lv_info_with_seg_status(struct cmd_context *cmd, const struct logical_volume *lv,
const struct lv_segment *lv_seg, const struct lv_segment *lv_seg, int use_layer,
struct lv_with_info_and_seg_status *status, struct lv_with_info_and_seg_status *status,
int with_open_count, int with_read_ahead); int with_open_count, int with_read_ahead);
@@ -168,13 +171,11 @@ int lv_snapshot_percent(const struct logical_volume *lv, dm_percent_t *percent);
int lv_mirror_percent(struct cmd_context *cmd, const struct logical_volume *lv, int lv_mirror_percent(struct cmd_context *cmd, const struct logical_volume *lv,
int wait, dm_percent_t *percent, uint32_t *event_nr); int wait, dm_percent_t *percent, uint32_t *event_nr);
int lv_raid_percent(const struct logical_volume *lv, dm_percent_t *percent); int lv_raid_percent(const struct logical_volume *lv, dm_percent_t *percent);
int lv_raid_dev_count(const struct logical_volume *lv, uint32_t *dev_cnt);
int lv_raid_data_offset(const struct logical_volume *lv, uint64_t *data_offset);
int lv_raid_dev_health(const struct logical_volume *lv, char **dev_health); int lv_raid_dev_health(const struct logical_volume *lv, char **dev_health);
int lv_raid_mismatch_count(const struct logical_volume *lv, uint64_t *cnt); int lv_raid_mismatch_count(const struct logical_volume *lv, uint64_t *cnt);
int lv_raid_sync_action(const struct logical_volume *lv, char **sync_action); int lv_raid_sync_action(const struct logical_volume *lv, char **sync_action);
int lv_raid_message(const struct logical_volume *lv, const char *msg); int lv_raid_message(const struct logical_volume *lv, const char *msg);
int lv_cache_status(const struct logical_volume *cache_lv, int lv_cache_status(const struct logical_volume *lv,
struct lv_status_cache **status); struct lv_status_cache **status);
int lv_thin_pool_percent(const struct logical_volume *lv, int metadata, int lv_thin_pool_percent(const struct logical_volume *lv, int metadata,
dm_percent_t *percent); dm_percent_t *percent);
@@ -202,12 +203,12 @@ int lv_has_target_type(struct dm_pool *mem, const struct logical_volume *lv,
const char *layer, const char *target_type); const char *layer, const char *target_type);
int monitor_dev_for_events(struct cmd_context *cmd, const struct logical_volume *lv, int monitor_dev_for_events(struct cmd_context *cmd, const struct logical_volume *lv,
const struct lv_activate_opts *laopts, int monitor); const struct lv_activate_opts *laopts, int do_reg);
#ifdef DMEVENTD #ifdef DMEVENTD
# include "libdevmapper-event.h" # include "libdevmapper-event.h"
char *get_monitor_dso_path(struct cmd_context *cmd, const char *libpath); char *get_monitor_dso_path(struct cmd_context *cmd, const char *libpath);
int target_registered_with_dmeventd(struct cmd_context *cmd, const char *dso, int target_registered_with_dmeventd(struct cmd_context *cmd, const char *libpath,
const struct logical_volume *lv, int *pending); const struct logical_volume *lv, int *pending);
int target_register_events(struct cmd_context *cmd, const char *dso, const struct logical_volume *lv, int target_register_events(struct cmd_context *cmd, const char *dso, const struct logical_volume *lv,
int evmask __attribute__((unused)), int set, int timeout); int evmask __attribute__((unused)), int set, int timeout);

File diff suppressed because it is too large Load Diff

View File

@@ -186,7 +186,7 @@ static int _mk_link(const char *dev_dir, const char *vg_name,
!stat(lv_path, &buf)) { !stat(lv_path, &buf)) {
if (buf_lp.st_rdev == buf.st_rdev) if (buf_lp.st_rdev == buf.st_rdev)
return 1; return 1;
else
log_warn("Symlink %s that should have been " log_warn("Symlink %s that should have been "
"created by udev does not have " "created by udev does not have "
"correct target. Falling back to " "correct target. Falling back to "
@@ -239,9 +239,7 @@ static int _rm_link(const char *dev_dir, const char *vg_name,
return 1; return 1;
log_sys_error("lstat", lv_path); log_sys_error("lstat", lv_path);
return 0; return 0;
} } else if (dm_udev_get_sync_support() && udev_checking() && check_udev)
if (dm_udev_get_sync_support() && udev_checking() && check_udev)
log_warn("The link %s should have been removed by udev " log_warn("The link %s should have been removed by udev "
"but it is still present. Falling back to " "but it is still present. Falling back to "
"direct link removal.", lv_path); "direct link removal.", lv_path);
@@ -480,7 +478,7 @@ int fs_rename_lv(const struct logical_volume *lv, const char *dev,
_fs_op(FS_ADD, lv->vg->cmd->dev_dir, lv->vg->name, _fs_op(FS_ADD, lv->vg->cmd->dev_dir, lv->vg->name,
lv->name, dev, "", lv->vg->cmd->current_settings.udev_rules)); lv->name, dev, "", lv->vg->cmd->current_settings.udev_rules));
} }
else
return _fs_op(FS_RENAME, lv->vg->cmd->dev_dir, lv->vg->name, lv->name, return _fs_op(FS_RENAME, lv->vg->cmd->dev_dir, lv->vg->name, lv->name,
dev, old_lvname, lv->vg->cmd->current_settings.udev_rules); dev, old_lvname, lv->vg->cmd->current_settings.udev_rules);
} }

70
lib/cache/lvmcache.c vendored
View File

@@ -141,8 +141,6 @@ void lvmcache_seed_infos_from_lvmetad(struct cmd_context *cmd)
/* Volume Group metadata cache functions */ /* Volume Group metadata cache functions */
static void _free_cached_vgmetadata(struct lvmcache_vginfo *vginfo) static void _free_cached_vgmetadata(struct lvmcache_vginfo *vginfo)
{ {
struct lvmcache_info *info;
if (!vginfo || !vginfo->vgmetadata) if (!vginfo || !vginfo->vgmetadata)
return; return;
@@ -156,11 +154,7 @@ static void _free_cached_vgmetadata(struct lvmcache_vginfo *vginfo)
vginfo->cft = NULL; vginfo->cft = NULL;
} }
/* Invalidate any cached device buffers */ log_debug_cache("Metadata cache: VG %s wiped.", vginfo->vgname);
dm_list_iterate_items(info, &vginfo->infos)
devbufs_release(info->dev);
log_debug_cache("lvmcache: VG %s wiped.", vginfo->vgname);
release_vg(vginfo->cached_vg); release_vg(vginfo->cached_vg);
} }
@@ -203,7 +197,7 @@ static void _store_metadata(struct volume_group *vg, unsigned precommitted)
return; return;
} }
log_debug_cache("lvmcache: VG %s (%s) stored (%" PRIsize_t " bytes%s).", log_debug_cache("Metadata cache: VG %s (%s) stored (%" PRIsize_t " bytes%s).",
vginfo->vgname, uuid, size, vginfo->vgname, uuid, size,
precommitted ? ", precommitted" : ""); precommitted ? ", precommitted" : "");
} }
@@ -295,7 +289,7 @@ void lvmcache_commit_metadata(const char *vgname)
return; return;
if (vginfo->precommitted) { if (vginfo->precommitted) {
log_debug_cache("lvmcache: Upgraded pre-committed VG %s metadata to committed.", log_debug_cache("Precommitted metadata cache: VG %s upgraded to committed.",
vginfo->vgname); vginfo->vgname);
vginfo->precommitted = 0; vginfo->precommitted = 0;
} }
@@ -548,6 +542,7 @@ const struct format_type *lvmcache_fmt_from_vgname(struct cmd_context *cmd,
{ {
struct lvmcache_vginfo *vginfo; struct lvmcache_vginfo *vginfo;
struct lvmcache_info *info; struct lvmcache_info *info;
struct label *label;
struct dm_list *devh, *tmp; struct dm_list *devh, *tmp;
struct dm_list devs; struct dm_list devs;
struct device_list *devl; struct device_list *devl;
@@ -592,7 +587,7 @@ const struct format_type *lvmcache_fmt_from_vgname(struct cmd_context *cmd,
dm_list_iterate_safe(devh, tmp, &devs) { dm_list_iterate_safe(devh, tmp, &devs) {
devl = dm_list_item(devh, struct device_list); devl = dm_list_item(devh, struct device_list);
(void) label_read(devl->dev, NULL, UINT64_C(0)); (void) label_read(devl->dev, &label, UINT64_C(0));
dm_list_del(&devl->list); dm_list_del(&devl->list);
dm_free(devl); dm_free(devl);
} }
@@ -621,7 +616,7 @@ struct lvmcache_vginfo *lvmcache_vginfo_from_vgid(const char *vgid)
id[ID_LEN] = '\0'; id[ID_LEN] = '\0';
if (!(vginfo = dm_hash_lookup(_vgid_hash, id))) { if (!(vginfo = dm_hash_lookup(_vgid_hash, id))) {
log_debug_cache("lvmcache has no info for vgid \"%s\"", id); log_debug_cache("Metadata cache has no info for vgid \"%s\"", id);
return NULL; return NULL;
} }
@@ -775,8 +770,10 @@ char *lvmcache_vgname_from_pvid(struct cmd_context *cmd, const char *pvid)
static void _rescan_entry(struct lvmcache_info *info) static void _rescan_entry(struct lvmcache_info *info)
{ {
struct label *label;
if (info->status & CACHE_INVALID) if (info->status & CACHE_INVALID)
(void) label_read(info->dev, NULL, UINT64_C(0)); (void) label_read(info->dev, &label, UINT64_C(0));
} }
static int _scan_invalid(void) static int _scan_invalid(void)
@@ -861,7 +858,7 @@ static void _choose_preferred_devs(struct cmd_context *cmd,
struct dm_list *add_cache_devs) struct dm_list *add_cache_devs)
{ {
char uuid[64] __attribute__((aligned(8))); char uuid[64] __attribute__((aligned(8)));
const char *reason; const char *reason = "none";
struct dm_list altdevs; struct dm_list altdevs;
struct dm_list new_unused; struct dm_list new_unused;
struct dev_types *dt = cmd->dev_types; struct dev_types *dt = cmd->dev_types;
@@ -1098,31 +1095,17 @@ next:
goto next; goto next;
} }
/* Track the number of outstanding label reads */
/* FIXME Switch to struct and also track failed */
static void _process_label_data(int failed, unsigned ioflags, void *context, const void *data)
{
int *nr_labels_outstanding = context;
if (!*nr_labels_outstanding) {
log_error(INTERNAL_ERROR "_process_label_data called too many times");
return;
}
(*nr_labels_outstanding)--;
}
int lvmcache_label_scan(struct cmd_context *cmd) int lvmcache_label_scan(struct cmd_context *cmd)
{ {
struct dm_list del_cache_devs; struct dm_list del_cache_devs;
struct dm_list add_cache_devs; struct dm_list add_cache_devs;
struct lvmcache_info *info; struct lvmcache_info *info;
struct device_list *devl; struct device_list *devl;
struct label *label;
struct dev_iter *iter; struct dev_iter *iter;
struct device *dev; struct device *dev;
struct format_type *fmt; struct format_type *fmt;
int dev_count = 0; int dev_count = 0;
int nr_labels_outstanding = 0;
int r = 0; int r = 0;
@@ -1161,22 +1144,13 @@ int lvmcache_label_scan(struct cmd_context *cmd)
_destroy_duplicate_device_list(&_found_duplicate_devs); _destroy_duplicate_device_list(&_found_duplicate_devs);
while ((dev = dev_iter_get(iter))) { while ((dev = dev_iter_get(iter))) {
log_debug_io("Scanning device %s", dev_name(dev)); (void) label_read(dev, &label, UINT64_C(0));
nr_labels_outstanding++;
if (!label_read_callback(dev, UINT64_C(0), AIO_SUPPORTED_CODE_PATH, _process_label_data, &nr_labels_outstanding))
nr_labels_outstanding--;
dev_count++; dev_count++;
} }
dev_iter_destroy(iter); dev_iter_destroy(iter);
while (nr_labels_outstanding) { log_very_verbose("Scanned %d device labels", dev_count);
log_very_verbose("Scanned %d device labels (%d outstanding)", dev_count, nr_labels_outstanding);
if (!dev_async_getevents())
return_0;
}
log_very_verbose("Scanned %d device labels (%d outstanding)", dev_count, nr_labels_outstanding);
/* /*
* _choose_preferred_devs() returns: * _choose_preferred_devs() returns:
@@ -1210,7 +1184,7 @@ int lvmcache_label_scan(struct cmd_context *cmd)
dm_list_iterate_items(devl, &add_cache_devs) { dm_list_iterate_items(devl, &add_cache_devs) {
log_debug_cache("Rescan preferred device %s for lvmcache", dev_name(devl->dev)); log_debug_cache("Rescan preferred device %s for lvmcache", dev_name(devl->dev));
(void) label_read(devl->dev, NULL, UINT64_C(0)); (void) label_read(devl->dev, &label, UINT64_C(0));
} }
dm_list_splice(&_unused_duplicate_devs, &del_cache_devs); dm_list_splice(&_unused_duplicate_devs, &del_cache_devs);
@@ -1230,7 +1204,7 @@ int lvmcache_label_scan(struct cmd_context *cmd)
*/ */
if (_force_label_scan && cmd->is_long_lived && if (_force_label_scan && cmd->is_long_lived &&
cmd->dump_filter && cmd->full_filter && cmd->full_filter->dump && cmd->dump_filter && cmd->full_filter && cmd->full_filter->dump &&
!cmd->full_filter->dump(cmd->full_filter, cmd->mem, 0)) !cmd->full_filter->dump(cmd->full_filter, 0))
stack; stack;
r = 1; r = 1;
@@ -1301,7 +1275,7 @@ struct volume_group *lvmcache_get_vg(struct cmd_context *cmd, const char *vgname
/* Build config tree from vgmetadata, if not yet cached */ /* Build config tree from vgmetadata, if not yet cached */
if (!vginfo->cft && if (!vginfo->cft &&
!(vginfo->cft = !(vginfo->cft =
config_tree_from_string_without_dup_node_check(vginfo->vgmetadata))) dm_config_from_string(vginfo->vgmetadata)))
goto_bad; goto_bad;
if (!(vg = import_vg_from_config_tree(vginfo->cft, fid))) if (!(vg = import_vg_from_config_tree(vginfo->cft, fid)))
@@ -1531,6 +1505,7 @@ const char *lvmcache_pvid_from_devname(struct cmd_context *cmd,
const char *devname) const char *devname)
{ {
struct device *dev; struct device *dev;
struct label *label;
if (!(dev = dev_cache_get(devname, cmd->filter))) { if (!(dev = dev_cache_get(devname, cmd->filter))) {
log_error("%s: Couldn't find device. Check your filters?", log_error("%s: Couldn't find device. Check your filters?",
@@ -1538,7 +1513,7 @@ const char *lvmcache_pvid_from_devname(struct cmd_context *cmd,
return NULL; return NULL;
} }
if (!(label_read(dev, NULL, UINT64_C(0)))) if (!(label_read(dev, &label, UINT64_C(0))))
return NULL; return NULL;
return dev->pvid; return dev->pvid;
@@ -1625,6 +1600,8 @@ void lvmcache_del(struct lvmcache_info *info)
info->label->labeller->ops->destroy_label(info->label->labeller, info->label->labeller->ops->destroy_label(info->label->labeller,
info->label); info->label);
dm_free(info); dm_free(info);
return;
} }
/* /*
@@ -1895,7 +1872,7 @@ static int _lvmcache_update_vgname(struct lvmcache_info *info,
vginfo->vgid[0] ? vginfo->vgid : "", vginfo->vgid[0] ? vginfo->vgid : "",
vginfo->vgid[0] ? ")" : "", mdabuf); vginfo->vgid[0] ? ")" : "", mdabuf);
} else } else
log_debug_cache("lvmcache: Initialised VG %s.", vgname); log_debug_cache("lvmcache initialised VG %s.", vgname);
return 1; return 1;
} }
@@ -1921,6 +1898,7 @@ static int _lvmcache_update_vgstatus(struct lvmcache_info *info, uint32_t vgstat
info->vginfo->creation_host)) info->vginfo->creation_host))
goto set_lock_type; goto set_lock_type;
if (info->vginfo->creation_host)
dm_free(info->vginfo->creation_host); dm_free(info->vginfo->creation_host);
if (!(info->vginfo->creation_host = dm_strdup(creation_host))) { if (!(info->vginfo->creation_host = dm_strdup(creation_host))) {
@@ -1940,6 +1918,7 @@ set_lock_type:
if (info->vginfo->lock_type && !strcmp(lock_type, info->vginfo->lock_type)) if (info->vginfo->lock_type && !strcmp(lock_type, info->vginfo->lock_type))
goto set_system_id; goto set_system_id;
if (info->vginfo->lock_type)
dm_free(info->vginfo->lock_type); dm_free(info->vginfo->lock_type);
if (!(info->vginfo->lock_type = dm_strdup(lock_type))) { if (!(info->vginfo->lock_type = dm_strdup(lock_type))) {
@@ -1958,6 +1937,7 @@ set_system_id:
if (info->vginfo->system_id && !strcmp(system_id, info->vginfo->system_id)) if (info->vginfo->system_id && !strcmp(system_id, info->vginfo->system_id))
goto out; goto out;
if (info->vginfo->system_id)
dm_free(info->vginfo->system_id); dm_free(info->vginfo->system_id);
if (!(info->vginfo->system_id = dm_strdup(system_id))) { if (!(info->vginfo->system_id = dm_strdup(system_id))) {
@@ -2004,7 +1984,7 @@ int lvmcache_add_orphan_vginfo(const char *vgname, struct format_type *fmt)
return _lvmcache_update_vgname(NULL, vgname, vgname, 0, "", fmt); return _lvmcache_update_vgname(NULL, vgname, vgname, 0, "", fmt);
} }
int lvmcache_update_vgname_and_id(struct lvmcache_info *info, const struct lvmcache_vgsummary *vgsummary) int lvmcache_update_vgname_and_id(struct lvmcache_info *info, struct lvmcache_vgsummary *vgsummary)
{ {
const char *vgname = vgsummary->vgname; const char *vgname = vgsummary->vgname;
const char *vgid = (char *)&vgsummary->vgid; const char *vgid = (char *)&vgsummary->vgid;

View File

@@ -85,7 +85,7 @@ void lvmcache_del(struct lvmcache_info *info);
/* Update things */ /* Update things */
int lvmcache_update_vgname_and_id(struct lvmcache_info *info, int lvmcache_update_vgname_and_id(struct lvmcache_info *info,
const struct lvmcache_vgsummary *vgsummary); struct lvmcache_vgsummary *vgsummary);
int lvmcache_update_vg(struct volume_group *vg, unsigned precommitted); int lvmcache_update_vg(struct volume_group *vg, unsigned precommitted);
void lvmcache_lock_vgname(const char *vgname, int read_only); void lvmcache_lock_vgname(const char *vgname, int read_only);
@@ -181,7 +181,7 @@ int lvmcache_foreach_ba(struct lvmcache_info *info,
int (*fun)(struct disk_locn *, void *), int (*fun)(struct disk_locn *, void *),
void *baton); void *baton);
int lvmcache_foreach_pv(struct lvmcache_vginfo *vginfo, int lvmcache_foreach_pv(struct lvmcache_vginfo *vg,
int (*fun)(struct lvmcache_info *, void *), void * baton); int (*fun)(struct lvmcache_info *, void *), void * baton);
uint64_t lvmcache_device_size(struct lvmcache_info *info); uint64_t lvmcache_device_size(struct lvmcache_info *info);

96
lib/cache/lvmetad.c vendored
View File

@@ -39,7 +39,7 @@ static int64_t _lvmetad_update_timeout;
static int _found_lvm1_metadata = 0; static int _found_lvm1_metadata = 0;
static struct volume_group *_lvmetad_pvscan_vg(struct cmd_context *cmd, struct volume_group *vg); static struct volume_group *lvmetad_pvscan_vg(struct cmd_context *cmd, struct volume_group *vg);
static uint64_t _monotonic_seconds(void) static uint64_t _monotonic_seconds(void)
{ {
@@ -66,7 +66,7 @@ static int _log_debug_inequality(const char *name, struct dm_config_node *a, str
log_debug_lvmetad("VG %s metadata inequality at %s / %s: %s / %s", log_debug_lvmetad("VG %s metadata inequality at %s / %s: %s / %s",
name, a->key, b->key, av->v.str, bv->v.str); name, a->key, b->key, av->v.str, bv->v.str);
else if (a->v->type == DM_CFG_INT && b->v->type == DM_CFG_INT) else if (a->v->type == DM_CFG_INT && b->v->type == DM_CFG_INT)
log_debug_lvmetad("VG %s metadata inequality at %s / %s: " FMTd64 " / " FMTd64, log_debug_lvmetad("VG %s metadata inequality at %s / %s: " FMTi64 " / " FMTi64,
name, a->key, b->key, av->v.i, bv->v.i); name, a->key, b->key, av->v.i, bv->v.i);
else else
log_debug_lvmetad("VG %s metadata inequality at %s / %s: type %d / type %d", log_debug_lvmetad("VG %s metadata inequality at %s / %s: type %d / type %d",
@@ -145,15 +145,14 @@ int lvmetad_connect(struct cmd_context *cmd)
_lvmetad_use = 1; _lvmetad_use = 1;
_lvmetad_cmd = cmd; _lvmetad_cmd = cmd;
return 1; return 1;
} } else {
log_debug_lvmetad("Failed to connect to lvmetad: %s", strerror(_lvmetad.error)); log_debug_lvmetad("Failed to connect to lvmetad: %s", strerror(_lvmetad.error));
_lvmetad_connected = 0; _lvmetad_connected = 0;
_lvmetad_use = 0; _lvmetad_use = 0;
_lvmetad_cmd = NULL; _lvmetad_cmd = NULL;
return 0; return 0;
} }
}
int lvmetad_used(void) int lvmetad_used(void)
{ {
@@ -551,7 +550,6 @@ static int _token_update(int *replaced_update)
daemon_reply reply; daemon_reply reply;
const char *token_expected; const char *token_expected;
const char *prev_token; const char *prev_token;
const char *reply_str;
int update_pid; int update_pid;
int ending_our_update; int ending_our_update;
@@ -568,14 +566,13 @@ static int _token_update(int *replaced_update)
} }
update_pid = (int)daemon_reply_int(reply, "update_pid", 0); update_pid = (int)daemon_reply_int(reply, "update_pid", 0);
reply_str = daemon_reply_str(reply, "response", "");
/* /*
* A mismatch can only happen when this command attempts to set the * A mismatch can only happen when this command attempts to set the
* token to filter:<hash> at the end of its update, but the update has * token to filter:<hash> at the end of its update, but the update has
* been preempted in lvmetad by a new one (from update_pid). * been preempted in lvmetad by a new one (from update_pid).
*/ */
if (!strcmp(reply_str, "token_mismatch")) { if (!strcmp(daemon_reply_str(reply, "response", ""), "token_mismatch")) {
token_expected = daemon_reply_str(reply, "expected", ""); token_expected = daemon_reply_str(reply, "expected", "");
ending_our_update = strcmp(_lvmetad_token, LVMETAD_TOKEN_UPDATE_IN_PROGRESS); ending_our_update = strcmp(_lvmetad_token, LVMETAD_TOKEN_UPDATE_IN_PROGRESS);
@@ -601,7 +598,7 @@ static int _token_update(int *replaced_update)
return 0; return 0;
} }
if (strcmp(reply_str, "OK")) { if (strcmp(daemon_reply_str(reply, "response", ""), "OK")) {
log_error("Failed response from lvmetad for token update."); log_error("Failed response from lvmetad for token update.");
daemon_reply_destroy(reply); daemon_reply_destroy(reply);
return 0; return 0;
@@ -628,7 +625,6 @@ static int _lvmetad_handle_reply(daemon_reply reply, const char *id, const char
{ {
const char *token_expected; const char *token_expected;
const char *action; const char *action;
const char *reply_str;
int action_modifies = 0; int action_modifies = 0;
int daemon_in_update; int daemon_in_update;
int we_are_in_update; int we_are_in_update;
@@ -666,15 +662,15 @@ static int _lvmetad_handle_reply(daemon_reply reply, const char *id, const char
} }
if (reply.error) { if (reply.error) {
log_error("lvmetad cannot be used due to error: %s", strerror(reply.error)); log_warn("WARNING: lvmetad cannot be used due to error: %s", strerror(reply.error));
goto fail; goto fail;
} }
/* /*
* Errors related to token mismatch. * Errors related to token mismatch.
*/ */
reply_str = daemon_reply_str(reply, "response", "");
if (!strcmp(reply_str, "token_mismatch")) { if (!strcmp(daemon_reply_str(reply, "response", ""), "token_mismatch")) {
token_expected = daemon_reply_str(reply, "expected", ""); token_expected = daemon_reply_str(reply, "expected", "");
update_pid = (int)daemon_reply_int(reply, "update_pid", 0); update_pid = (int)daemon_reply_int(reply, "update_pid", 0);
@@ -772,14 +768,14 @@ static int _lvmetad_handle_reply(daemon_reply reply, const char *id, const char
*/ */
/* All OK? */ /* All OK? */
if (!strcmp(reply_str, "OK")) { if (!strcmp(daemon_reply_str(reply, "response", ""), "OK")) {
if (found) if (found)
*found = 1; *found = 1;
return 1; return 1;
} }
/* Unknown device permitted? */ /* Unknown device permitted? */
if (found && !strcmp(reply_str, "unknown")) { if (found && !strcmp(daemon_reply_str(reply, "response", ""), "unknown")) {
log_very_verbose("Request to %s %s%sin lvmetad did not find any matching object.", log_very_verbose("Request to %s %s%sin lvmetad did not find any matching object.",
action, object, *object ? " " : ""); action, object, *object ? " " : "");
*found = 0; *found = 0;
@@ -787,7 +783,7 @@ static int _lvmetad_handle_reply(daemon_reply reply, const char *id, const char
} }
/* Multiple VGs with the same name were found. */ /* Multiple VGs with the same name were found. */
if (found && !strcmp(reply_str, "multiple")) { if (found && !strcmp(daemon_reply_str(reply, "response", ""), "multiple")) {
log_very_verbose("Request to %s %s%sin lvmetad found multiple matching objects.", log_very_verbose("Request to %s %s%sin lvmetad found multiple matching objects.",
action, object, *object ? " " : ""); action, object, *object ? " " : "");
if (found) if (found)
@@ -1093,7 +1089,7 @@ struct volume_group *lvmetad_vg_lookup(struct cmd_context *cmd, const char *vgna
* invalidated the cached vg. * invalidated the cached vg.
*/ */
if (rescan) { if (rescan) {
if (!(vg2 = _lvmetad_pvscan_vg(cmd, vg))) { if (!(vg2 = lvmetad_pvscan_vg(cmd, vg))) {
log_debug_lvmetad("VG %s from lvmetad not found during rescan.", vgname); log_debug_lvmetad("VG %s from lvmetad not found during rescan.", vgname);
fid = NULL; fid = NULL;
release_vg(vg); release_vg(vg);
@@ -1284,7 +1280,7 @@ int lvmetad_vg_update_finish(struct volume_group *vg)
if (pvl->pv->dev && !lvmetad_pv_found(vg->cmd, &pvl->pv->id, pvl->pv->dev, if (pvl->pv->dev && !lvmetad_pv_found(vg->cmd, &pvl->pv->id, pvl->pv->dev,
vgu->fid ? vgu->fid->fmt : pvl->pv->fmt, vgu->fid ? vgu->fid->fmt : pvl->pv->fmt,
pvl->pv->label_sector, NULL, NULL, NULL)) pvl->pv->label_sector, NULL, NULL, NULL))
return_0; return 0;
} }
vg->lvmetad_update_pending = 0; vg->lvmetad_update_pending = 0;
@@ -1308,7 +1304,7 @@ int lvmetad_vg_remove_pending(struct volume_group *vg)
reply = _lvmetad_send(vg->cmd, "set_vg_info", reply = _lvmetad_send(vg->cmd, "set_vg_info",
"name = %s", vg->name, "name = %s", vg->name,
"uuid = %s", uuid, "uuid = %s", uuid,
"version = %"PRId64, (int64_t)0, "version = %d", 0,
NULL); NULL);
if (!_lvmetad_handle_reply(reply, "set_vg_info", vg->name, NULL)) { if (!_lvmetad_handle_reply(reply, "set_vg_info", vg->name, NULL)) {
@@ -1519,7 +1515,7 @@ int lvmetad_vg_list_to_lvmcache(struct cmd_context *cmd)
return 1; return 1;
} }
struct extract_dl_baton { struct _extract_dl_baton {
int i; int i;
struct dm_config_tree *cft; struct dm_config_tree *cft;
struct dm_config_node *pre_sib; struct dm_config_node *pre_sib;
@@ -1527,7 +1523,7 @@ struct extract_dl_baton {
static int _extract_mda(struct metadata_area *mda, void *baton) static int _extract_mda(struct metadata_area *mda, void *baton)
{ {
struct extract_dl_baton *b = baton; struct _extract_dl_baton *b = baton;
struct dm_config_node *cn; struct dm_config_node *cn;
char id[32]; char id[32];
@@ -1548,7 +1544,7 @@ static int _extract_mda(struct metadata_area *mda, void *baton)
static int _extract_disk_location(const char *name, struct disk_locn *dl, void *baton) static int _extract_disk_location(const char *name, struct disk_locn *dl, void *baton)
{ {
struct extract_dl_baton *b = baton; struct _extract_dl_baton *b = baton;
struct dm_config_node *cn; struct dm_config_node *cn;
char id[32]; char id[32];
@@ -1583,7 +1579,7 @@ static int _extract_ba(struct disk_locn *ba, void *baton)
static int _extract_mdas(struct lvmcache_info *info, struct dm_config_tree *cft, static int _extract_mdas(struct lvmcache_info *info, struct dm_config_tree *cft,
struct dm_config_node *pre_sib) struct dm_config_node *pre_sib)
{ {
struct extract_dl_baton baton = { .cft = cft }; struct _extract_dl_baton baton = { .cft = cft };
if (!lvmcache_foreach_mda(info, &_extract_mda, &baton)) if (!lvmcache_foreach_mda(info, &_extract_mda, &baton))
return 0; return 0;
@@ -1610,7 +1606,7 @@ int lvmetad_pv_found(struct cmd_context *cmd, const struct id *pvid, struct devi
struct dm_config_tree *pvmeta, *vgmeta; struct dm_config_tree *pvmeta, *vgmeta;
const char *status = NULL, *vgname = NULL; const char *status = NULL, *vgname = NULL;
int64_t changed = 0; int64_t changed = 0;
int result, seqno_after; int result;
if (!lvmetad_used() || test_mode()) if (!lvmetad_used() || test_mode())
return 1; return 1;
@@ -1675,12 +1671,10 @@ int lvmetad_pv_found(struct cmd_context *cmd, const struct id *pvid, struct devi
result = _lvmetad_handle_reply(reply, "pv_found", uuid, NULL); result = _lvmetad_handle_reply(reply, "pv_found", uuid, NULL);
if (vg && result) { if (vg && result &&
seqno_after = daemon_reply_int(reply, "seqno_after", -1); (daemon_reply_int(reply, "seqno_after", -1) != vg->seqno ||
if ((seqno_after != vg->seqno) || daemon_reply_int(reply, "seqno_after", -1) != daemon_reply_int(reply, "seqno_before", -1)))
(seqno_after != daemon_reply_int(reply, "seqno_before", -1)))
log_warn("WARNING: Inconsistent metadata found for VG %s", vg->name); log_warn("WARNING: Inconsistent metadata found for VG %s", vg->name);
}
if (result && found_vgnames) { if (result && found_vgnames) {
status = daemon_reply_str(reply, "status", NULL); status = daemon_reply_str(reply, "status", NULL);
@@ -1771,7 +1765,7 @@ static int _lvmetad_pvscan_single(struct metadata_area *mda, void *baton)
struct volume_group *vg; struct volume_group *vg;
if (mda_is_ignored(mda) || if (mda_is_ignored(mda) ||
!(vg = mda->ops->vg_read(b->fid, "", mda, NULL, NULL, 1, 0))) !(vg = mda->ops->vg_read(b->fid, "", mda, NULL, NULL, 1)))
return 1; return 1;
/* FIXME Also ensure contents match etc. */ /* FIXME Also ensure contents match etc. */
@@ -1792,7 +1786,7 @@ static int _lvmetad_pvscan_single(struct metadata_area *mda, void *baton)
* the VG, and that PV may have been reused for another VG. * the VG, and that PV may have been reused for another VG.
*/ */
static struct volume_group *_lvmetad_pvscan_vg(struct cmd_context *cmd, struct volume_group *vg) static struct volume_group *lvmetad_pvscan_vg(struct cmd_context *cmd, struct volume_group *vg)
{ {
char pvid_s[ID_LEN + 1] __attribute__((aligned(8))); char pvid_s[ID_LEN + 1] __attribute__((aligned(8)));
char uuid[64] __attribute__((aligned(8))); char uuid[64] __attribute__((aligned(8)));
@@ -1924,44 +1918,15 @@ scan_more:
vgmeta_ret = vgmeta; vgmeta_ret = vgmeta;
save_dev = devl->dev; save_dev = devl->dev;
} else { } else {
struct dm_config_node *meta1 = vgmeta_ret->root; if (compare_config(vgmeta_ret->root, vgmeta->root)) {
struct dm_config_node *meta2 = vgmeta->root;
struct dm_config_node *sib1 = meta1->sib;
struct dm_config_node *sib2 = meta2->sib;
/*
* Do not compare the extraneous data that
* export_vg_to_config_tree() inserts next to the
* actual VG metadata. This includes creation_time
* which may not match since it is generated separately
* for each call to create the config tree.
*
* We're saving the sibling pointer and restoring it
* after the compare because we're unsure if anything
* later might want it.
*
* FIXME: make it clearer what we're doing here, e.g.
* pass a parameter to export_vg_to_config_tree()
* telling it to skip the extraneous data, or something.
* It's very non-obvious that setting sib=NULL does that.
*/
meta1->sib = NULL;
meta2->sib = NULL;
if (compare_config(meta1, meta2)) {
log_error("VG %s metadata comparison failed for device %s vs %s", log_error("VG %s metadata comparison failed for device %s vs %s",
vg->name, dev_name(devl->dev), save_dev ? dev_name(save_dev) : "none"); vg->name, dev_name(devl->dev), save_dev ? dev_name(save_dev) : "none");
_log_debug_inequality(vg->name, vgmeta_ret->root, vgmeta->root); _log_debug_inequality(vg->name, vgmeta_ret->root, vgmeta->root);
meta1->sib = sib1;
meta2->sib = sib2;
dm_config_destroy(vgmeta); dm_config_destroy(vgmeta);
dm_config_destroy(vgmeta_ret); dm_config_destroy(vgmeta_ret);
release_vg(baton.vg); release_vg(baton.vg);
return NULL; return NULL;
} }
meta1->sib = sib1;
meta2->sib = sib2;
dm_config_destroy(vgmeta); dm_config_destroy(vgmeta);
} }
@@ -2067,7 +2032,6 @@ scan_more:
dm_config_destroy(vgmeta_ret); dm_config_destroy(vgmeta_ret);
} }
out: out:
if (vg_ret)
log_debug_lvmetad("Rescan VG %s done (seqno %u).", vg_ret->name, vg_ret->seqno); log_debug_lvmetad("Rescan VG %s done (seqno %u).", vg_ret->name, vg_ret->seqno);
return vg_ret; return vg_ret;
} }
@@ -2087,11 +2051,6 @@ int lvmetad_pvscan_single(struct cmd_context *cmd, struct device *dev,
return 0; return 0;
} }
if (udev_dev_is_mpath_component(dev)) {
log_debug("Ignore multipath component for pvscan.");
return 1;
}
if (!label_read(dev, &label, 0)) { if (!label_read(dev, &label, 0)) {
log_print_unless_silent("No PV label found on %s.", dev_name(dev)); log_print_unless_silent("No PV label found on %s.", dev_name(dev));
if (!lvmetad_pv_gone_by_dev(dev)) if (!lvmetad_pv_gone_by_dev(dev))
@@ -2880,9 +2839,6 @@ int lvmetad_is_disabled(struct cmd_context *cmd, const char **reason)
} else if (strstr(reply_reason, LVMETAD_DISABLE_REASON_DIRECT)) { } else if (strstr(reply_reason, LVMETAD_DISABLE_REASON_DIRECT)) {
*reason = "the disable flag was set directly"; *reason = "the disable flag was set directly";
} else if (strstr(reply_reason, LVMETAD_DISABLE_REASON_REPAIR)) {
*reason = "a repair command was run";
} else if (strstr(reply_reason, LVMETAD_DISABLE_REASON_LVM1)) { } else if (strstr(reply_reason, LVMETAD_DISABLE_REASON_LVM1)) {
*reason = "LVM1 metadata was found"; *reason = "LVM1 metadata was found";

View File

@@ -36,38 +36,6 @@ static unsigned _feature_mask;
log_error(t " segment %s of logical volume %s.", ## p, \ log_error(t " segment %s of logical volume %s.", ## p, \
dm_config_parent_name(sn), seg->lv->name), 0; dm_config_parent_name(sn), seg->lv->name), 0;
static int _cache_out_line(const char *line, void *_f)
{
log_print(" Setting\t\t%s", line);
return 1;
}
static void _cache_display(const struct lv_segment *seg)
{
const struct dm_config_node *n;
const struct lv_segment *pool_seg =
seg_is_cache_pool(seg) ? seg : first_seg(seg->pool_lv);
log_print(" Chunk size\t\t%s",
display_size(seg->lv->vg->cmd, pool_seg->chunk_size));
if (pool_seg->cache_metadata_format != CACHE_METADATA_FORMAT_UNSELECTED)
log_print(" Metadata format\t%u", pool_seg->cache_metadata_format);
if (pool_seg->cache_mode != CACHE_MODE_UNSELECTED)
log_print(" Mode\t\t%s", get_cache_mode_name(pool_seg));
if (pool_seg->policy_name)
log_print(" Policy\t\t%s", pool_seg->policy_name);
if (pool_seg->policy_settings &&
(n = pool_seg->policy_settings->child))
dm_config_write_node(n, _cache_out_line, NULL);
log_print(" ");
}
/* /*
* When older metadata are loaded without newer settings, * When older metadata are loaded without newer settings,
* set then to default settings (the one that could have been * set then to default settings (the one that could have been
@@ -84,13 +52,7 @@ static void _fix_missing_defaults(struct lv_segment *cpool_seg)
cpool_seg->policy_name); cpool_seg->policy_name);
} }
if (cpool_seg->cache_metadata_format == CACHE_METADATA_FORMAT_UNSELECTED) { if (cpool_seg->cache_mode == CACHE_MODE_UNDEFINED) {
cpool_seg->cache_metadata_format = CACHE_METADATA_FORMAT_1;
log_verbose("Cache pool %s uses implicit metadata format %u.",
display_lvname(cpool_seg->lv), cpool_seg->cache_metadata_format);
}
if (cpool_seg->cache_mode == CACHE_MODE_UNSELECTED) {
cpool_seg->cache_mode = CACHE_MODE_WHEN_MISSING; cpool_seg->cache_mode = CACHE_MODE_WHEN_MISSING;
log_verbose("Cache pool %s is missing cache mode, using %s.", log_verbose("Cache pool %s is missing cache mode, using %s.",
display_lvname(cpool_seg->lv), display_lvname(cpool_seg->lv),
@@ -145,16 +107,6 @@ static int _cache_pool_text_import(struct lv_segment *seg,
return SEG_LOG_ERROR("Failed to duplicate policy in"); return SEG_LOG_ERROR("Failed to duplicate policy in");
} }
if (dm_config_has_node(sn, "metadata_format")) {
if (!dm_config_get_uint32(sn, "metadata_format", &seg->cache_metadata_format) ||
((seg->cache_metadata_format != CACHE_METADATA_FORMAT_1) &&
(seg->cache_metadata_format != CACHE_METADATA_FORMAT_2)))
return SEG_LOG_ERROR("Unknown cache metadata format %u number in",
seg->cache_metadata_format);
if (seg->cache_metadata_format == CACHE_METADATA_FORMAT_2)
seg->lv->status |= LV_METADATA_FORMAT;
}
/* /*
* Read in policy args: * Read in policy args:
* policy_settings { * policy_settings {
@@ -212,31 +164,12 @@ static int _cache_pool_text_export(const struct lv_segment *seg,
outf(f, "metadata = \"%s\"", seg->metadata_lv->name); outf(f, "metadata = \"%s\"", seg->metadata_lv->name);
outf(f, "chunk_size = %" PRIu32, seg->chunk_size); outf(f, "chunk_size = %" PRIu32, seg->chunk_size);
switch (seg->cache_metadata_format) {
case CACHE_METADATA_FORMAT_UNSELECTED:
/* Unselected format is not printed */
break;
case CACHE_METADATA_FORMAT_1:
/* If format 1 was already specified with cache pool, store it,
* otherwise format gets stored when LV is cached.
* NB: format 1 could be lost anytime, it's a default format.
* Older lvm2 tool can easily drop it.
*/
case CACHE_METADATA_FORMAT_2: /* more in future ? */
outf(f, "metadata_format = " FMTu32, seg->cache_metadata_format);
break;
default:
log_error(INTERNAL_ERROR "LV %s is using unknown cache metadada format %u.",
display_lvname(seg->lv), seg->cache_metadata_format);
return 0;
}
/* /*
* Cache pool used by a cache LV holds data. Not ideal, * Cache pool used by a cache LV holds data. Not ideal,
* but not worth to break backward compatibility, by shifting * but not worth to break backward compatibility, by shifting
* content to cache segment * content to cache segment
*/ */
if (seg->cache_mode != CACHE_MODE_UNSELECTED) { if (seg->cache_mode != CACHE_MODE_UNDEFINED) {
if (!(cache_mode = get_cache_mode_name(seg))) if (!(cache_mode = get_cache_mode_name(seg)))
return_0; return_0;
outf(f, "cache_mode = \"%s\"", cache_mode); outf(f, "cache_mode = \"%s\"", cache_mode);
@@ -265,39 +198,6 @@ static void _destroy(struct segment_type *segtype)
} }
#ifdef DEVMAPPER_SUPPORT #ifdef DEVMAPPER_SUPPORT
/*
* Parse and look for kernel symbol in /proc/kallsyms
* this could be our only change to figure out there is
* cache policy symbol already in the monolithic kernel
* where 'modprobe dm-cache-smq' will simply not work
*/
static int _lookup_kallsyms(const char *symbol)
{
static const char _syms[] = "/proc/kallsyms";
int ret = 0;
char *line = NULL;
size_t len;
FILE *s;
if (!(s = fopen(_syms, "r")))
log_sys_debug("fopen", _syms);
else {
while (getline(&line, &len, s) != -1)
if (strstr(line, symbol)) {
ret = 1; /* Found symbol */
log_debug("Found kernel symbol%s.", symbol); /* space is in symbol */
break;
}
free(line);
if (fclose(s))
log_sys_debug("fclose", _syms);
}
return ret;
}
static int _target_present(struct cmd_context *cmd, static int _target_present(struct cmd_context *cmd,
const struct lv_segment *seg __attribute__((unused)), const struct lv_segment *seg __attribute__((unused)),
unsigned *attributes __attribute__((unused))) unsigned *attributes __attribute__((unused)))
@@ -310,15 +210,13 @@ static int _target_present(struct cmd_context *cmd,
unsigned cache_alias; unsigned cache_alias;
const char feature[12]; const char feature[12];
const char module[12]; /* check dm-%s */ const char module[12]; /* check dm-%s */
const char ksymbol[12]; /* check for kernel symbol */
const char *aliasing; const char *aliasing;
} _features[] = { } _features[] = {
{ 1, 10, CACHE_FEATURE_METADATA2, 0, "metadata2" },
/* Assumption: cache >=1.9 always aliases MQ policy */ /* Assumption: cache >=1.9 always aliases MQ policy */
{ 1, 9, CACHE_FEATURE_POLICY_SMQ, CACHE_FEATURE_POLICY_MQ, "policy_smq", "cache-smq", { 1, 9, CACHE_FEATURE_POLICY_SMQ, CACHE_FEATURE_POLICY_MQ, "policy_smq", "cache-smq",
" smq_exit", " and aliases cache-mq" }, " and aliases cache-mq" },
{ 1, 8, CACHE_FEATURE_POLICY_SMQ, 0, "policy_smq", "cache-smq", " smq_exit" }, { 1, 8, CACHE_FEATURE_POLICY_SMQ, 0, "policy_smq", "cache-smq" },
{ 1, 3, CACHE_FEATURE_POLICY_MQ, 0, "policy_mq", "cache-mq", " mq_init" }, { 1, 3, CACHE_FEATURE_POLICY_MQ, 0, "policy_mq", "cache-mq" },
}; };
static const char _lvmconf[] = "global/cache_disabled_features"; static const char _lvmconf[] = "global/cache_disabled_features";
static unsigned _attrs = 0; static unsigned _attrs = 0;
@@ -352,20 +250,9 @@ static int _target_present(struct cmd_context *cmd,
for (i = 0; i < DM_ARRAY_SIZE(_features); ++i) { for (i = 0; i < DM_ARRAY_SIZE(_features); ++i) {
if (_attrs & _features[i].cache_feature) if (_attrs & _features[i].cache_feature)
continue; /* already present */ continue; /* already present */
if (!_features[i].module[0]) {
if ((maj > _features[i].maj) ||
(maj == _features[i].maj && min >= _features[i].min)) {
log_debug_activation("Cache supports %s.",
_features[i].feature);
_attrs |= _features[i].cache_feature;
}
continue;
}
if (((maj > _features[i].maj) || if (((maj > _features[i].maj) ||
(maj == _features[i].maj && min >= _features[i].min)) && (maj == _features[i].maj && min >= _features[i].min)) &&
((_features[i].ksymbol[0] && _lookup_kallsyms(_features[i].ksymbol)) || module_present(cmd, _features[i].module)) {
module_present(cmd, _features[i].module))) {
log_debug_activation("Cache policy %s is available%s.", log_debug_activation("Cache policy %s is available%s.",
_features[i].module, _features[i].module,
_features[i].aliasing ? : ""); _features[i].aliasing ? : "");
@@ -423,7 +310,6 @@ static int _modules_needed(struct dm_pool *mem,
#endif /* DEVMAPPER_SUPPORT */ #endif /* DEVMAPPER_SUPPORT */
static struct segtype_handler _cache_pool_ops = { static struct segtype_handler _cache_pool_ops = {
.display = _cache_display,
.text_import = _cache_pool_text_import, .text_import = _cache_pool_text_import,
.text_import_area_count = _cache_pool_text_import_area_count, .text_import_area_count = _cache_pool_text_import_area_count,
.text_export = _cache_pool_text_export, .text_export = _cache_pool_text_export,
@@ -513,7 +399,6 @@ static int _cache_add_target_line(struct dev_manager *dm,
struct lv_segment *cache_pool_seg; struct lv_segment *cache_pool_seg;
char *metadata_uuid, *data_uuid, *origin_uuid; char *metadata_uuid, *data_uuid, *origin_uuid;
uint64_t feature_flags = 0; uint64_t feature_flags = 0;
unsigned attr;
if (!seg->pool_lv || !seg_is_cache(seg)) { if (!seg->pool_lv || !seg_is_cache(seg)) {
log_error(INTERNAL_ERROR "Passed segment is not cache."); log_error(INTERNAL_ERROR "Passed segment is not cache.");
@@ -541,26 +426,6 @@ static int _cache_add_target_line(struct dev_manager *dm,
break; break;
} }
switch (cache_pool_seg->cache_metadata_format) {
case CACHE_METADATA_FORMAT_1: break;
case CACHE_METADATA_FORMAT_2:
if (!_target_present(cmd, NULL, &attr))
return_0;
if (!(attr & CACHE_FEATURE_METADATA2)) {
log_error("LV %s has metadata format %u unsuported by kernel.",
display_lvname(seg->lv), cache_pool_seg->cache_metadata_format);
return 0;
}
feature_flags |= DM_CACHE_FEATURE_METADATA2;
log_debug_activation("Using metadata2 format for %s.", display_lvname(seg->lv));
break;
default:
log_error(INTERNAL_ERROR "LV %s has unknown metadata format %u.",
display_lvname(seg->lv), cache_pool_seg->cache_metadata_format);
return 0;
}
if (!(metadata_uuid = build_dm_uuid(mem, cache_pool_seg->metadata_lv, NULL))) if (!(metadata_uuid = build_dm_uuid(mem, cache_pool_seg->metadata_lv, NULL)))
return_0; return_0;
@@ -587,7 +452,6 @@ static int _cache_add_target_line(struct dev_manager *dm,
#endif /* DEVMAPPER_SUPPORT */ #endif /* DEVMAPPER_SUPPORT */
static struct segtype_handler _cache_ops = { static struct segtype_handler _cache_ops = {
.display = _cache_display,
.text_import = _cache_text_import, .text_import = _cache_text_import,
.text_import_area_count = _cache_text_import_area_count, .text_import_area_count = _cache_text_import_area_count,
.text_export = _cache_text_export, .text_export = _cache_text_export,

View File

@@ -46,7 +46,6 @@
#include <locale.h> #include <locale.h>
#include <sys/stat.h> #include <sys/stat.h>
#include <sys/syscall.h>
#include <sys/utsname.h> #include <sys/utsname.h>
#include <syslog.h> #include <syslog.h>
#include <time.h> #include <time.h>
@@ -55,7 +54,7 @@
# include <malloc.h> # include <malloc.h>
#endif #endif
static const size_t _linebuffer_size = 4096; static const size_t linebuffer_size = 4096;
/* /*
* Copy the input string, removing invalid characters. * Copy the input string, removing invalid characters.
@@ -193,9 +192,6 @@ static int _get_env_vars(struct cmd_context *cmd)
} }
} }
if (strcmp((getenv("LVM_RUN_BY_DMEVENTD") ? : "0"), "1") == 0)
init_run_by_dmeventd(cmd);
return 1; return 1;
} }
@@ -284,8 +280,6 @@ static int _parse_debug_classes(struct cmd_context *cmd)
debug_classes |= LOG_CLASS_LVMPOLLD; debug_classes |= LOG_CLASS_LVMPOLLD;
else if (!strcasecmp(cv->v.str, "dbus")) else if (!strcasecmp(cv->v.str, "dbus"))
debug_classes |= LOG_CLASS_DBUS; debug_classes |= LOG_CLASS_DBUS;
else if (!strcasecmp(cv->v.str, "io"))
debug_classes |= LOG_CLASS_IO;
else else
log_verbose("Unrecognised value for log/debug_classes: %s", cv->v.str); log_verbose("Unrecognised value for log/debug_classes: %s", cv->v.str);
} }
@@ -477,12 +471,10 @@ bad:
int process_profilable_config(struct cmd_context *cmd) int process_profilable_config(struct cmd_context *cmd)
{ {
const char *units;
if (!(cmd->default_settings.unit_factor = if (!(cmd->default_settings.unit_factor =
dm_units_to_factor(units = find_config_tree_str(cmd, global_units_CFG, NULL), dm_units_to_factor(find_config_tree_str(cmd, global_units_CFG, NULL),
&cmd->default_settings.unit_type, 1, NULL))) { &cmd->default_settings.unit_type, 1, NULL))) {
log_error("Unrecognised configuration setting for global/units: %s", units); log_error("Invalid units specification");
return 0; return 0;
} }
@@ -567,7 +559,7 @@ static int _process_config(struct cmd_context *cmd)
#ifdef DEVMAPPER_SUPPORT #ifdef DEVMAPPER_SUPPORT
dm_set_dev_dir(cmd->dev_dir); dm_set_dev_dir(cmd->dev_dir);
if (!dm_set_uuid_prefix(UUID_PREFIX)) if (!dm_set_uuid_prefix("LVM-"))
return_0; return_0;
#endif #endif
@@ -636,16 +628,6 @@ static int _process_config(struct cmd_context *cmd)
*/ */
cmd->default_settings.udev_fallback = udev_disabled ? 1 : -1; cmd->default_settings.udev_fallback = udev_disabled ? 1 : -1;
#ifdef AIO_SUPPORT
cmd->use_aio = find_config_tree_bool(cmd, devices_use_aio_CFG, NULL);
#else
cmd->use_aio = 0;
#endif
if (cmd->use_aio && !dev_async_setup(cmd))
cmd->use_aio = 0;
log_debug_io("%ssing asynchronous I/O.", cmd->use_aio ? "U" : "Not u");
init_retry_deactivation(find_config_tree_bool(cmd, activation_retry_deactivation_CFG, NULL)); init_retry_deactivation(find_config_tree_bool(cmd, activation_retry_deactivation_CFG, NULL));
init_activation_checks(find_config_tree_bool(cmd, activation_checks_CFG, NULL)); init_activation_checks(find_config_tree_bool(cmd, activation_checks_CFG, NULL));
@@ -658,8 +640,8 @@ static int _process_config(struct cmd_context *cmd)
if (!strcmp(cmd->stripe_filler, "/dev/ioerror") && if (!strcmp(cmd->stripe_filler, "/dev/ioerror") &&
stat(cmd->stripe_filler, &st)) stat(cmd->stripe_filler, &st))
cmd->stripe_filler = "error"; cmd->stripe_filler = "error";
else if (strcmp(cmd->stripe_filler, "error") &&
strcmp(cmd->stripe_filler, "zero")) { if (strcmp(cmd->stripe_filler, "error")) {
if (stat(cmd->stripe_filler, &st)) { if (stat(cmd->stripe_filler, &st)) {
log_warn("WARNING: activation/missing_stripe_filler = \"%s\" " log_warn("WARNING: activation/missing_stripe_filler = \"%s\" "
"is invalid,", cmd->stripe_filler); "is invalid,", cmd->stripe_filler);
@@ -1015,7 +997,7 @@ static int _init_dev_cache(struct cmd_context *cmd)
if (!(cn = find_config_tree_array(cmd, devices_scan_CFG, NULL))) { if (!(cn = find_config_tree_array(cmd, devices_scan_CFG, NULL))) {
log_error(INTERNAL_ERROR "Unable to find configuration for devices/scan."); log_error(INTERNAL_ERROR "Unable to find configuration for devices/scan.");
return 0; return_0;
} }
for (cv = cn->v; cv; cv = cv->next) { for (cv = cn->v; cv; cv = cv->next) {
@@ -1298,7 +1280,7 @@ int init_filters(struct cmd_context *cmd, unsigned load_persistent_cache)
lvm_stat_ctim(&ts, &st); lvm_stat_ctim(&ts, &st);
cts = config_file_timestamp(cmd->cft); cts = config_file_timestamp(cmd->cft);
if (timespeccmp(&ts, &cts, >) && if (timespeccmp(&ts, &cts, >) &&
!persistent_filter_load(cmd->mem, cmd->filter, NULL)) !persistent_filter_load(cmd->filter, NULL))
log_verbose("Failed to load existing device cache from %s", log_verbose("Failed to load existing device cache from %s",
dev_cache); dev_cache);
} }
@@ -1514,6 +1496,11 @@ static int _init_segtypes(struct cmd_context *cmd)
dm_list_add(&cmd->segtypes, &segtype->list); dm_list_add(&cmd->segtypes, &segtype->list);
} }
#ifdef REPLICATOR_INTERNAL
if (!init_replicator_segtype(cmd, &seglib))
return 0;
#endif
#ifdef RAID_INTERNAL #ifdef RAID_INTERNAL
if (!init_raid_segtypes(cmd, &seglib)) if (!init_raid_segtypes(cmd, &seglib))
return 0; return 0;
@@ -1768,15 +1755,6 @@ bad:
return 0; return 0;
} }
int init_run_by_dmeventd(struct cmd_context *cmd)
{
init_dmeventd_monitor(DMEVENTD_MONITOR_IGNORE);
init_ignore_suspended_devices(1);
init_disable_dmeventd_monitoring(1); /* Lock settings */
return 0;
}
void destroy_config_context(struct cmd_context *cmd) void destroy_config_context(struct cmd_context *cmd)
{ {
_destroy_config(cmd); _destroy_config(cmd);
@@ -1809,27 +1787,10 @@ struct cmd_context *create_config_context(void)
goto_out; goto_out;
dm_list_init(&cmd->config_files); dm_list_init(&cmd->config_files);
dm_list_init(&cmd->tags);
if (!_init_lvm_conf(cmd)) if (!_init_lvm_conf(cmd))
goto_out; goto_out;
if (!_init_hostname(cmd))
goto_out;
if (!_init_tags(cmd, cmd->cft))
goto_out;
/* Load lvmlocal.conf */
if (*cmd->system_dir && !_load_config_file(cmd, "", 1))
goto_out;
if (!_init_tag_configs(cmd))
goto_out;
if (!(cmd->cft = _merge_config_files(cmd, cmd->cft)))
goto_out;
return cmd; return cmd;
out: out:
if (cmd) if (cmd)
@@ -1884,15 +1845,9 @@ struct cmd_context *create_toolcontext(unsigned is_long_lived,
#ifndef VALGRIND_POOL #ifndef VALGRIND_POOL
/* Set in/out stream buffering before glibc */ /* Set in/out stream buffering before glibc */
if (set_buffering if (set_buffering) {
#ifdef SYS_gettid
/* For threaded programs no changes of streams */
/* On linux gettid() is implemented only via syscall */
&& (syscall(SYS_gettid) == getpid())
#endif
) {
/* Allocate 2 buffers */ /* Allocate 2 buffers */
if (!(cmd->linebuffer = dm_malloc(2 * _linebuffer_size))) { if (!(cmd->linebuffer = dm_malloc(2 * linebuffer_size))) {
log_error("Failed to allocate line buffer."); log_error("Failed to allocate line buffer.");
goto out; goto out;
} }
@@ -1903,7 +1858,7 @@ struct cmd_context *create_toolcontext(unsigned is_long_lived,
(flags & O_ACCMODE) != O_WRONLY) { (flags & O_ACCMODE) != O_WRONLY) {
if (!reopen_standard_stream(&stdin, "r")) if (!reopen_standard_stream(&stdin, "r"))
goto_out; goto_out;
if (setvbuf(stdin, cmd->linebuffer, _IOLBF, _linebuffer_size)) { if (setvbuf(stdin, cmd->linebuffer, _IOLBF, linebuffer_size)) {
log_sys_error("setvbuf", ""); log_sys_error("setvbuf", "");
goto out; goto out;
} }
@@ -1914,14 +1869,14 @@ struct cmd_context *create_toolcontext(unsigned is_long_lived,
(flags & O_ACCMODE) != O_RDONLY) { (flags & O_ACCMODE) != O_RDONLY) {
if (!reopen_standard_stream(&stdout, "w")) if (!reopen_standard_stream(&stdout, "w"))
goto_out; goto_out;
if (setvbuf(stdout, cmd->linebuffer + _linebuffer_size, if (setvbuf(stdout, cmd->linebuffer + linebuffer_size,
_IOLBF, _linebuffer_size)) { _IOLBF, linebuffer_size)) {
log_sys_error("setvbuf", ""); log_sys_error("setvbuf", "");
goto out; goto out;
} }
} }
/* Buffers are used for lines without '\n' */ /* Buffers are used for lines without '\n' */
} else if (!set_buffering) } else
/* Without buffering, must not use stdin/stdout */ /* Without buffering, must not use stdin/stdout */
init_silent(1); init_silent(1);
#endif #endif
@@ -2025,6 +1980,7 @@ out:
cmd = NULL; cmd = NULL;
} }
return cmd; return cmd;
} }
@@ -2155,8 +2111,6 @@ int refresh_toolcontext(struct cmd_context *cmd)
cmd->lib_dir = NULL; cmd->lib_dir = NULL;
label_init();
if (!_init_lvm_conf(cmd)) if (!_init_lvm_conf(cmd))
return_0; return_0;
@@ -2244,7 +2198,7 @@ void destroy_toolcontext(struct cmd_context *cmd)
int flags; int flags;
if (cmd->dump_filter && cmd->filter && cmd->filter->dump && if (cmd->dump_filter && cmd->filter && cmd->filter->dump &&
!cmd->filter->dump(cmd->filter, cmd->mem, 1)) !cmd->filter->dump(cmd->filter, 1))
stack; stack;
archive_exit(cmd); archive_exit(cmd);

View File

@@ -88,20 +88,11 @@ struct cmd_context {
* Command line and arguments. * Command line and arguments.
*/ */
const char *cmd_line; const char *cmd_line;
const char *name; /* needed before cmd->command is set */
struct command_name *cname;
struct command *command; struct command *command;
char **argv; char **argv;
struct arg_values *opt_arg_values; struct arg_values *opt_arg_values;
struct dm_list arg_value_groups; struct dm_list arg_value_groups;
/*
* Position args remaining after command name
* and --options are removed from original argc/argv.
*/
int position_argc;
char **position_argv;
/* /*
* Format handlers. * Format handlers.
*/ */
@@ -160,11 +151,9 @@ struct cmd_context {
unsigned lockd_vg_rescan:1; unsigned lockd_vg_rescan:1;
unsigned lockd_vg_default_sh:1; unsigned lockd_vg_default_sh:1;
unsigned lockd_vg_enforce_sh:1; unsigned lockd_vg_enforce_sh:1;
unsigned lockd_lv_sh:1;
unsigned vg_notify:1; unsigned vg_notify:1;
unsigned lv_notify:1; unsigned lv_notify:1;
unsigned pv_notify:1; unsigned pv_notify:1;
unsigned use_aio:1;
/* /*
* Filtering. * Filtering.
@@ -244,7 +233,6 @@ int config_files_changed(struct cmd_context *cmd);
int init_lvmcache_orphans(struct cmd_context *cmd); int init_lvmcache_orphans(struct cmd_context *cmd);
int init_filters(struct cmd_context *cmd, unsigned load_persistent_cache); int init_filters(struct cmd_context *cmd, unsigned load_persistent_cache);
int init_connections(struct cmd_context *cmd); int init_connections(struct cmd_context *cmd);
int init_run_by_dmeventd(struct cmd_context *cmd);
/* /*
* A config context is a very light weight cmd struct that * A config context is a very light weight cmd struct that

View File

@@ -1,6 +1,6 @@
/* /*
* Copyright (C) 2001-2004 Sistina Software, Inc. All rights reserved. * Copyright (C) 2001-2004 Sistina Software, Inc. All rights reserved.
* Copyright (C) 2004-2018 Red Hat, Inc. All rights reserved. * Copyright (C) 2004-2011 Red Hat, Inc. All rights reserved.
* *
* This file is part of LVM2. * This file is part of LVM2.
* *
@@ -65,11 +65,11 @@ struct config_source {
* Map each ID to respective definition of the configuration item. * Map each ID to respective definition of the configuration item.
*/ */
static struct cfg_def_item _cfg_def_items[CFG_COUNT + 1] = { static struct cfg_def_item _cfg_def_items[CFG_COUNT + 1] = {
#define cfg_section(id, name, parent, flags, since_version, deprecated_since_version, deprecation_comment, comment) {id, parent, name, CFG_TYPE_SECTION, {0}, (flags), since_version, {0}, deprecated_since_version, deprecation_comment, comment}, #define cfg_section(id, name, parent, flags, since_version, deprecated_since_version, deprecation_comment, comment) {id, parent, name, CFG_TYPE_SECTION, {0}, flags, since_version, {0}, deprecated_since_version, deprecation_comment, comment},
#define cfg(id, name, parent, flags, type, default_value, since_version, unconfigured_value, deprecated_since_version, deprecation_comment, comment) {id, parent, name, type, {.v_##type = (default_value)}, (flags), since_version, {.v_UNCONFIGURED = (unconfigured_value)}, deprecated_since_version, deprecation_comment, comment}, #define cfg(id, name, parent, flags, type, default_value, since_version, unconfigured_value, deprecated_since_version, deprecation_comment, comment) {id, parent, name, type, {.v_##type = default_value}, flags, since_version, {.v_UNCONFIGURED = unconfigured_value}, deprecated_since_version, deprecation_comment, comment},
#define cfg_runtime(id, name, parent, flags, type, since_version, deprecated_since_version, deprecation_comment, comment) {id, parent, name, type, {.fn_##type = get_default_##id}, (flags) | CFG_DEFAULT_RUN_TIME, since_version, {.fn_UNCONFIGURED = get_default_unconfigured_##id}, deprecated_since_version, (deprecation_comment), comment}, #define cfg_runtime(id, name, parent, flags, type, since_version, deprecated_since_version, deprecation_comment, comment) {id, parent, name, type, {.fn_##type = get_default_##id}, flags | CFG_DEFAULT_RUN_TIME, since_version, {.fn_UNCONFIGURED = get_default_unconfigured_##id}, deprecated_since_version, deprecation_comment, comment},
#define cfg_array(id, name, parent, flags, types, default_value, since_version, unconfigured_value, deprecated_since_version, deprecation_comment, comment) {id, parent, name, CFG_TYPE_ARRAY | (types), {.v_CFG_TYPE_STRING = (default_value)}, (flags), (since_version), {.v_UNCONFIGURED = (unconfigured_value)}, deprecated_since_version, deprecation_comment, comment}, #define cfg_array(id, name, parent, flags, types, default_value, since_version, unconfigured_value, deprecated_since_version, deprecation_comment, comment) {id, parent, name, CFG_TYPE_ARRAY | types, {.v_CFG_TYPE_STRING = default_value}, flags, since_version, {.v_UNCONFIGURED = unconfigured_value}, deprecated_since_version, deprecation_comment, comment},
#define cfg_array_runtime(id, name, parent, flags, types, since_version, deprecated_since_version, deprecation_comment, comment) {id, parent, name, CFG_TYPE_ARRAY | (types), {.fn_CFG_TYPE_STRING = get_default_##id}, (flags) | CFG_DEFAULT_RUN_TIME, (since_version), {.fn_UNCONFIGURED = get_default_unconfigured_##id}, deprecated_since_version, deprecation_comment, comment}, #define cfg_array_runtime(id, name, parent, flags, types, since_version, deprecated_since_version, deprecation_comment, comment) {id, parent, name, CFG_TYPE_ARRAY | types, {.fn_CFG_TYPE_STRING = get_default_##id}, flags | CFG_DEFAULT_RUN_TIME, since_version, {.fn_UNCONFIGURED = get_default_unconfigured_##id}, deprecated_since_version, deprecation_comment, comment},
#include "config_settings.h" #include "config_settings.h"
#undef cfg_section #undef cfg_section
#undef cfg #undef cfg
@@ -279,7 +279,7 @@ struct dm_config_tree *config_file_open_and_read(const char *config_file,
} }
log_very_verbose("Loading config file: %s", config_file); log_very_verbose("Loading config file: %s", config_file);
if (!config_file_read(cmd->mem, cft)) { if (!config_file_read(cft)) {
log_error("Failed to load config file %s", config_file); log_error("Failed to load config file %s", config_file);
goto bad; goto bad;
} }
@@ -389,7 +389,7 @@ int override_config_tree_from_string(struct cmd_context *cmd,
!config_force_check(cmd, CONFIG_STRING, cft_new)) { !config_force_check(cmd, CONFIG_STRING, cft_new)) {
log_error("Ignoring invalid configuration string."); log_error("Ignoring invalid configuration string.");
dm_config_destroy(cft_new); dm_config_destroy(cft_new);
return 0; return_0;
} }
if (!(cs = dm_pool_zalloc(cft_new->mem, sizeof(struct config_source)))) { if (!(cs = dm_pool_zalloc(cft_new->mem, sizeof(struct config_source)))) {
@@ -481,110 +481,39 @@ int override_config_tree_from_profile(struct cmd_context *cmd,
if (profile->source == CONFIG_PROFILE_COMMAND) if (profile->source == CONFIG_PROFILE_COMMAND)
return _override_config_tree_from_command_profile(cmd, profile); return _override_config_tree_from_command_profile(cmd, profile);
else if (profile->source == CONFIG_PROFILE_METADATA)
if (profile->source == CONFIG_PROFILE_METADATA)
return _override_config_tree_from_metadata_profile(cmd, profile); return _override_config_tree_from_metadata_profile(cmd, profile);
log_error(INTERNAL_ERROR "override_config_tree_from_profile: incorrect profile source type"); log_error(INTERNAL_ERROR "override_config_tree_from_profile: incorrect profile source type");
return 0; return 0;
} }
struct process_config_file_params {
struct dm_config_tree *cft;
struct device *dev;
off_t offset;
size_t size;
off_t offset2;
size_t size2;
checksum_fn_t checksum_fn;
uint32_t checksum;
int checksum_only;
int no_dup_node_check;
lvm_callback_fn_t config_file_read_fd_callback;
void *config_file_read_fd_context;
int ret;
};
static void _process_config_file_buffer(int failed, unsigned ioflags, void *context, const void *data)
{
struct process_config_file_params *pcfp = context;
const char *fb = data, *fe;
if (failed) {
pcfp->ret = 0;
goto_out;
}
if (pcfp->checksum_fn && pcfp->checksum !=
(pcfp->checksum_fn(pcfp->checksum_fn(INITIAL_CRC, (const uint8_t *)fb, pcfp->size),
(const uint8_t *)(fb + pcfp->size), pcfp->size2))) {
log_error("%s: Checksum error at offset %" PRIu64, dev_name(pcfp->dev), (uint64_t) pcfp->offset);
pcfp->ret = 0;
goto out;
}
if (!pcfp->checksum_only) {
fe = fb + pcfp->size + pcfp->size2;
if (pcfp->no_dup_node_check) {
if (!dm_config_parse_without_dup_node_check(pcfp->cft, fb, fe))
pcfp->ret = 0;
} else if (!dm_config_parse(pcfp->cft, fb, fe))
pcfp->ret = 0;
}
out:
if (pcfp->config_file_read_fd_callback)
pcfp->config_file_read_fd_callback(!pcfp->ret, ioflags, pcfp->config_file_read_fd_context, NULL);
}
/* /*
* When checksum_only is set, the checksum of buffer is only matched * When checksum_only is set, the checksum of buffer is only matched
* and function avoids parsing of mda into config tree which * and function avoids parsing of mda into config tree which
* remains unmodified and should not be used. * remains unmodified and should not be used.
*/ */
int config_file_read_fd(struct dm_pool *mem, struct dm_config_tree *cft, struct device *dev, dev_io_reason_t reason, int config_file_read_fd(struct dm_config_tree *cft, struct device *dev,
off_t offset, size_t size, off_t offset2, size_t size2, off_t offset, size_t size, off_t offset2, size_t size2,
checksum_fn_t checksum_fn, uint32_t checksum, checksum_fn_t checksum_fn, uint32_t checksum,
int checksum_only, int no_dup_node_check, unsigned ioflags, int checksum_only)
lvm_callback_fn_t config_file_read_fd_callback, void *config_file_read_fd_context)
{ {
char *fb; char *fb, *fe;
int r = 0; int r = 0;
off_t mmap_offset = 0;
int use_mmap = 1; int use_mmap = 1;
const char *buf = NULL; off_t mmap_offset = 0;
unsigned circular = size2 ? 1 : 0; /* Wrapped around end of disk metadata buffer? */ char *buf = NULL;
struct config_source *cs = dm_config_get_custom(cft); struct config_source *cs = dm_config_get_custom(cft);
struct process_config_file_params *pcfp;
if (!_is_file_based_config_source(cs->type)) { if (!_is_file_based_config_source(cs->type)) {
log_error(INTERNAL_ERROR "config_file_read_fd: expected file, special file " log_error(INTERNAL_ERROR "config_file_read_fd: expected file, special file "
"or profile config source, found %s config source.", "or profile config source, found %s config source.",
_config_source_names[cs->type]); _config_source_names[cs->type]);
goto bad; return 0;
} }
if (!(pcfp = dm_pool_zalloc(mem, sizeof(*pcfp)))) {
log_debug("config_file_read_fd: process_config_file_params struct allocation failed");
goto bad;
}
pcfp->cft = cft;
pcfp->dev = dev;
pcfp->offset = offset;
pcfp->size = size;
pcfp->offset2 = offset2;
pcfp->size2 = size2;
pcfp->checksum_fn = checksum_fn;
pcfp->checksum = checksum;
pcfp->checksum_only = checksum_only;
pcfp->no_dup_node_check = no_dup_node_check;
pcfp->config_file_read_fd_callback = config_file_read_fd_callback;
pcfp->config_file_read_fd_context = config_file_read_fd_context;
pcfp->ret = 1;
/* Only use mmap with regular files */ /* Only use mmap with regular files */
if (!(dev->flags & DEV_REGULAR) || circular) if (!(dev->flags & DEV_REGULAR) || size2)
use_mmap = 0; use_mmap = 0;
if (use_mmap) { if (use_mmap) {
@@ -594,40 +523,51 @@ int config_file_read_fd(struct dm_pool *mem, struct dm_config_tree *cft, struct
MAP_PRIVATE, dev_fd(dev), offset - mmap_offset); MAP_PRIVATE, dev_fd(dev), offset - mmap_offset);
if (fb == (caddr_t) (-1)) { if (fb == (caddr_t) (-1)) {
log_sys_error("mmap", dev_name(dev)); log_sys_error("mmap", dev_name(dev));
goto bad; goto out;
} }
_process_config_file_buffer(0, ioflags, pcfp, fb + mmap_offset); fb = fb + mmap_offset;
r = pcfp->ret; } else {
if (!(buf = dm_malloc(size + size2))) {
log_error("Failed to allocate circular buffer.");
return 0;
}
if (!dev_read_circular(dev, (uint64_t) offset, size,
(uint64_t) offset2, size2, buf)) {
goto out;
}
fb = buf;
}
if (checksum_fn && checksum !=
(checksum_fn(checksum_fn(INITIAL_CRC, (const uint8_t *)fb, size),
(const uint8_t *)(fb + size), size2))) {
log_error("%s: Checksum error", dev_name(dev));
goto out;
}
if (!checksum_only) {
fe = fb + size + size2;
if (!dm_config_parse(cft, fb, fe))
goto_out;
}
r = 1;
out:
if (!use_mmap)
dm_free(buf);
else {
/* unmap the file */ /* unmap the file */
if (munmap(fb, size + mmap_offset)) { if (munmap(fb - mmap_offset, size + mmap_offset)) {
log_sys_error("munmap", dev_name(dev)); log_sys_error("munmap", dev_name(dev));
r = 0; r = 0;
} }
} else {
if (circular) {
if (!(buf = dev_read_circular(dev, (uint64_t) offset, size, (uint64_t) offset2, size2, reason)))
goto_out;
_process_config_file_buffer(0, ioflags, pcfp, buf);
dm_free((void *)buf);
} else {
dev_read_callback(dev, (uint64_t) offset, size, reason, ioflags, _process_config_file_buffer, pcfp);
if (config_file_read_fd_callback)
return 1;
}
r = pcfp->ret;
} }
out:
return r; return r;
bad:
if (config_file_read_fd_callback)
config_file_read_fd_callback(1, ioflags, config_file_read_fd_context, NULL);
return 0;
} }
int config_file_read(struct dm_pool *mem, struct dm_config_tree *cft) int config_file_read(struct dm_config_tree *cft)
{ {
const char *filename = NULL; const char *filename = NULL;
struct config_source *cs = dm_config_get_custom(cft); struct config_source *cs = dm_config_get_custom(cft);
@@ -655,8 +595,8 @@ int config_file_read(struct dm_pool *mem, struct dm_config_tree *cft)
} }
} }
r = config_file_read_fd(mem, cft, cf->dev, DEV_IO_MDA_CONTENT, 0, (size_t) info.st_size, 0, 0, r = config_file_read_fd(cft, cf->dev, 0, (size_t) info.st_size, 0, 0,
(checksum_fn_t) NULL, 0, 0, 0, 0, NULL, NULL); (checksum_fn_t) NULL, 0, 0);
if (!cf->keep_open) { if (!cf->keep_open) {
if (!dev_close(cf->dev)) if (!dev_close(cf->dev))
@@ -674,9 +614,9 @@ struct timespec config_file_timestamp(struct dm_config_tree *cft)
} }
#define cfg_def_get_item_p(id) (&_cfg_def_items[id]) #define cfg_def_get_item_p(id) (&_cfg_def_items[id])
#define cfg_def_get_default_unconfigured_value_hint(cmd,item) (((item)->flags & CFG_DEFAULT_RUN_TIME) ? (item)->default_unconfigured_value.fn_UNCONFIGURED(cmd) : (item)->default_unconfigured_value.v_UNCONFIGURED) #define cfg_def_get_default_unconfigured_value_hint(cmd,item) ((item->flags & CFG_DEFAULT_RUN_TIME) ? item->default_unconfigured_value.fn_UNCONFIGURED(cmd) : item->default_unconfigured_value.v_UNCONFIGURED)
#define cfg_def_get_default_value_hint(cmd,item,type,profile) (((item)->flags & CFG_DEFAULT_RUN_TIME) ? (item)->default_value.fn_##type(cmd,profile) : (item)->default_value.v_##type) #define cfg_def_get_default_value_hint(cmd,item,type,profile) ((item->flags & CFG_DEFAULT_RUN_TIME) ? item->default_value.fn_##type(cmd,profile) : item->default_value.v_##type)
#define cfg_def_get_default_value(cmd,item,type,profile) ((item)->flags & CFG_DEFAULT_UNDEFINED ? 0 : cfg_def_get_default_value_hint(cmd,item,type,profile)) #define cfg_def_get_default_value(cmd,item,type,profile) (item->flags & CFG_DEFAULT_UNDEFINED ? 0 : cfg_def_get_default_value_hint(cmd,item,type,profile))
static int _cfg_def_make_path(char *buf, size_t buf_size, int id, cfg_def_item_t *item, int xlate) static int _cfg_def_make_path(char *buf, size_t buf_size, int id, cfg_def_item_t *item, int xlate)
{ {
@@ -797,16 +737,14 @@ static struct dm_config_value *_get_def_array_values(struct cmd_context *cmd,
switch (toupper(token[0])) { switch (toupper(token[0])) {
case 'I': case 'I':
case 'B': case 'B':
errno = 0;
v->v.i = strtoll(token + 1, &r, 10); v->v.i = strtoll(token + 1, &r, 10);
if (errno || *r) if (*r)
goto bad; goto bad;
v->type = DM_CFG_INT; v->type = DM_CFG_INT;
break; break;
case 'F': case 'F':
errno = 0;
v->v.f = strtod(token + 1, &r); v->v.f = strtod(token + 1, &r);
if (errno || *r) if (*r)
goto bad; goto bad;
v->type = DM_CFG_FLOAT; v->type = DM_CFG_FLOAT;
break; break;
@@ -1934,12 +1872,6 @@ int config_write(struct dm_config_tree *cft,
} }
log_verbose("Dumping configuration to %s", file); log_verbose("Dumping configuration to %s", file);
if (tree_spec->withgeneralpreamble)
fprintf(baton.fp, CFG_PREAMBLE_GENERAL);
if (tree_spec->withlocalpreamble)
fprintf(baton.fp, CFG_PREAMBLE_LOCAL);
if (!argc) { if (!argc) {
if (!dm_config_write_node_out(cft->root, &_out_spec, &baton)) { if (!dm_config_write_node_out(cft->root, &_out_spec, &baton)) {
log_error("Failure while writing to %s", file); log_error("Failure while writing to %s", file);
@@ -2505,13 +2437,21 @@ const char *get_default_activation_mirror_image_fault_policy_CFG(struct cmd_cont
int get_default_allocation_thin_pool_chunk_size_CFG(struct cmd_context *cmd, struct profile *profile) int get_default_allocation_thin_pool_chunk_size_CFG(struct cmd_context *cmd, struct profile *profile)
{ {
const char *str;
uint32_t chunk_size; uint32_t chunk_size;
int chunk_size_calc_method;
if (!get_default_allocation_thin_pool_chunk_size(cmd, profile, &chunk_size, if (!(str = find_config_tree_str(cmd, allocation_thin_pool_chunk_size_policy_CFG, profile))) {
&chunk_size_calc_method)) { log_error(INTERNAL_ERROR "Cannot find configuration.");
stack; /* Ignore this error, never happens... */ return 0;
}
if (!strcasecmp(str, "generic"))
chunk_size = DEFAULT_THIN_POOL_CHUNK_SIZE * 2; chunk_size = DEFAULT_THIN_POOL_CHUNK_SIZE * 2;
else if (!strcasecmp(str, "performance"))
chunk_size = DEFAULT_THIN_POOL_CHUNK_SIZE_PERFORMANCE * 2;
else {
log_error("Thin pool chunk size calculation policy \"%s\" is unrecognised.", str);
return 0;
} }
return (int) chunk_size; return (int) chunk_size;
@@ -2521,25 +2461,3 @@ int get_default_allocation_cache_pool_chunk_size_CFG(struct cmd_context *cmd, st
{ {
return DEFAULT_CACHE_POOL_CHUNK_SIZE * 2; return DEFAULT_CACHE_POOL_CHUNK_SIZE * 2;
} }
uint64_t get_default_allocation_cache_pool_max_chunks_CFG(struct cmd_context *cmd, struct profile *profile)
{
static int _warn_max_chunks = 0;
/*
* TODO: In future may depend on the cache target version,
* newer targets may scale better.
*/
uint64_t default_max_chunks = DEFAULT_CACHE_POOL_MAX_CHUNKS;
uint64_t max_chunks = find_config_tree_int(cmd, allocation_cache_pool_max_chunks_CFG, profile);
if (!max_chunks)
max_chunks = default_max_chunks;
else if (max_chunks > default_max_chunks)
/* Still warn the user when the value is tweaked above recommended level */
/* Maybe drop to log_verbose... */
log_warn_suppress(_warn_max_chunks++, "WARNING: Configured cache_pool_max_chunks value "
FMTu64 " is higher then recommended " FMTu64 ".",
max_chunks, default_max_chunks);
return max_chunks;
}

View File

@@ -17,12 +17,12 @@
#define _LVM_CONFIG_H #define _LVM_CONFIG_H
#include "libdevmapper.h" #include "libdevmapper.h"
#include "device.h"
/* 16 bits: 3 bits for major, 4 bits for minor, 9 bits for patchlevel */ /* 16 bits: 3 bits for major, 4 bits for minor, 9 bits for patchlevel */
/* FIXME Max LVM version supported: 7.15.511. Extend bits when needed. */ /* FIXME Max LVM version supported: 7.15.511. Extend bits when needed. */
#define vsn(major, minor, patchlevel) (major << 13 | minor << 9 | patchlevel) #define vsn(major, minor, patchlevel) (major << 13 | minor << 9 | patchlevel)
struct device;
struct cmd_context; struct cmd_context;
typedef enum { typedef enum {
@@ -141,7 +141,6 @@ typedef struct cfg_def_item {
uint16_t deprecated_since_version; /* version since this item is deprecated */ uint16_t deprecated_since_version; /* version since this item is deprecated */
const char *deprecation_comment; /* comment about reasons for deprecation and settings that supersede this one */ const char *deprecation_comment; /* comment about reasons for deprecation and settings that supersede this one */
const char *comment; /* comment */ const char *comment; /* comment */
const char *file_premable; /* comment text to use at the start of the file */
} cfg_def_item_t; } cfg_def_item_t;
/* configuration definition tree types */ /* configuration definition tree types */
@@ -174,8 +173,6 @@ struct config_def_tree_spec {
unsigned withversions:1; /* include versions */ unsigned withversions:1; /* include versions */
unsigned withspaces:1; /* add more spaces in output for better readability */ unsigned withspaces:1; /* add more spaces in output for better readability */
unsigned unconfigured:1; /* use unconfigured path strings */ unsigned unconfigured:1; /* use unconfigured path strings */
unsigned withgeneralpreamble:1; /* include preamble for a general config file */
unsigned withlocalpreamble:1; /* include preamble for a local config file */
uint8_t *check_status; /* status of last tree check (currently needed for CFG_DEF_TREE_MISSING only) */ uint8_t *check_status; /* status of last tree check (currently needed for CFG_DEF_TREE_MISSING only) */
}; };
@@ -239,13 +236,11 @@ config_source_t config_get_source_type(struct dm_config_tree *cft);
typedef uint32_t (*checksum_fn_t) (uint32_t initial, const uint8_t *buf, uint32_t size); typedef uint32_t (*checksum_fn_t) (uint32_t initial, const uint8_t *buf, uint32_t size);
struct dm_config_tree *config_open(config_source_t source, const char *filename, int keep_open); struct dm_config_tree *config_open(config_source_t source, const char *filename, int keep_open);
int config_file_read_fd(struct dm_pool *mem, struct dm_config_tree *cft, struct device *dev, dev_io_reason_t reason, int config_file_read_fd(struct dm_config_tree *cft, struct device *dev,
off_t offset, size_t size, off_t offset2, size_t size2, off_t offset, size_t size, off_t offset2, size_t size2,
checksum_fn_t checksum_fn, uint32_t checksum, checksum_fn_t checksum_fn, uint32_t checksum,
int skip_parse, int no_dup_node_check, unsigned ioflags, int skip_parse);
lvm_callback_fn_t config_file_read_fd_callback, void *config_file_read_fd_context); int config_file_read(struct dm_config_tree *cft);
int config_file_read(struct dm_pool *mem, struct dm_config_tree *cft);
struct dm_config_tree *config_file_open_and_read(const char *config_file, config_source_t source, struct dm_config_tree *config_file_open_and_read(const char *config_file, config_source_t source,
struct cmd_context *cmd); struct cmd_context *cmd);
int config_write(struct dm_config_tree *cft, struct config_def_tree_spec *tree_spec, int config_write(struct dm_config_tree *cft, struct config_def_tree_spec *tree_spec,
@@ -312,6 +307,5 @@ int get_default_allocation_cache_pool_chunk_size_CFG(struct cmd_context *cmd, st
#define get_default_unconfigured_allocation_cache_pool_chunk_size_CFG NULL #define get_default_unconfigured_allocation_cache_pool_chunk_size_CFG NULL
const char *get_default_allocation_cache_policy_CFG(struct cmd_context *cmd, struct profile *profile); const char *get_default_allocation_cache_policy_CFG(struct cmd_context *cmd, struct profile *profile);
#define get_default_unconfigured_allocation_cache_policy_CFG NULL #define get_default_unconfigured_allocation_cache_policy_CFG NULL
uint64_t get_default_allocation_cache_pool_max_chunks_CFG(struct cmd_context *cmd, struct profile *profile);
#endif #endif

Some files were not shown because too many files have changed in this diff Show More