mysqlhotcopy
上传用户:romrleung
上传日期:2022-05-23
资源大小:18897k
文件大小:32k
源码类别:

MySQL数据库

开发平台:

Visual C++

  1. #!/usr/bin/perl -w
  2. use strict;
  3. use Getopt::Long;
  4. use Data::Dumper;
  5. use File::Basename;
  6. use File::Path;
  7. use DBI;
  8. use Sys::Hostname;
  9. use File::Copy;
  10. use File::Temp qw(tempfile);
  11. =head1 NAME
  12. mysqlhotcopy - fast on-line hot-backup utility for local MySQL databases and tables
  13. =head1 SYNOPSIS
  14.   mysqlhotcopy db_name
  15.   mysqlhotcopy --suffix=_copy db_name_1 ... db_name_n
  16.   mysqlhotcopy db_name_1 ... db_name_n /path/to/new_directory
  17.   mysqlhotcopy db_name./regex/
  18.   mysqlhotcopy db_name./^(foo|bar)/
  19.   mysqlhotcopy db_name./~regex/
  20.   mysqlhotcopy db_name_1./regex_1/ db_name_1./regex_2/ ... db_name_n./regex_n/ /path/to/new_directory
  21.   mysqlhotcopy --method='scp -Bq -i /usr/home/foo/.ssh/identity' --user=root --password=secretpassword 
  22.          db_1./^nice_table/ user@some.system.dom:~/path/to/new_directory
  23. WARNING: THIS PROGRAM IS STILL IN BETA. Comments/patches welcome.
  24. =cut
  25. # Documentation continued at end of file
  26. my $VERSION = "1.22";
  27. my $opt_tmpdir = $ENV{TMPDIR} || "/tmp";
  28. my $OPTIONS = <<"_OPTIONS";
  29. $0 Ver $VERSION
  30. Usage: $0 db_name[./table_regex/] [new_db_name | directory]
  31.   -?, --help           display this helpscreen and exit
  32.   -u, --user=#         user for database login if not current user
  33.   -p, --password=#     password to use when connecting to server (if not set
  34.                        in my.cnf, which is recommended)
  35.   -h, --host=#         Hostname for local server when connecting over TCP/IP
  36.   -P, --port=#         port to use when connecting to local server with TCP/IP
  37.   -S, --socket=#       socket to use when connecting to local server
  38.   --allowold           don't abort if target dir already exists (rename it _old)
  39.   --addtodest          don't rename target dir if it exists, just add files to it
  40.   --keepold            don't delete previous (now renamed) target when done
  41.   --noindices          don't include full index files in copy
  42.   --method=#           method for copy (only "cp" currently supported)
  43.   -q, --quiet          be silent except for errors
  44.   --debug              enable debug
  45.   -n, --dryrun         report actions without doing them
  46.   --regexp=#           copy all databases with names matching regexp
  47.   --suffix=#           suffix for names of copied databases
  48.   --checkpoint=#       insert checkpoint entry into specified db.table
  49.   --flushlog           flush logs once all tables are locked 
  50.   --resetmaster        reset the binlog once all tables are locked
  51.   --resetslave         reset the master.info once all tables are locked
  52.   --tmpdir=#        temporary directory (instead of $opt_tmpdir)
  53.   --record_log_pos=#   record slave and master status in specified db.table
  54.   --chroot=#           base directory of chroot jail in which mysqld operates
  55.   Try 'perldoc $0' for more complete documentation
  56. _OPTIONS
  57. sub usage {
  58.     die @_, $OPTIONS;
  59. }
  60. # Do not initialize user or password options; that way, any user/password
  61. # options specified in option files will be used.  If no values are specified
  62. # all, the defaults will be used (login name, no password).
  63. my %opt = (
  64.     noindices => 0,
  65.     allowold => 0, # for safety
  66.     keepold => 0,
  67.     method => "cp",
  68.     flushlog    => 0,
  69. );
  70. Getopt::Long::Configure(qw(no_ignore_case)); # disambuguate -p and -P
  71. GetOptions( %opt,
  72.     "help",
  73.     "host|h=s",
  74.     "user|u=s",
  75.     "password|p=s",
  76.     "port|P=s",
  77.     "socket|S=s",
  78.     "allowold!",
  79.     "keepold!",
  80.     "addtodest!",
  81.     "noindices!",
  82.     "method=s",
  83.     "debug",
  84.     "quiet|q",
  85.     "mv!",
  86.     "regexp=s",
  87.     "suffix=s",
  88.     "checkpoint=s",
  89.     "record_log_pos=s",
  90.     "flushlog",
  91.     "resetmaster",
  92.     "resetslave",
  93.     "tmpdir|t=s",
  94.     "dryrun|n",
  95.     "chroot=s",
  96. ) or usage("Invalid option");
  97. # @db_desc
  98. # ==========
  99. # a list of hash-refs containing:
  100. #
  101. #   'src'     - name of the db to copy
  102. #   't_regex' - regex describing tables in src
  103. #   'target'  - destination directory of the copy
  104. #   'tables'  - array-ref to list of tables in the db
  105. #   'files'   - array-ref to list of files to be copied
  106. #               (RAID files look like 'nn/name.MYD')
  107. #   'index'   - array-ref to list of indexes to be copied
  108. #
  109. my @db_desc = ();
  110. my $tgt_name = undef;
  111. usage("") if ($opt{help});
  112. if ( $opt{regexp} || $opt{suffix} || @ARGV > 2 ) {
  113.     $tgt_name   = pop @ARGV unless ( exists $opt{suffix} );
  114.     @db_desc = map { s{^([^.]+)./(.+)/$}{$1}; { 'src' => $_, 't_regex' => ( $2 ? $2 : '.*' ) } } @ARGV;
  115. }
  116. else {
  117.     usage("Database name to hotcopy not specified") unless ( @ARGV );
  118.     $ARGV[0] =~ s{^([^.]+)./(.+)/$}{$1};
  119.     @db_desc = ( { 'src' => $ARGV[0], 't_regex' => ( $2 ? $2 : '.*' ) } );
  120.     if ( @ARGV == 2 ) {
  121. $tgt_name   = $ARGV[1];
  122.     }
  123.     else {
  124. $opt{suffix} = "_copy";
  125.     }
  126. }
  127. my %mysqld_vars;
  128. my $start_time = time;
  129. $opt_tmpdir= $opt{tmpdir} if $opt{tmpdir};
  130. $0 = $1 if $0 =~ m:/([^/]+)$:;
  131. $opt{quiet} = 0 if $opt{debug};
  132. $opt{allowold} = 1 if $opt{keepold};
  133. # --- connect to the database ---
  134. my $dsn;
  135. $dsn  = ";host=" . (defined($opt{host}) ? $opt{host} : "localhost");
  136. $dsn .= ";port=$opt{port}" if $opt{port};
  137. $dsn .= ";mysql_socket=$opt{socket}" if $opt{socket};
  138. # use mysql_read_default_group=mysqlhotcopy so that [client] and
  139. # [mysqlhotcopy] groups will be read from standard options files.
  140. my $dbh = DBI->connect("dbi:mysql:$dsn;mysql_read_default_group=mysqlhotcopy",
  141.                         $opt{user}, $opt{password},
  142. {
  143.     RaiseError => 1,
  144.     PrintError => 0,
  145.     AutoCommit => 1,
  146. });
  147. # --- check that checkpoint table exists if specified ---
  148. if ( $opt{checkpoint} ) {
  149.     $opt{checkpoint} = quote_names( $opt{checkpoint} );
  150.     eval { $dbh->do( qq{ select time_stamp, src, dest, msg 
  151.  from $opt{checkpoint} where 1 != 1} );
  152.        };
  153.     die "Error accessing Checkpoint table ($opt{checkpoint}): $@"
  154.       if ( $@ );
  155. }
  156. # --- check that log_pos table exists if specified ---
  157. if ( $opt{record_log_pos} ) {
  158.     $opt{record_log_pos} = quote_names( $opt{record_log_pos} );
  159.     eval { $dbh->do( qq{ select host, time_stamp, log_file, log_pos, master_host, master_log_file, master_log_pos
  160.  from $opt{record_log_pos} where 1 != 1} );
  161.        };
  162.     die "Error accessing log_pos table ($opt{record_log_pos}): $@"
  163.       if ( $@ );
  164. }
  165. # --- get variables from database ---
  166. my $sth_vars = $dbh->prepare("show variables like 'datadir'");
  167. $sth_vars->execute;
  168. while ( my ($var,$value) = $sth_vars->fetchrow_array ) {
  169.     $mysqld_vars{ $var } = $value;
  170. }
  171. my $datadir = $mysqld_vars{'datadir'}
  172.     || die "datadir not in mysqld variables";
  173.     $datadir= $opt{chroot}.$datadir if ($opt{chroot});
  174. $datadir =~ s:/$::;
  175. # --- get target path ---
  176. my ($tgt_dirname, $to_other_database);
  177. $to_other_database=0;
  178. if (defined($tgt_name) && $tgt_name =~ m:^w+$: && @db_desc <= 1)
  179. {
  180.     $tgt_dirname = "$datadir/$tgt_name";
  181.     $to_other_database=1;
  182. }
  183. elsif (defined($tgt_name) && ($tgt_name =~ m:/: || $tgt_name eq '.')) {
  184.     $tgt_dirname = $tgt_name;
  185. }
  186. elsif ( $opt{suffix} ) {
  187.     print "Using copy suffix '$opt{suffix}'n" unless $opt{quiet};
  188. }
  189. elsif ( ($^O =~ m/^(NetWare)$/) && defined($tgt_name) && ($tgt_name =~ m:\: || $tgt_name eq '.'))  
  190. {
  191. $tgt_dirname = $tgt_name;
  192. }
  193. else
  194. {
  195.   $tgt_name="" if (!defined($tgt_name));
  196.   die "Target '$tgt_name' doesn't look like a database name or directory path.n";
  197. }
  198. # --- resolve database names from regexp ---
  199. if ( defined $opt{regexp} ) {
  200.     my $t_regex = '.*';
  201.     if ( $opt{regexp} =~ s{^/(.+)/./(.+)/$}{$1} ) {
  202.         $t_regex = $2;
  203.     }
  204.     my $sth_dbs = $dbh->prepare("show databases");
  205.     $sth_dbs->execute;
  206.     while ( my ($db_name) = $sth_dbs->fetchrow_array ) {
  207. push @db_desc, { 'src' => $db_name, 't_regex' => $t_regex } if ( $db_name =~ m/$opt{regexp}/o );
  208.     }
  209. }
  210. # --- get list of tables to hotcopy ---
  211. my $hc_locks = "";
  212. my $hc_tables = "";
  213. my $num_tables = 0;
  214. my $num_files = 0;
  215. foreach my $rdb ( @db_desc ) {
  216.     my $db = $rdb->{src};
  217.     my @dbh_tables = get_list_of_tables( $db );
  218.     ## generate regex for tables/files
  219.     my $t_regex;
  220.     my $negated;
  221.     if ($rdb->{t_regex}) {
  222.         $t_regex = $rdb->{t_regex};        ## assign temporary regex
  223.         $negated = $t_regex =~ s/^~//;     ## note and remove negation operator
  224.         $t_regex = qr/$t_regex/;           ## make regex string from
  225.                                            ## user regex
  226.         ## filter (out) tables specified in t_regex
  227.         print "Filtering tables with '$t_regex'n" if $opt{debug};
  228.         @dbh_tables = ( $negated 
  229.                         ? grep { $_ !~ $t_regex } @dbh_tables
  230.                         : grep { $_ =~ $t_regex } @dbh_tables );
  231.     }
  232.     ## get list of files to copy
  233.     my $db_dir = "$datadir/$db";
  234.     opendir(DBDIR, $db_dir ) 
  235.       or die "Cannot open dir '$db_dir': $!";
  236.     my %db_files;
  237.     my @raid_dir = ();
  238.     while ( defined( my $name = readdir DBDIR ) ) {
  239. if ( $name =~ /^dd$/ && -d "$db_dir/$name" ) {
  240.     push @raid_dir, $name;
  241. }
  242. else {
  243.     $db_files{$name} = $1 if ( $name =~ /(.+).w+$/ );
  244.         }
  245.     }
  246.     closedir( DBDIR );
  247.     scan_raid_dir( %db_files, $db_dir, @raid_dir );
  248.     unless( keys %db_files ) {
  249. warn "'$db' is an empty databasen";
  250.     }
  251.     ## filter (out) files specified in t_regex
  252.     my @db_files;
  253.     if ($rdb->{t_regex}) {
  254.         @db_files = ($negated
  255.                      ? grep { $db_files{$_} !~ $t_regex } keys %db_files
  256.                      : grep { $db_files{$_} =~ $t_regex } keys %db_files );
  257.     }
  258.     else {
  259.         @db_files = keys %db_files;
  260.     }
  261.     @db_files = sort @db_files;
  262.     my @index_files=();
  263.     ## remove indices unless we're told to keep them
  264.     if ($opt{noindices}) {
  265.         @index_files= grep { /.(ISM|MYI)$/ } @db_files;
  266. @db_files = grep { not /.(ISM|MYI)$/ } @db_files;
  267.     }
  268.     $rdb->{files}  = [ @db_files ];
  269.     $rdb->{index}  = [ @index_files ];
  270.     my @hc_tables = map { quote_names("$db.$_") } @dbh_tables;
  271.     $rdb->{tables} = [ @hc_tables ];
  272.     $rdb->{raid_dirs} = [ get_raid_dirs( $rdb->{files} ) ];
  273.     $hc_locks .= ", "  if ( length $hc_locks && @hc_tables );
  274.     $hc_locks .= join ", ", map { "$_ READ" } @hc_tables;
  275.     $hc_tables .= ", "  if ( length $hc_tables && @hc_tables );
  276.     $hc_tables .= join ", ", @hc_tables;
  277.     $num_tables += scalar @hc_tables;
  278.     $num_files  += scalar @{$rdb->{files}};
  279. }
  280. # --- resolve targets for copies ---
  281. if (defined($tgt_name) && length $tgt_name ) {
  282.     # explicit destination directory specified
  283.     # GNU `cp -r` error message
  284.     die "copying multiple databases, but last argument ($tgt_dirname) is not a directoryn"
  285.       if ( @db_desc > 1 && !(-e $tgt_dirname && -d $tgt_dirname ) );
  286.     if ($to_other_database)
  287.     {
  288.       foreach my $rdb ( @db_desc ) {
  289. $rdb->{target} = "$tgt_dirname";
  290.       }
  291.     }
  292.     elsif ($opt{method} =~ /^scpb/) 
  293.     {   # we have to trust scp to hit the target
  294. foreach my $rdb ( @db_desc ) {
  295.     $rdb->{target} = "$tgt_dirname/$rdb->{src}";
  296. }
  297.     }
  298.     else
  299.     {
  300.       die "Last argument ($tgt_dirname) is not a directoryn"
  301. if (!(-e $tgt_dirname && -d $tgt_dirname ) );
  302.       foreach my $rdb ( @db_desc ) {
  303. $rdb->{target} = "$tgt_dirname/$rdb->{src}";
  304.       }
  305.     }
  306.   }
  307. else {
  308.   die "Error: expected $opt{suffix} to exist" unless ( exists $opt{suffix} );
  309.   foreach my $rdb ( @db_desc ) {
  310.     $rdb->{target} = "$datadir/$rdb->{src}$opt{suffix}";
  311.   }
  312. }
  313. print Dumper( @db_desc ) if ( $opt{debug} );
  314. # --- bail out if all specified databases are empty ---
  315. die "No tables to hot-copy" unless ( length $hc_locks );
  316. # --- create target directories if we are using 'cp' ---
  317. my @existing = ();
  318. if ($opt{method} =~ /^cpb/)
  319. {
  320.   foreach my $rdb ( @db_desc ) {
  321.     push @existing, $rdb->{target} if ( -d  $rdb->{target} );
  322.   }
  323.   if ( @existing && !($opt{allowold} || $opt{addtodest}) )
  324.   {
  325.     $dbh->disconnect();
  326.     die "Can't hotcopy to '", join( "','", @existing ), "' because directorynalready exist and the --allowold or --addtodest options were not given.n"
  327.   }
  328. }
  329. retire_directory( @existing ) if @existing && !$opt{addtodest};
  330. foreach my $rdb ( @db_desc ) {
  331.     foreach my $td ( '', @{$rdb->{raid_dirs}} ) {
  332. my $tgt_dirpath = "$rdb->{target}/$td";
  333. # Remove trailing slashes (needed for Mac OS X)
  334.      substr($tgt_dirpath, 1) =~ s|/+$||;
  335. if ( $opt{dryrun} ) {
  336.     print "mkdir $tgt_dirpath, 0750n";
  337. }
  338. elsif ($opt{method} =~ /^scpb/) {
  339.     ## assume it's there?
  340.     ## ...
  341. }
  342. else {
  343.     mkdir($tgt_dirpath, 0750) or die "Can't create '$tgt_dirpath': $!n"
  344. unless -d $tgt_dirpath;
  345.      if ($^O !~ m/^(NetWare)$/)  
  346.          {
  347.     my @f_info= stat "$datadir/$rdb->{src}";
  348.     chown $f_info[4], $f_info[5], $tgt_dirpath;
  349.          }
  350. }
  351.     }
  352. }
  353. ##############################
  354. # --- PERFORM THE HOT-COPY ---
  355. #
  356. # Note that we try to keep the time between the LOCK and the UNLOCK
  357. # as short as possible, and only start when we know that we should
  358. # be able to complete without error.
  359. # read lock all the tables we'll be copying
  360. # in order to get a consistent snapshot of the database
  361. if ( $opt{checkpoint} || $opt{record_log_pos} ) {
  362.   # convert existing READ lock on checkpoint and/or log_pos table into WRITE lock
  363.   foreach my $table ( grep { defined } ( $opt{checkpoint}, $opt{record_log_pos} ) ) {
  364.     $hc_locks .= ", $table WRITE" 
  365. unless ( $hc_locks =~ s/$tables+READ/$table WRITE/ );
  366.   }
  367. }
  368. my $hc_started = time; # count from time lock is granted
  369. if ( $opt{dryrun} ) {
  370.     print "LOCK TABLES $hc_locksn";
  371.     print "FLUSH TABLES /*!32323 $hc_tables */n";
  372.     print "FLUSH LOGSn" if ( $opt{flushlog} );
  373.     print "RESET MASTERn" if ( $opt{resetmaster} );
  374.     print "RESET SLAVEn" if ( $opt{resetslave} );
  375. }
  376. else {
  377.     my $start = time;
  378.     $dbh->do("LOCK TABLES $hc_locks");
  379.     printf "Locked $num_tables tables in %d seconds.n", time-$start unless $opt{quiet};
  380.     $hc_started = time; # count from time lock is granted
  381.     # flush tables to make on-disk copy uptodate
  382.     $start = time;
  383.     $dbh->do("FLUSH TABLES /*!32323 $hc_tables */");
  384.     printf "Flushed tables ($hc_tables) in %d seconds.n", time-$start unless $opt{quiet};
  385.     $dbh->do( "FLUSH LOGS" ) if ( $opt{flushlog} );
  386.     $dbh->do( "RESET MASTER" ) if ( $opt{resetmaster} );
  387.     $dbh->do( "RESET SLAVE" ) if ( $opt{resetslave} );
  388.     if ( $opt{record_log_pos} ) {
  389. record_log_pos( $dbh, $opt{record_log_pos} );
  390. $dbh->do("FLUSH TABLES /*!32323 $hc_tables */");
  391.     }
  392. }
  393. my @failed = ();
  394. foreach my $rdb ( @db_desc )
  395. {
  396.   my @files = map { "$datadir/$rdb->{src}/$_" } @{$rdb->{files}};
  397.   next unless @files;
  398.   
  399.   eval { copy_files($opt{method}, @files, $rdb->{target}, $rdb->{raid_dirs} ); };
  400.   push @failed, "$rdb->{src} -> $rdb->{target} failed: $@"
  401.     if ( $@ );
  402.   
  403.   @files = @{$rdb->{index}};
  404.   if ($rdb->{index})
  405.   {
  406.     copy_index($opt{method}, @files,
  407.        "$datadir/$rdb->{src}", $rdb->{target} );
  408.   }
  409.   
  410.   if ( $opt{checkpoint} ) {
  411.     my $msg = ( $@ ) ? "Failed: $@" : "Succeeded";
  412.     
  413.     eval {
  414.       $dbh->do( qq{ insert into $opt{checkpoint} (src, dest, msg) 
  415.       VALUES ( '$rdb->{src}', '$rdb->{target}', '$msg' )
  416.     } ); 
  417.     };
  418.     
  419.     if ( $@ ) {
  420.       warn "Failed to update checkpoint table: $@n";
  421.     }
  422.   }
  423. }
  424. if ( $opt{dryrun} ) {
  425.     print "UNLOCK TABLESn";
  426.     if ( @existing && !$opt{keepold} ) {
  427. my @oldies = map { $_ . '_old' } @existing;
  428. print "rm -rf @oldiesn" 
  429.     }
  430.     $dbh->disconnect();
  431.     exit(0);
  432. }
  433. else {
  434.     $dbh->do("UNLOCK TABLES");
  435. }
  436. my $hc_dur = time - $hc_started;
  437. printf "Unlocked tables.n" unless $opt{quiet};
  438. #
  439. # --- HOT-COPY COMPLETE ---
  440. ###########################
  441. $dbh->disconnect;
  442. if ( @failed ) {
  443.     # hotcopy failed - cleanup
  444.     # delete any @targets 
  445.     # rename _old copy back to original
  446.     my @targets = ();
  447.     foreach my $rdb ( @db_desc ) {
  448.         push @targets, $rdb->{target} if ( -d  $rdb->{target} );
  449.     }
  450.     print "Deleting @targets n" if $opt{debug};
  451.     print "Deleting @targets n" if $opt{debug};
  452.     rmtree([@targets]);
  453.     if (@existing) {
  454. print "Restoring @existing from back-upn" if $opt{debug};
  455.         foreach my $dir ( @existing ) {
  456.     rename("${dir}_old", $dir )
  457.       or warn "Can't rename ${dir}_old to $dir: $!n";
  458. }
  459.     }
  460.     die join( "n", @failed );
  461. }
  462. else {
  463.     # hotcopy worked
  464.     # delete _old unless $opt{keepold}
  465.     if ( @existing && !$opt{keepold} ) {
  466. my @oldies = map { $_ . '_old' } @existing;
  467. print "Deleting previous copy in @oldiesn" if $opt{debug};
  468. rmtree([@oldies]);
  469.     }
  470.     printf "$0 copied %d tables (%d files) in %d second%s (%d seconds overall).n",
  471.     $num_tables, $num_files,
  472.     $hc_dur, ($hc_dur==1)?"":"s", time - $start_time
  473. unless $opt{quiet};
  474. }
  475. exit 0;
  476. # ---
  477. sub copy_files {
  478.     my ($method, $files, $target, $raid_dirs) = @_;
  479.     my @cmd;
  480.     print "Copying ".@$files." files...n" unless $opt{quiet};
  481.     if ($^O =~ m/^(NetWare)$/)  # on NetWare call PERL copy (slower)
  482.     {
  483.       foreach my $file ( @$files )
  484.       {
  485.         copy($file, $target."/".basename($file));
  486.       }
  487.     }
  488.     elsif ($method =~ /^s?cpb/)  # cp or scp with optional flags
  489.     {
  490. my $cp = $method;
  491. # add option to preserve mod time etc of copied files
  492. # not critical, but nice to have
  493. $cp.= " -p" if $^O =~ m/^(solaris|linux|freebsd|darwin)$/;
  494. # add recursive option for scp
  495. $cp.= " -r" if $^O =~ /m^(solaris|linux|freebsd|darwin)$/ && $method =~ /^scpb/;
  496. my @non_raid = map { "'$_'" } grep { ! m:/d{2}/[^/]+$: } @$files;
  497. # add files to copy and the destination directory
  498. safe_system( $cp, @non_raid, "'$target'" ) if (@non_raid);
  499. foreach my $rd ( @$raid_dirs ) {
  500.     my @raid = map { "'$_'" } grep { m:$rd/: } @$files;
  501.     safe_system( $cp, @raid, "'$target'/$rd" ) if ( @raid );
  502. }
  503.     }
  504.     else
  505.     {
  506. die "Can't use unsupported method '$method'n";
  507.     }
  508. }
  509. #
  510. # Copy only the header of the index file
  511. #
  512. sub copy_index
  513. {
  514.   my ($method, $files, $source, $target) = @_;
  515.   
  516.   print "Copying indices for ".@$files." files...n" unless $opt{quiet};  
  517.   foreach my $file (@$files)
  518.   {
  519.     my $from="$source/$file";
  520.     my $to="$target/$file";
  521.     my $buff;
  522.     open(INPUT, "<$from") || die "Can't open file $from: $!n";
  523.     binmode(INPUT, ":raw");
  524.     my $length=read INPUT, $buff, 2048;
  525.     die "Can't read index header from $fromn" if ($length < 1024);
  526.     close INPUT;
  527.     
  528.     if ( $opt{dryrun} )
  529.     {
  530.       print "$opt{method}-header $from $ton";
  531.     }
  532.     elsif ($opt{method} eq 'cp')
  533.     {
  534.       open(OUTPUT,">$to")   || die "Can't create file $to: $!n";
  535.       if (syswrite(OUTPUT,$buff) != length($buff))
  536.       {
  537. die "Error when writing data to $to: $!n";
  538.       }
  539.       close OUTPUT    || die "Error on close of $to: $!n";
  540.     }
  541.     elsif ($opt{method} =~ /^scpb/)
  542.     {
  543.       my ($fh, $tmp)= tempfile('mysqlhotcopy-XXXXXX', DIR => $opt_tmpdir) or
  544. die "Can't create/open file in $opt_tmpdirn";
  545.       if (syswrite($fh,$buff) != length($buff))
  546.       {
  547. die "Error when writing data to $tmp: $!n";
  548.       }
  549.       close $fh || die "Error on close of $tmp: $!n";
  550.       safe_system("$opt{method} $tmp $to");
  551.       unlink $tmp;
  552.     }
  553.     else
  554.     {
  555.       die "Can't use unsupported method '$opt{method}'n";
  556.     }
  557.   }
  558. }
  559. sub safe_system {
  560.   my @sources= @_;
  561.   my $method= shift @sources;
  562.   my $target= pop @sources;
  563.   ## @sources = list of source file names
  564.   ## We have to deal with very long command lines, otherwise they may generate 
  565.   ## "Argument list too long".
  566.   ## With 10000 tables the command line can be around 1MB, much more than 128kB
  567.   ## which is the common limit on Linux (can be read from
  568.   ## /usr/src/linux/include/linux/binfmts.h
  569.   ## see http://www.linuxjournal.com/article.php?sid=6060).
  570.  
  571.   my $chunk_limit= 100 * 1024; # 100 kB
  572.   my @chunk= (); 
  573.   my $chunk_length= 0;
  574.   foreach (@sources) {
  575.       push @chunk, $_;
  576.       $chunk_length+= length($_);
  577.       if ($chunk_length > $chunk_limit) {
  578.           safe_simple_system($method, @chunk, $target);
  579.           @chunk=();
  580.           $chunk_length= 0;
  581.       }
  582.   }
  583.   if ($chunk_length > 0) { # do not forget last small chunk
  584.       safe_simple_system($method, @chunk, $target); 
  585.   }
  586. }
  587. sub safe_simple_system {
  588.     my @cmd= @_;
  589.     if ( $opt{dryrun} ) {
  590.         print "@cmdn";
  591.     }
  592.     else {
  593.         ## for some reason system fails but backticks works ok for scp...
  594.         print "Executing '@cmd'n" if $opt{debug};
  595.         my $cp_status = system "@cmd > /dev/null";
  596.         if ($cp_status != 0) {
  597.             warn "Executing command failed ($cp_status). Trying backtick execution...n";
  598.             ## try something else
  599.             `@cmd` || die "Error: @cmd failed ($?) while copying files.n";
  600.         }
  601.     }
  602. }
  603. sub retire_directory {
  604.     my ( @dir ) = @_;
  605.     foreach my $dir ( @dir ) {
  606. my $tgt_oldpath = $dir . '_old';
  607. if ( $opt{dryrun} ) {
  608.     print "rmtree $tgt_oldpathn" if ( -d $tgt_oldpath );
  609.     print "rename $dir, $tgt_oldpathn";
  610.     next;
  611. }
  612. if ( -d $tgt_oldpath ) {
  613.     print "Deleting previous 'old' hotcopy directory ('$tgt_oldpath')n" unless $opt{quiet};
  614.     rmtree([$tgt_oldpath],0,1);
  615. }
  616. rename($dir, $tgt_oldpath)
  617.   or die "Can't rename $dir=>$tgt_oldpath: $!n";
  618. print "Existing hotcopy directory renamed to '$tgt_oldpath'n" unless $opt{quiet};
  619.     }
  620. }
  621. sub record_log_pos {
  622.     my ( $dbh, $table_name ) = @_;
  623.     eval {
  624. my ($file,$position) = get_row( $dbh, "show master status" );
  625. die "master status is undefined" if !defined $file || !defined $position;
  626. my $row_hash = get_row_hash( $dbh, "show slave status" );
  627. my ($master_host, $log_file, $log_pos ); 
  628. if ( $dbh->{mysql_serverinfo} =~ /^3.23/ ) {
  629.     ($master_host, $log_file, $log_pos ) 
  630.       = @{$row_hash}{ qw / Master_Host Log_File Pos / };
  631. } else {
  632.     ($master_host, $log_file, $log_pos ) 
  633.       = @{$row_hash}{ qw / Master_Host Master_Log_File Read_Master_Log_Pos / };
  634. }
  635. my $hostname = hostname();
  636. $dbh->do( qq{ replace into $table_name 
  637.   set host=?, log_file=?, log_pos=?, 
  638.                           master_host=?, master_log_file=?, master_log_pos=? }, 
  639.   undef, 
  640.   $hostname, $file, $position, 
  641.   $master_host, $log_file, $log_pos  );
  642.     };
  643.     
  644.     if ( $@ ) {
  645. warn "Failed to store master position: $@n";
  646.     }
  647. }
  648. sub get_row {
  649.   my ( $dbh, $sql ) = @_;
  650.   my $sth = $dbh->prepare($sql);
  651.   $sth->execute;
  652.   return $sth->fetchrow_array();
  653. }
  654. sub get_row_hash {
  655.   my ( $dbh, $sql ) = @_;
  656.   my $sth = $dbh->prepare($sql);
  657.   $sth->execute;
  658.   return $sth->fetchrow_hashref();
  659. }
  660. sub scan_raid_dir {
  661.     my ( $r_db_files, $data_dir, @raid_dir ) = @_;
  662.     local(*RAID_DIR);
  663.     
  664.     foreach my $rd ( @raid_dir ) {
  665. opendir(RAID_DIR, "$data_dir/$rd" ) 
  666.     or die "Cannot open dir '$data_dir/$rd': $!";
  667. while ( defined( my $name = readdir RAID_DIR ) ) {
  668.     $r_db_files->{"$rd/$name"} = $1 if ( $name =~ /(.+).w+$/ );
  669. }
  670. closedir( RAID_DIR );
  671.     }
  672. }
  673. sub get_raid_dirs {
  674.     my ( $r_files ) = @_;
  675.     my %dirs = ();
  676.     foreach my $f ( @$r_files ) {
  677. if ( $f =~ m:^(dd)/: ) {
  678.     $dirs{$1} = 1;
  679. }
  680.     }
  681.     return sort keys %dirs;
  682. }
  683. sub get_list_of_tables {
  684.     my ( $db ) = @_;
  685.     # "use database" cannot cope with database names containing spaces
  686.     # so create a new connection 
  687.     my $dbh = DBI->connect("dbi:mysql:${db}${dsn};mysql_read_default_group=mysqlhotcopy",
  688.     $opt{user}, $opt{password},
  689.     {
  690. RaiseError => 1,
  691. PrintError => 0,
  692. AutoCommit => 1,
  693.     });
  694.     my @dbh_tables = eval { $dbh->tables() };
  695.     ## Remove quotes around table names
  696.     my $quote = $dbh->get_info(29); # SQL_IDENTIFIER_QUOTE_CHAR
  697.     if ($quote) {
  698.       foreach (@dbh_tables) {
  699.         s/^$quote(.*)$quote$/$1/;
  700.         s/$quote$quote/$quote/g;
  701.       }
  702.     }
  703.     $dbh->disconnect();
  704.     return @dbh_tables;
  705. }
  706. sub quote_names {
  707.   my ( $name ) = @_;
  708.   # given a db.table name, add quotes
  709.   my ($db, $table, @cruft) = split( /./, $name );
  710.   die "Invalid db.table name '$name'" if (@cruft || !defined $db || !defined $table );
  711.   # Earlier versions of DBD return table name non-quoted,
  712.   # such as DBD-2.1012 and the newer ones, such as DBD-2.9002
  713.   # returns it quoted. Let's have a support for both.
  714.   $table=~ s/`//g;
  715.   return "`$db`.`$table`";
  716. }
  717. __END__
  718. =head1 DESCRIPTION
  719. mysqlhotcopy is designed to make stable copies of live MySQL databases.
  720. Here "live" means that the database server is running and the database
  721. may be in active use. And "stable" means that the copy will not have
  722. any corruptions that could occur if the table files were simply copied
  723. without first being locked and flushed from within the server.
  724. =head1 OPTIONS
  725. =over 4
  726. =item --checkpoint checkpoint-table
  727. As each database is copied, an entry is written to the specified
  728. checkpoint-table.  This has the happy side-effect of updating the
  729. MySQL update-log (if it is switched on) giving a good indication of
  730. where roll-forward should begin for backup+rollforward schemes.
  731. The name of the checkpoint table should be supplied in database.table format.
  732. The checkpoint-table must contain at least the following fields:
  733. =over 4
  734.   time_stamp timestamp not null
  735.   src varchar(32)
  736.   dest varchar(60)
  737.   msg varchar(255)
  738. =back
  739. =item --record_log_pos log-pos-table
  740. Just before the database files are copied, update the record in the
  741. log-pos-table from the values returned from "show master status" and
  742. "show slave status". The master status values are stored in the
  743. log_file and log_pos columns, and establish the position in the binary
  744. logs that any slaves of this host should adopt if initialised from
  745. this dump.  The slave status values are stored in master_host,
  746. master_log_file, and master_log_pos, and these are useful if the host
  747. performing the dump is a slave and other sibling slaves are to be
  748. initialised from this dump.
  749. The name of the log-pos table should be supplied in database.table format.
  750. A sample log-pos table definition:
  751. =over 4
  752. CREATE TABLE log_pos (
  753.   host            varchar(60) NOT null,
  754.   time_stamp      timestamp(14) NOT NULL,
  755.   log_file        varchar(32) default NULL,
  756.   log_pos         int(11)     default NULL,
  757.   master_host     varchar(60) NULL,
  758.   master_log_file varchar(32) NULL,
  759.   master_log_pos  int NULL,
  760.   PRIMARY KEY  (host) 
  761. );
  762. =back
  763. =item --suffix suffix
  764. Each database is copied back into the originating datadir under
  765. a new name. The new name is the original name with the suffix
  766. appended. 
  767. If only a single db_name is supplied and the --suffix flag is not
  768. supplied, then "--suffix=_copy" is assumed.
  769. =item --allowold
  770. Move any existing version of the destination to a backup directory for
  771. the duration of the copy. If the copy successfully completes, the backup 
  772. directory is deleted - unless the --keepold flag is set.  If the copy fails,
  773. the backup directory is restored.
  774. The backup directory name is the original name with "_old" appended.
  775. Any existing versions of the backup directory are deleted.
  776. =item --keepold
  777. Behaves as for the --allowold, with the additional feature 
  778. of keeping the backup directory after the copy successfully completes.
  779. =item --addtodest
  780. Don't rename target directory if it already exists, just add the
  781. copied files into it.
  782. This is most useful when backing up a database with many large
  783. tables and you don't want to have all the tables locked for the
  784. whole duration.
  785. In this situation, I<if> you are happy for groups of tables to be
  786. backed up separately (and thus possibly not be logically consistant
  787. with one another) then you can run mysqlhotcopy several times on
  788. the same database each with different db_name./table_regex/.
  789. All but the first should use the --addtodest option so the tables
  790. all end up in the same directory.
  791. =item --flushlog
  792. Rotate the log files by executing "FLUSH LOGS" after all tables are
  793. locked, and before they are copied.
  794. =item --resetmaster
  795. Reset the bin-log by executing "RESET MASTER" after all tables are
  796. locked, and before they are copied. Useful if you are recovering a
  797. slave in a replication setup.
  798. =item --resetslave
  799. Reset the master.info by executing "RESET SLAVE" after all tables are
  800. locked, and before they are copied. Useful if you are recovering a
  801. server in a mutual replication setup.
  802. =item --regexp pattern
  803. Copy all databases with names matching the pattern
  804. =item --regexp /pattern1/./pattern2/
  805. Copy all tables with names matching pattern2 from all databases with
  806. names matching pattern1. For example, to select all tables which
  807. names begin with 'bar' from all databases which names end with 'foo':
  808.    mysqlhotcopy --indices --method=cp --regexp /foo$/./^bar/
  809. =item db_name./pattern/
  810. Copy only tables matching pattern. Shell metacharacters ( (, ), |, !,
  811. etc.) have to be escaped (e.g. ). For example, to select all tables
  812. in database db1 whose names begin with 'foo' or 'bar':
  813.     mysqlhotcopy --indices --method=cp db1./^(foo|bar)/
  814. =item db_name./~pattern/
  815. Copy only tables not matching pattern. For example, to copy tables
  816. that do not begin with foo nor bar:
  817.     mysqlhotcopy --indices --method=cp db1./~^(foo|bar)/
  818. =item -?, --help
  819. Display helpscreen and exit
  820. =item -u, --user=#         
  821. user for database login if not current user
  822. =item -p, --password=#     
  823. password to use when connecting to the server. Note that you are strongly
  824. encouraged *not* to use this option as every user would be able to see the
  825. password in the process list. Instead use the '[mysqlhotcopy]' section in
  826. one of the config files, normally /etc/my.cnf or your personal ~/.my.cnf.
  827. (See the chapter 'my.cnf Option Files' in the manual)
  828. =item -h, -h, --host=#
  829. Hostname for local server when connecting over TCP/IP.  By specifying this
  830. different from 'localhost' will trigger mysqlhotcopy to use TCP/IP connection.
  831. =item -P, --port=#         
  832. port to use when connecting to MySQL server with TCP/IP.  This is only used
  833. when using the --host option.
  834. =item -S, --socket=#         
  835. UNIX domain socket to use when connecting to local server
  836. =item  --noindices          
  837. Don't include index files in copy. Only up to the first 2048 bytes
  838. are copied;  You can restore the indexes with isamchk -r or myisamchk -r
  839. on the backup.
  840. =item  --method=#           
  841. method for copy (only "cp" currently supported). Alpha support for
  842. "scp" was added in November 2000. Your experience with the scp method
  843. will vary with your ability to understand how scp works. 'man scp'
  844. and 'man ssh' are your friends.
  845. The destination directory _must exist_ on the target machine using the
  846. scp method. --keepold and --allowold are meaningless with scp.
  847. Liberal use of the --debug option will help you figure out what's
  848. really going on when you do an scp.
  849. Note that using scp will lock your tables for a _long_ time unless
  850. your network connection is _fast_. If this is unacceptable to you,
  851. use the 'cp' method to copy the tables to some temporary area and then
  852. scp or rsync the files at your leisure.
  853. =item -q, --quiet              
  854. be silent except for errors
  855. =item  --debug
  856. Debug messages are displayed 
  857. =item -n, --dryrun
  858. Display commands without actually doing them
  859. =back
  860. =head1 WARRANTY
  861. This software is free and comes without warranty of any kind. You
  862. should never trust backup software without studying the code yourself.
  863. Study the code inside this script and only rely on it if I<you> believe
  864. that it does the right thing for you.
  865. Patches adding bug fixes, documentation and new features are welcome.
  866. Please send these to internals@lists.mysql.com.
  867. =head1 TO DO
  868. Extend the individual table copy to allow multiple subsets of tables
  869. to be specified on the command line:
  870.   mysqlhotcopy db newdb  t1 t2 /^foo_/ : t3 /^bar_/ : +
  871. where ":" delimits the subsets, the /^foo_/ indicates all tables
  872. with names begining with "foo_" and the "+" indicates all tables
  873. not copied by the previous subsets.
  874. newdb is either another not existing database or a full path to a directory
  875. where we can create a directory 'db'
  876. Add option to lock each table in turn for people who don't need
  877. cross-table integrity.
  878. Add option to FLUSH STATUS just before UNLOCK TABLES.
  879. Add support for other copy methods (eg tar to single file?).
  880. Add support for forthcoming MySQL ``RAID'' table subdirectory layouts.
  881. =head1 AUTHOR
  882. Tim Bunce
  883. Martin Waite - added checkpoint, flushlog, regexp and dryrun options
  884.                Fixed cleanup of targets when hotcopy fails. 
  885.        Added --record_log_pos.
  886.                RAID tables are now copied (don't know if this works over scp).
  887. Ralph Corderoy - added synonyms for commands
  888. Scott Wiersdorf - added table regex and scp support
  889. Monty - working --noindex (copy only first 2048 bytes of index file)
  890.         Fixes for --method=scp
  891. Ask Bjoern Hansen - Cleanup code to fix a few bugs and enable -w again.
  892. Emil S. Hansen - Added resetslave and resetmaster.
  893. Jeremy D. Zawodny - Removed depricated DBI calls.  Fixed bug which
  894. resulted in nothing being copied when a regexp was specified but no
  895. database name(s).
  896. Martin Waite - Fix to handle database name that contains space.
  897. Paul DuBois - Remove end '/' from directory names