Backup / restauração de usuários / senhas / privilégios


16

Estou mudando de um servidor para outro e quero fazer backup de todos os bancos de dados + usuários / privilégios / senhas do meu servidor MySQL. Descobri fazer backup de um banco de dados usando mysqldump, mas não consigo descobrir, como fazer backup de todos os usuários e dos privilégios dados. Existe uma maneira de conseguir isso ou eu tenho que configurá-lo recentemente no novo servidor?


Você está movendo os dados para outro servidor executando a mesma versão do MySQL?
RolandoMySQLDBA

Respostas:


16

O banco de dados 'mysql' contém usuários / privilégios / senhas. Então pegue o despejo do banco de dados mysql junto com outros bancos de dados

mysqldump [options] --all-databases > all_databases_dump.sql

mysqldump -u root -p mysql user > user_table_dump.sql

Essas tabelas de banco de dados mysql contêm informações de concessão

usuário: contas de usuário, privilégios globais e outras colunas sem privilégios.

db: privilégios no nível do banco de dados.

tables_priv: privilégios no nível da tabela.

columns_priv: privilégios no nível da coluna.

procs_priv: Procedimento armazenado e privilégios de função.

Após restaurar a verificação cruzada com

select Host, user, password from user ;

SHOW GRANTS FOR 'user'@'localhost';

7
Cuidado. Se você estiver carregando isso em uma versão mais recente do MySQL, o despejo de mysql.userpoderá falhar devido a alterações no esquema.
Rick James

1
@ RickJames: o que devemos fazer se quisermos migrar para uma versão mais recente e restaurar os usuários?
Brunoqc

1
mysql_upgradeé um script para cuidar de alterações de esquema. Mas espera que você faça apenas uma grande alteração de cada vez, e no local, sem recarregar. Pesquise. (Desculpe, eu não tenho experiência na área de atualizações.)
Rick James

1
Após a restauração, você também pode / precisará flush privileges;do novo mysql. Like mysql -u root -p -e'flush privileges;' This pode / também definirá sua senha root do mysql no seu novo servidor para ser a senha root do seu servidor antigo, portanto, saiba o que é isso.
meesern

0

Esse script PHP foi inspirado pela necessidade de fazer a mesma coisa que a pergunta original em que os servidores em questão estavam executando uma versão diferente do MariaDB. Como é PHP, ele deve funcionar em qualquer plataforma que suporte PHP (versão 7.3 ou superior).

<?php
ini_set('display_errors','1');
ini_set('display_startup_errors','1');
error_reporting(E_ALL);

//
// You will want to modify the 4 variables below for your environment
//

$dbuser       = 'root';                   // DB user with authority to SHOW GRANTS from mysql.user
$dbpassword   = 'blahblah';               // password for the DB user
$useroutfile  = '/temp/Users.sql';        // where to write the user file that may be imported on new server
$grantoutfile = '/temp/Grants.sql';       // where to write the grant file that may be imported on new server
$ignore_users = ['root','replication_user'];  // array of users that should NOT be exported

//
// There really should not be any reason to modify anything below this comment 
// but please do browse through it and understand what is being done
//

$dsn = 'mysql:host=localhost;charset=utf8mb4';
$opt = [PDO::ATTR_ERRMODE            => PDO::ERRMODE_EXCEPTION ,
        PDO::ATTR_DEFAULT_FETCH_MODE => PDO::FETCH_ASSOC       ,
        PDO::ATTR_EMULATE_PREPARES   => true                   ,
       ];
try {

    $ourdb = new PDO ($dsn,$dbuser,$dbpassword,$opt);

} catch (PDOException $e) {

    error_log($e);  // log the error so it may be looked at later if necessary
    echo 'Could not connect to the SQL server';
    exit;
}  // end of the try/catch block

$notuser = implode(',',array_map('add_quotes',$ignore_users));

//
// We got connected to the database so now let's make sure we can open the
// output files for writing - note that using mode w will overwrite any
// existing files so we'll always start off cleanly
//

$userout = fopen($useroutfile,'w');

if ($userout === false) {  // could not open the output file for writing for some reason

    error_log('Could not open the output file for writing (' . $useroutfile . ')');
    exit;

}  // end of if we could not open the output file for writing

$grantout = fopen($grantoutfile,'w');

if ($grantout === false) {  // could not open the output file for writing for some reason

    error_log('Could not open the output file for writing (' . $grantout . ')');
    exit;

}  // end of if we could not open the output file for writing

$Query = $ourdb->query("
    SELECT CONCAT('SHOW GRANTS FOR ''', user, '''@''', host, ''';') AS query 
           FROM mysql.user 
           WHERE user NOT IN(" . implode(',',array_map('add_quotes',$ignore_users)) . ")
");
$users = $Query->fetchAll(PDO::FETCH_COLUMN);

foreach ($users as $GrantQ) {  // go through each of the users found

    $UserQ  = $ourdb->query("$GrantQ");  // retrieve the grants for a user
    $grants = $UserQ->fetchAll(PDO::FETCH_COLUMN);

    foreach ($grants as $grant) {  // go through each of the grants found for this user

        if (stripos($grant,'IDENTIFIED BY PASSWORD') === false) {

            fwrite($grantout,$grant . ';' . PHP_EOL);  // write the command to actually do the grant

        } else {

            fwrite($userout,$grant . ';' . PHP_EOL);  // write the command to actually do the grant
}
        }  // end of foreach through the grants found

}  // end of foreach through the queries to show the grants for each user

fwrite($userout ,'FLUSH PRIVILEGES;' . PHP_EOL);  // make sure SQL knows about the new users and privileges
fwrite($grantout,'FLUSH PRIVILEGES;' . PHP_EOL);  // make sure SQL knows about the new users and privileges
fclose($userout);   // close our output file
fclose($grantout);  // close our output file
echo 'The grants for ' . count($users) . ' users were written to ' . $useroutfile . PHP_EOL;

function add_quotes($str) {return sprintf("'%s'", $str);}
Ao utilizar nosso site, você reconhece que leu e compreendeu nossa Política de Cookies e nossa Política de Privacidade.
Licensed under cc by-sa 3.0 with attribution required.