Skip to content

Commit

Permalink
[MIG] auto_backup to 12.0
Browse files Browse the repository at this point in the history
  • Loading branch information
valentincastravete committed Mar 6, 2024
1 parent 733def4 commit e72ea5d
Show file tree
Hide file tree
Showing 2 changed files with 45 additions and 25 deletions.
49 changes: 25 additions & 24 deletions auto_backup/models/db_backup.py
Original file line number Diff line number Diff line change
Expand Up @@ -12,6 +12,7 @@
from glob import iglob

from odoo import _, api, exceptions, fields, models, tools
from odoo.exceptions import UserError
from odoo.service import db

_logger = logging.getLogger(__name__)
Expand Down Expand Up @@ -100,7 +101,6 @@ def _default_folder(self):
"""Default to ``backups`` folder inside current server datadir."""
return os.path.join(tools.config["data_dir"], "backups", self.env.cr.dbname)

@api.multi
@api.depends("folder", "method", "sftp_host", "sftp_port", "sftp_user")
def _compute_name(self):
"""Get the right summary for this job."""
Expand All @@ -115,7 +115,6 @@ def _compute_name(self):
rec.folder,
)

@api.multi
@api.constrains("folder", "method")
def _check_folder(self):
"""Do not use the filestore or you will backup your backups."""
Expand All @@ -130,22 +129,20 @@ def _check_folder(self):
)
)

@api.multi
def action_sftp_test_connection(self):
"""Check if the SFTP settings are correct."""
try:
# Just open and close the connection
with self.sftp_connection():
raise exceptions.Warning(_("Connection Test Succeeded!"))
raise UserError(_("Connection Test Succeeded!"))
except (
pysftp.CredentialException,
pysftp.ConnectionException,
pysftp.SSHException,
):
) as exc:
_logger.info("Connection Test Failed!", exc_info=True)
raise exceptions.Warning(_("Connection Test Failed!"))
raise UserError(_("Connection Test Failed!")) from exc

@api.multi
def action_backup(self):
"""Run selected backups."""
backup = None
Expand All @@ -157,13 +154,13 @@ def action_backup(self):
with rec.backup_log():
# Directory must exist
try:
os.makedirs(rec.folder)
except OSError:
pass
os.makedirs(rec.folder, exist_ok=True)
except OSError as exc:
_logger.exception("Action backup - OSError: %s" % exc)

with open(os.path.join(rec.folder, filename), "wb") as destiny:
# Copy the cached backup
if backup:
if backup and backup == destiny.name:
with open(backup) as cached:
shutil.copyfileobj(cached, destiny)
# Generate new backup
Expand All @@ -189,9 +186,11 @@ def action_backup(self):
with rec.sftp_connection() as remote:
# Directory must exist
try:
remote.makedirs(rec.folder)
except pysftp.ConnectionException:
pass
remote.makedirs(rec.folder, exist_ok=True)
except pysftp.ConnectionException as exc:
_logger.exception(
"pysftp ConnectionException: %s" % exc
)

# Copy cached backup to remote server
with remote.open(
Expand All @@ -208,7 +207,6 @@ def action_backup_all(self):
"""Run all scheduled backups."""
return self.search([]).action_backup()

@api.multi
@contextmanager
def backup_log(self):
"""Log a backup result."""
Expand All @@ -221,35 +219,39 @@ def backup_log(self):
self.message_post( # pylint: disable=translation-required
body="<p>%s</p><pre>%s</pre>"
% (_("Database backup failed."), escaped_tb),
subtype=self.env.ref("auto_backup.mail_message_subtype_failure"),
subtype=self.env.ref("auto_backup.mail_message_subtype_failure").id,
)
else:
_logger.info("Database backup succeeded: %s", self.name)
self.message_post(body=_("Database backup succeeded."))

@api.multi
def cleanup(self):
"""Clean up old backups."""
now = datetime.now()
for rec in self.filtered("days_to_keep"):
with rec.cleanup_log():
oldest = self.filename(now - timedelta(days=rec.days_to_keep))
bu_format = rec.backup_format
file_extension = bu_format == "zip" and "dump.zip" or bu_format
oldest = self.filename(
now - timedelta(days=rec.days_to_keep), bu_format
)

if rec.method == "local":
for name in iglob(os.path.join(rec.folder, "*.dump.zip")):
for name in iglob(
os.path.join(rec.folder, "*.%s" % file_extension)
):
if os.path.basename(name) < oldest:
os.unlink(name)

elif rec.method == "sftp":
with rec.sftp_connection() as remote:
for name in remote.listdir(rec.folder):
if (
name.endswith(".dump.zip")
name.endswith(".%s" % file_extension)
and os.path.basename(name) < oldest
):
remote.unlink("%s/%s" % (rec.folder, name))
remote.unlink("{}/{}".format(rec.folder, name))

@api.multi
@contextmanager
def cleanup_log(self):
"""Log a possible cleanup failure."""
Expand All @@ -265,7 +267,7 @@ def cleanup_log(self):
self.message_post( # pylint: disable=translation-required
body="<p>%s</p><pre>%s</pre>"
% (_("Cleanup of old database backups failed."), escaped_tb),
subtype=self.env.ref("auto_backup.failure"),
subtype=self.env.ref("auto_backup.mail_message_subtype_failure").id,
)
else:
_logger.info("Cleanup of old database backups succeeded: %s", self.name)
Expand All @@ -282,7 +284,6 @@ def filename(when, ext="zip"):
when, ext="dump.zip" if ext == "zip" else ext
)

@api.multi
def sftp_connection(self):
"""Return a new SFTP connection with found parameters."""
self.ensure_one()
Expand Down
21 changes: 20 additions & 1 deletion auto_backup/tests/test_db_backup.py
Original file line number Diff line number Diff line change
Expand Up @@ -101,6 +101,16 @@ def test_check_folder(self):
}
)

def test_check_folder_exists(self):
""" It should log about already existing folder """
rec_id = self.new_record("local")
rec_id.write({
"folder": rec_id.folder,
})
rec_id.action_backup()
# No error was raised, just a log, test pass
self.assertTrue(True)

@mock.patch("%s._" % model)
def test_action_sftp_test_connection_success(self, _):
"""It should raise connection succeeded warning"""
Expand Down Expand Up @@ -150,7 +160,16 @@ def test_action_backup_sftp_mkdirs(self):
with self.patch_filtered_sftp(rec_id):
conn = rec_id.sftp_connection().__enter__()
rec_id.action_backup()
conn.makedirs.assert_called_once_with(rec_id.folder)
conn.makedirs.assert_called_once_with(rec_id.folder, exist_ok=True)

def test_action_backup_sftp_cleanup(self):
""" Backup sftp database and cleanup old databases """
rec_id = self.new_record()
with mock.patch.object(rec_id, "filename"):
rec_id.days_to_keep = 1
rec_id.cleanup()
self.assertEqual("sftp", rec_id.method)
rec_id.filename.assert_called_once_with(mock.ANY, rec_id.backup_format)

def test_action_backup_sftp_mkdirs_conn_exception(self):
"""It should guard from ConnectionException on remote.mkdirs"""
Expand Down

0 comments on commit e72ea5d

Please sign in to comment.