unittest

unittest Pythonlink image 0

Para realizar este post vamos a crear una carpeta llamada testing_python donde vamos a crear todo el código

	
!mkdir testing_python

Dentro de esa carpeta vamos a crear las carpetas src y tests donde vamos a poner el código fuente y los tests respectivamente

	
!mkdir testing_python/src
!mkdir testing_python/tests

Librerías necesariaslink image 1

Para hacer los tests vamos a usar la librería unittest que viene por defecto en Python, pero además vamos a instalar coverage para poder ver la cobertura de los tests. La instalamos con Conda

conda install conda-forge::coverage
      

O con pip

pip install coverage
      

Primeros testslink image 2

Vamos a crear un primer archivo llamado calculator.py en la carpeta src

	
!echo "def sum(a, b):" > testing_python/src/calculator.py
!echo " return a + b" >> testing_python/src/calculator.py
!echo "" >> testing_python/src/calculator.py
!echo "def substract(a, b):" >> testing_python/src/calculator.py
!echo " return a - b" >> testing_python/src/calculator.py
!echo "" >> testing_python/src/calculator.py
!echo "def multiply(a, b):" >> testing_python/src/calculator.py
!echo " return a * b" >> testing_python/src/calculator.py
!echo "" >> testing_python/src/calculator.py
!echo "def divide(a, b):" >> testing_python/src/calculator.py
!echo " return a / b" >> testing_python/src/calculator.py

Ahora creamos un archivo llamado test_calculator.py en la carpeta tests

	
!echo "import unittest" > testing_python/tests/test_calculator.py
!echo "from src.calculator import sum, substract, multiply, divide" >> testing_python/tests/test_calculator.py
!echo "" >> testing_python/tests/test_calculator.py
!echo "class TestCalculator(unittest.TestCase):" >> testing_python/tests/test_calculator.py
!echo " def test_sum(self):" >> testing_python/tests/test_calculator.py
!echo " self.assertEqual(sum(2, 2), 4)" >> testing_python/tests/test_calculator.py
!echo "" >> testing_python/tests/test_calculator.py
!echo " def test_substract(self):" >> testing_python/tests/test_calculator.py
!echo " self.assertEqual(substract(2, 1), 1)" >> testing_python/tests/test_calculator.py
!echo "" >> testing_python/tests/test_calculator.py
!echo " def test_multiply(self):" >> testing_python/tests/test_calculator.py
!echo " self.assertEqual(multiply(2, 3), 6)" >> testing_python/tests/test_calculator.py
!echo "" >> testing_python/tests/test_calculator.py
!echo " def test_divide(self):" >> testing_python/tests/test_calculator.py
!echo " self.assertEqual(divide(6, 3), 2)" >> testing_python/tests/test_calculator.py

Ahora para ejecutarlo hacemos python -m unittest tests/test_calculator.py discover -s tests

	
!cd testing_python && python -m unittest tests/test_calculator.py
	
....
----------------------------------------------------------------------
Ran 4 tests in 0.000s
OK

Como vemos, aparecen cuatro puntos por los dos tests que se han pasado y que han sido correctos

Vamos a modificar el archivo de test para provocar un error, vamos a hacer que al sumar 2 y 2 nos dé 5

	
!echo "import unittest" > testing_python/tests/test_calculator.py
!echo "from src.calculator import sum, substract, multiply, divide" >> testing_python/tests/test_calculator.py
!echo "" >> testing_python/tests/test_calculator.py
!echo "class TestCalculator(unittest.TestCase):" >> testing_python/tests/test_calculator.py
!echo " def test_sum(self):" >> testing_python/tests/test_calculator.py
!echo " self.assertEqual(sum(2, 2), 5)" >> testing_python/tests/test_calculator.py
!echo "" >> testing_python/tests/test_calculator.py
!echo " def test_substract(self):" >> testing_python/tests/test_calculator.py
!echo " self.assertEqual(substract(2, 1), 1)" >> testing_python/tests/test_calculator.py
!echo "" >> testing_python/tests/test_calculator.py
!echo " def test_multiply(self):" >> testing_python/tests/test_calculator.py
!echo " self.assertEqual(multiply(2, 3), 6)" >> testing_python/tests/test_calculator.py
!echo "" >> testing_python/tests/test_calculator.py
!echo " def test_divide(self):" >> testing_python/tests/test_calculator.py
!echo " self.assertEqual(divide(6, 3), 2)" >> testing_python/tests/test_calculator.py

Ahora corremos los test

	
!cd testing_python && python -m unittest tests/test_calculator.py
	
...F
======================================================================
FAIL: test_sum (tests.test_calculator.TestCalculator)
----------------------------------------------------------------------
Traceback (most recent call last):
File "/home/wallabot/Documentos/web/portafolio/posts/testing_python/tests/test_calculator.py", line 6, in test_sum
self.assertEqual(sum(2, 2), 5)
AssertionError: 4 != 5
----------------------------------------------------------------------
Ran 4 tests in 0.000s
FAILED (failures=1)

Como vemos, ahora nos sale una F que significa que ha fallado un test, además, nos da la siguiente información

FAIL: test_sum (tests.test_calculator.TestCalculator)
----------------------------------------------------------------------
Traceback (most recent call last):
  File "/home/wallabot/Documentos/web/portafolio/posts/testing_python/tests/test_calculator.py", line 6, in test_sum
    self.assertEqual(sum(2, 2), 5)
AssertionError: 4 != 5

Nos está diciendo que ha fallado el test test_sum en la línea 6, que es la que hemos modificado, y que el resultado esperado era 5 y el obtenido 4

Una cosa que no hemos dicho y que es importante, es que no hemos llamado a los métodos test_sum y test_subtract directamente, se han ejecutado automáticamente. Esto es debido a que los métodos que empiezan por test_ son los que se ejecutan automáticamente

Una forma más sencilla de ejecutar los tests es usar el comando discover que busca todos los archivos que empiezan por test_ en la carpeta que le pasemos por el parámetro -s

Primero volvemos a escribir bien los test

	
!echo "import unittest" > testing_python/tests/test_calculator.py
!echo "from src.calculator import sum, substract, multiply, divide" >> testing_python/tests/test_calculator.py
!echo "" >> testing_python/tests/test_calculator.py
!echo "class TestCalculator(unittest.TestCase):" >> testing_python/tests/test_calculator.py
!echo " def test_sum(self):" >> testing_python/tests/test_calculator.py
!echo " self.assertEqual(sum(2, 2), 4)" >> testing_python/tests/test_calculator.py
!echo "" >> testing_python/tests/test_calculator.py
!echo " def test_substract(self):" >> testing_python/tests/test_calculator.py
!echo " self.assertEqual(substract(2, 1), 1)" >> testing_python/tests/test_calculator.py
!echo "" >> testing_python/tests/test_calculator.py
!echo " def test_multiply(self):" >> testing_python/tests/test_calculator.py
!echo " self.assertEqual(multiply(2, 3), 6)" >> testing_python/tests/test_calculator.py
!echo "" >> testing_python/tests/test_calculator.py
!echo " def test_divide(self):" >> testing_python/tests/test_calculator.py
!echo " self.assertEqual(divide(6, 3), 2)" >> testing_python/tests/test_calculator.py

Y ahora pasamos los tests mediante discover

	
!cd testing_python && python -m unittest discover -s tests
	
....
----------------------------------------------------------------------
Ran 4 tests in 0.000s
OK

Ha encontrado los test y los ha pasado correctamente

Configuración de los testslink image 3

setUplink image 4

Con la librería unittest podemos configurar los tests, pero para verlo, primero vamos a crear un nuevo archivo de código llamado bank_account.py en la carpeta src

	
!echo "class BankAccount:" > testing_python/src/bank_account.py
!echo " def __init__(self, balance=0):" >> testing_python/src/bank_account.py
!echo " self.balance = balance" >> testing_python/src/bank_account.py
!echo "" >> testing_python/src/bank_account.py
!echo " def deposit(self, amount):" >> testing_python/src/bank_account.py
!echo " if amount > 0:" >> testing_python/src/bank_account.py
!echo " self.balance += amount" >> testing_python/src/bank_account.py
!echo " return self.balance" >> testing_python/src/bank_account.py
!echo "" >> testing_python/src/bank_account.py
!echo " def withdraw(self, amount):" >> testing_python/src/bank_account.py
!echo " if amount > 0:" >> testing_python/src/bank_account.py
!echo " self.balance -= amount" >> testing_python/src/bank_account.py
!echo " return self.balance" >> testing_python/src/bank_account.py
!echo "" >> testing_python/src/bank_account.py
!echo " def get_balance(self):" >> testing_python/src/bank_account.py
!echo " return self.balance" >> testing_python/src/bank_account.py

Ahora añadimos tests al nuevo código, creando un archivo llamado test_bank_account.py en la carpeta tests

Vamos a crear primero la prueba de añadir depósito, es decir, el método deposit

	
!echo "import unittest" > testing_python/tests/test_bank_account.py
!echo "from src.bank_account import BankAccount" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo "class TestBankAccount(unittest.TestCase):" >> testing_python/tests/test_bank_account.py
!echo " def test_deposit(self):" >> testing_python/tests/test_bank_account.py
!echo " account = BankAccount()" >> testing_python/tests/test_bank_account.py
!echo " new_balace = account.deposit(1500)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 1500)" >> testing_python/tests/test_bank_account.py

Pasamos los tests

	
!cd testing_python && python -m unittest discover -s tests
	
.....
----------------------------------------------------------------------
Ran 5 tests in 0.000s
OK

Vemos que hay cinco puntos, pero nosotros solo hemos escrito un test, así que usamos el flag -v para ver más información

	
!cd testing_python && python -m unittest discover -s tests -v
	
test_deposit (test_bank_account.TestBankAccount) ... ok
test_divide (test_calculator.TestCalculator) ... ok
test_multiply (test_calculator.TestCalculator) ... ok
test_substract (test_calculator.TestCalculator) ... ok
test_sum (test_calculator.TestCalculator) ... ok
----------------------------------------------------------------------
Ran 5 tests in 0.000s
OK

Vemos que discover ha encontrado los tests test_calculator y test_bank_account y ha pasado los dos

Vamos a crear los tests para el resto de métodos

	
!echo "import unittest" > testing_python/tests/test_bank_account.py
!echo "from src.bank_account import BankAccount" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo "class TestBankAccount(unittest.TestCase):" >> testing_python/tests/test_bank_account.py
!echo " def test_deposit(self):" >> testing_python/tests/test_bank_account.py
!echo " account = BankAccount(balance=1000)" >> testing_python/tests/test_bank_account.py
!echo " new_balace = account.deposit(500)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 1500)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_withdraw(self):" >> testing_python/tests/test_bank_account.py
!echo " account = BankAccount(balance=1000)" >> testing_python/tests/test_bank_account.py
!echo " new_balace = account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 800)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_get_balance(self):" >> testing_python/tests/test_bank_account.py
!echo " account = BankAccount(balance=1000)" >> testing_python/tests/test_bank_account.py
!echo " balance = account.get_balance()" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(balance, 1000)" >> testing_python/tests/test_bank_account.py

Pasamos los tests

	
!cd testing_python && python -m unittest discover -s tests -v
	
test_deposit (test_bank_account.TestBankAccount) ... ok
test_get_balance (test_bank_account.TestBankAccount) ... ok
test_withdraw (test_bank_account.TestBankAccount) ... ok
test_divide (test_calculator.TestCalculator) ... ok
test_multiply (test_calculator.TestCalculator) ... ok
test_substract (test_calculator.TestCalculator) ... ok
test_sum (test_calculator.TestCalculator) ... ok
----------------------------------------------------------------------
Ran 7 tests in 0.000s
OK

Vemos que han pasado satisfactoriamente. Ahora veamos una cosa, en todos los tests hemos hecho account = BankAccount(balance=1000) y luego hemos llamado a los métodos, esto es porque cada test se ejecuta en un nuevo objeto, es decir, no se comparten los objetos entre tests.

De modo que podemos usar el método setUp para crear un objeto que se comparta entre todos los test

	
!echo "import unittest" > testing_python/tests/test_bank_account.py
!echo "from src.bank_account import BankAccount" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo "class TestBankAccount(unittest.TestCase):" >> testing_python/tests/test_bank_account.py
!echo " def setUp(self):" >> testing_python/tests/test_bank_account.py
!echo " self.account = BankAccount(balance=1000)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_deposit(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.deposit(500)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 1500)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_withdraw(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 800)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_get_balance(self):" >> testing_python/tests/test_bank_account.py
!echo " balance = self.account.get_balance()" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(balance, 1000)" >> testing_python/tests/test_bank_account.py

Como vemos, hemos creado la cuenta en el método setUp y hemos eliminado la creación de la cuenta en los tests. Vamos a pasar los test

	
!cd testing_python && python -m unittest discover -s tests -v
	
test_deposit (test_bank_account.TestBankAccount) ... ok
test_get_balance (test_bank_account.TestBankAccount) ... ok
test_withdraw (test_bank_account.TestBankAccount) ... ok
test_divide (test_calculator.TestCalculator) ... ok
test_multiply (test_calculator.TestCalculator) ... ok
test_substract (test_calculator.TestCalculator) ... ok
test_sum (test_calculator.TestCalculator) ... ok
----------------------------------------------------------------------
Ran 7 tests in 0.000s
OK

tearDownlink image 5

Igual que con el método setUp configuramos el entorno antes de ejecutar los tests, con el método tearDown podemos limpiar el entorno después de ejecutar los tests. Para probarlo vamos a añadir al código de bank_account.py que las operaciones se escriban en un archivo de log

	
!echo "class BankAccount:" > testing_python/src/bank_account.py
!echo " def __init__(self, balance=0, log_file=None):" >> testing_python/src/bank_account.py
!echo " self.balance = balance" >> testing_python/src/bank_account.py
!echo " self.log_file = log_file" >> testing_python/src/bank_account.py
!echo " self._log_transaction('Account created')" >> testing_python/src/bank_account.py
!echo "" >> testing_python/src/bank_account.py
!echo " def _log_transaction(self, message):" >> testing_python/src/bank_account.py
!echo " if self.log_file:" >> testing_python/src/bank_account.py
!echo " with open(self.log_file, 'a') as file:" >> testing_python/src/bank_account.py
!echo " file.write(f'{message}\\ ')" >> testing_python/src/bank_account.py
!echo "" >> testing_python/src/bank_account.py
!echo " def deposit(self, amount):" >> testing_python/src/bank_account.py
!echo " if amount > 0:" >> testing_python/src/bank_account.py
!echo " self.balance += amount" >> testing_python/src/bank_account.py
!echo " self._log_transaction(f'Deposit {amount}, new balance {self.balance}')" >> testing_python/src/bank_account.py
!echo " return self.balance" >> testing_python/src/bank_account.py
!echo "" >> testing_python/src/bank_account.py
!echo " def withdraw(self, amount):" >> testing_python/src/bank_account.py
!echo " if amount > 0:" >> testing_python/src/bank_account.py
!echo " self.balance -= amount" >> testing_python/src/bank_account.py
!echo " self._log_transaction(f'Withdraw {amount}, new balance {self.balance}')" >> testing_python/src/bank_account.py
!echo " return self.balance" >> testing_python/src/bank_account.py
!echo "" >> testing_python/src/bank_account.py
!echo " def get_balance(self):" >> testing_python/src/bank_account.py
!echo " self._log_transaction(f'Balance check, balance {self.balance}')" >> testing_python/src/bank_account.py
!echo " return self.balance" >> testing_python/src/bank_account.py

Ahora añadimos un test al nuevo método _log_transaction

	
!echo "import unittest" > testing_python/tests/test_bank_account.py
!echo "import os" >> testing_python/tests/test_bank_account.py
!echo "from src.bank_account import BankAccount" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo "class TestBankAccount(unittest.TestCase):" >> testing_python/tests/test_bank_account.py
!echo " def setUp(self):" >> testing_python/tests/test_bank_account.py
!echo " self.account = BankAccount(balance=1000, log_file='test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_deposit(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.deposit(500)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 1500)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_withdraw(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 800)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_get_balance(self):" >> testing_python/tests/test_bank_account.py
!echo " balance = self.account.get_balance()" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(balance, 1000)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_transaction_log(self):" >> testing_python/tests/test_bank_account.py
!echo " self.account.deposit(500)" >> testing_python/tests/test_bank_account.py
!echo " self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.account.get_balance()" >> testing_python/tests/test_bank_account.py
!echo " assert os.path.exists('test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo " with open('test_log.txt', 'r') as file:" >> testing_python/tests/test_bank_account.py
!echo " content = file.readlines()" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(content, [" >> testing_python/tests/test_bank_account.py
!echo " 'Account created\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Deposit 500, new balance 1500\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Account created\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Balance check, balance 1000\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Account created\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Deposit 500, new balance 1500\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Withdraw 200, new balance 1300\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Balance check, balance 1300\\n'])" >> testing_python/tests/test_bank_account.py

Pasamos los tests

	
!cd testing_python && python -m unittest discover -s tests -v
	
test_deposit (test_bank_account.TestBankAccount) ... ok
test_get_balance (test_bank_account.TestBankAccount) ... ok
test_transaction_log (test_bank_account.TestBankAccount) ... FAIL
test_withdraw (test_bank_account.TestBankAccount) ... ok
test_divide (test_calculator.TestCalculator) ... ok
test_multiply (test_calculator.TestCalculator) ... ok
test_substract (test_calculator.TestCalculator) ... ok
test_sum (test_calculator.TestCalculator) ... ok
======================================================================
FAIL: test_transaction_log (test_bank_account.TestBankAccount)
----------------------------------------------------------------------
Traceback (most recent call last):
File "/home/wallabot/Documentos/web/portafolio/posts/testing_python/tests/test_bank_account.py", line 28, in test_transaction_log
self.assertEqual(content, [
AssertionError: Lists differ: ['Acc[224 chars]00 ', 'Account created ', 'Withdraw 200, new[246 chars]0 '] != ['Acc[224 chars]00 ']
First list contains 10 additional elements.
First extra element 8:
'Account created '
['Account created ',
'Deposit 500, new balance 1500 ',
'Account created ',
'Balance check, balance 1000 ',
'Account created ',
'Deposit 500, new balance 1500 ',
'Withdraw 200, new balance 1300 ',
- 'Balance check, balance 1300 ',
- 'Account created ',
- 'Withdraw 200, new balance 800 ',
- 'Account created ',
- 'Deposit 500, new balance 1500 ',
- 'Account created ',
- 'Balance check, balance 1000 ',
- 'Account created ',
- 'Deposit 500, new balance 1500 ',
- 'Withdraw 200, new balance 1300 ',
'Balance check, balance 1300 ']
----------------------------------------------------------------------
Ran 8 tests in 0.001s
FAILED (failures=1)

Los test han salido bien, pero vemos que en el archivo de log hay muchas líneas con el texto Account created, esto es porque al principio de cada test se ejecuta el método setUp que crea una cuenta, por lo que tenemos que crear el método tearDown para eliminar el archivo de log después de cada test

Como es un archivo generado para el test, no debería existir después de ejecutar los tests, así que vamos a añadir el método tearDown para borrar el archivo

	
!echo "import unittest" > testing_python/tests/test_bank_account.py
!echo "import os" >> testing_python/tests/test_bank_account.py
!echo "from src.bank_account import BankAccount" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo "class TestBankAccount(unittest.TestCase):" >> testing_python/tests/test_bank_account.py
!echo " def setUp(self):" >> testing_python/tests/test_bank_account.py
!echo " self.account = BankAccount(balance=1000, log_file='test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def tearDown(self):" >> testing_python/tests/test_bank_account.py
!echo " if os.path.exists('test_log.txt'):" >> testing_python/tests/test_bank_account.py
!echo " os.remove('test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_deposit(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.deposit(500)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 1500)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_withdraw(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 800)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_get_balance(self):" >> testing_python/tests/test_bank_account.py
!echo " balance = self.account.get_balance()" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(balance, 1000)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_transaction_log(self):" >> testing_python/tests/test_bank_account.py
!echo " self.account.deposit(500)" >> testing_python/tests/test_bank_account.py
!echo " self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.account.get_balance()" >> testing_python/tests/test_bank_account.py
!echo " assert os.path.exists('test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo " with open('test_log.txt', 'r') as file:" >> testing_python/tests/test_bank_account.py
!echo " content = file.readlines()" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(content, [" >> testing_python/tests/test_bank_account.py
!echo " 'Account created\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Deposit 500, new balance 1500\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Account created\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Balance check, balance 1000\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Account created\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Deposit 500, new balance 1500\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Withdraw 200, new balance 1300\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Balance check, balance 1300\\n'" >> testing_python/tests/test_bank_account.py
!echo " ])" >> testing_python/tests/test_bank_account.py

Volvemos a pasar los tests

	
!cd testing_python && python -m unittest discover -s tests -v
	
test_deposit (test_bank_account.TestBankAccount) ... ok
test_get_balance (test_bank_account.TestBankAccount) ... ok
test_transaction_log (test_bank_account.TestBankAccount) ... FAIL
test_withdraw (test_bank_account.TestBankAccount) ... ok
test_divide (test_calculator.TestCalculator) ... ok
test_multiply (test_calculator.TestCalculator) ... ok
test_substract (test_calculator.TestCalculator) ... ok
test_sum (test_calculator.TestCalculator) ... ok
======================================================================
FAIL: test_transaction_log (test_bank_account.TestBankAccount)
----------------------------------------------------------------------
Traceback (most recent call last):
File "/home/wallabot/Documentos/web/portafolio/posts/testing_python/tests/test_bank_account.py", line 32, in test_transaction_log
self.assertEqual(content, [
AssertionError: Lists differ: ['Acc[48 chars]n', 'Withdraw 200, new balance 1300 ', 'Balan[21 chars]0 '] != ['Acc[48 chars]n', 'Account created ', 'Balance check, balan[131 chars]0 ']
First differing element 2:
'Withdraw 200, new balance 1300 '
'Account created '
Second list contains 4 additional elements.
First extra element 4:
'Account created '
['Account created ',
+ 'Deposit 500, new balance 1500 ',
+ 'Account created ',
+ 'Balance check, balance 1000 ',
+ 'Account created ',
'Deposit 500, new balance 1500 ',
'Withdraw 200, new balance 1300 ',
'Balance check, balance 1300 ']
----------------------------------------------------------------------
Ran 8 tests in 0.001s
FAILED (failures=1)

Pero ahora nos da error, porque como al final de cada prueba hemos eliminado el archivo de log, ya no hay que comprobar que se haya escrito tanto texto, sino solo el del test que estamos haciendo. Así que vamos a modificar el test para que solo compruebe que se ha escrito el texto del test

	
!echo "import unittest" > testing_python/tests/test_bank_account.py
!echo "import os" >> testing_python/tests/test_bank_account.py
!echo "from src.bank_account import BankAccount" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo "class TestBankAccount(unittest.TestCase):" >> testing_python/tests/test_bank_account.py
!echo " def setUp(self):" >> testing_python/tests/test_bank_account.py
!echo " self.account = BankAccount(balance=1000, log_file='test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def tearDown(self):" >> testing_python/tests/test_bank_account.py
!echo " if os.path.exists('test_log.txt'):" >> testing_python/tests/test_bank_account.py
!echo " os.remove('test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_deposit(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.deposit(500)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 1500)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_withdraw(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 800)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_get_balance(self):" >> testing_python/tests/test_bank_account.py
!echo " balance = self.account.get_balance()" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(balance, 1000)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_transaction_log(self):" >> testing_python/tests/test_bank_account.py
!echo " self.account.deposit(500)" >> testing_python/tests/test_bank_account.py
!echo " self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.account.get_balance()" >> testing_python/tests/test_bank_account.py
!echo " assert os.path.exists('test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo " with open('test_log.txt', 'r') as file:" >> testing_python/tests/test_bank_account.py
!echo " content = file.readlines()" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(content, [" >> testing_python/tests/test_bank_account.py
!echo " 'Account created\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Deposit 500, new balance 1500\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Withdraw 200, new balance 1300\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Balance check, balance 1300\\n'" >> testing_python/tests/test_bank_account.py
!echo " ])" >> testing_python/tests/test_bank_account.py

Y pasamos los test

	
!cd testing_python && python -m unittest discover -s tests -v
	
test_deposit (test_bank_account.TestBankAccount) ... ok
test_get_balance (test_bank_account.TestBankAccount) ... ok
test_transaction_log (test_bank_account.TestBankAccount) ... ok
test_withdraw (test_bank_account.TestBankAccount) ... ok
test_divide (test_calculator.TestCalculator) ... ok
test_multiply (test_calculator.TestCalculator) ... ok
test_substract (test_calculator.TestCalculator) ... ok
test_sum (test_calculator.TestCalculator) ... ok
----------------------------------------------------------------------
Ran 8 tests in 0.001s
OK

Documentación de erroreslink image 6

Si te has fijado, hasta ahora en los tests usábamos assertEqual. Este método nos da la opción de escribir un mensaje de error cuando no se cumple la condición. Vamos a modificar un test para que falle y ver el mensaje de error

	
!echo "import unittest" > testing_python/tests/test_bank_account.py
!echo "import os" >> testing_python/tests/test_bank_account.py
!echo "from src.bank_account import BankAccount" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo "class TestBankAccount(unittest.TestCase):" >> testing_python/tests/test_bank_account.py
!echo " def setUp(self):" >> testing_python/tests/test_bank_account.py
!echo " self.account = BankAccount(balance=1000, log_file='test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def tearDown(self):" >> testing_python/tests/test_bank_account.py
!echo " if os.path.exists('test_log.txt'):" >> testing_python/tests/test_bank_account.py
!echo " os.remove('test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_deposit(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.deposit(500)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 1500)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_withdraw(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 500, 'Balance is not correct')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_get_balance(self):" >> testing_python/tests/test_bank_account.py
!echo " balance = self.account.get_balance()" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(balance, 1000)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_transaction_log(self):" >> testing_python/tests/test_bank_account.py
!echo " self.account.deposit(500)" >> testing_python/tests/test_bank_account.py
!echo " self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.account.get_balance()" >> testing_python/tests/test_bank_account.py
!echo " assert os.path.exists('test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo " with open('test_log.txt', 'r') as file:" >> testing_python/tests/test_bank_account.py
!echo " content = file.readlines()" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(content, [" >> testing_python/tests/test_bank_account.py
!echo " 'Account created\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Deposit 500, new balance 1500\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Withdraw 200, new balance 1300\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Balance check, balance 1300\\n'" >> testing_python/tests/test_bank_account.py
!echo " ])" >> testing_python/tests/test_bank_account.py

Pasamos los tests

	
!cd testing_python && python -m unittest discover -s tests -v
	
test_deposit (test_bank_account.TestBankAccount) ... ok
test_get_balance (test_bank_account.TestBankAccount) ... ok
test_transaction_log (test_bank_account.TestBankAccount) ... ok
test_withdraw (test_bank_account.TestBankAccount) ... FAIL
test_divide (test_calculator.TestCalculator) ... ok
test_multiply (test_calculator.TestCalculator) ... ok
test_substract (test_calculator.TestCalculator) ... ok
test_sum (test_calculator.TestCalculator) ... ok
======================================================================
FAIL: test_withdraw (test_bank_account.TestBankAccount)
----------------------------------------------------------------------
Traceback (most recent call last):
File "/home/wallabot/Documentos/web/portafolio/posts/testing_python/tests/test_bank_account.py", line 19, in test_withdraw
self.assertEqual(new_balace, 500, 'Balance is not correct')
AssertionError: 800 != 500 : Balance is not correct
----------------------------------------------------------------------
Ran 8 tests in 0.001s
FAILED (failures=1)

Como podemos ver, tenemos el mensaje que hemos escrito en el test AssertionError: 800 != 500 : Balance is not correct

assertslink image 7

Hasta ahora hemos usado los assertEqual, pero hay más, como por ejemplo el assertTrue. Vamos a modificar la línea assert os.path.exists('test_log.txt') por self.assertTrue(os.path.exists('test_log.txt'))

	
!echo "import unittest" > testing_python/tests/test_bank_account.py
!echo "import os" >> testing_python/tests/test_bank_account.py
!echo "from src.bank_account import BankAccount" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo "class TestBankAccount(unittest.TestCase):" >> testing_python/tests/test_bank_account.py
!echo " def setUp(self):" >> testing_python/tests/test_bank_account.py
!echo " self.account = BankAccount(balance=1000, log_file='test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def tearDown(self):" >> testing_python/tests/test_bank_account.py
!echo " if os.path.exists('test_log.txt'):" >> testing_python/tests/test_bank_account.py
!echo " os.remove('test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_deposit(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.deposit(500)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 1500)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_withdraw(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 800, 'Balance is not correct')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_get_balance(self):" >> testing_python/tests/test_bank_account.py
!echo " balance = self.account.get_balance()" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(balance, 1000)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_transaction_log(self):" >> testing_python/tests/test_bank_account.py
!echo " self.account.deposit(500)" >> testing_python/tests/test_bank_account.py
!echo " self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.account.get_balance()" >> testing_python/tests/test_bank_account.py
!echo " self.assertTrue(os.path.exists('test_log.txt'))" >> testing_python/tests/test_bank_account.py
!echo " with open('test_log.txt', 'r') as file:" >> testing_python/tests/test_bank_account.py
!echo " content = file.readlines()" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(content, [" >> testing_python/tests/test_bank_account.py
!echo " 'Account created\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Deposit 500, new balance 1500\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Withdraw 200, new balance 1300\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Balance check, balance 1300\\n'" >> testing_python/tests/test_bank_account.py
!echo " ])" >> testing_python/tests/test_bank_account.py

Y pasamos los test

	
!cd testing_python && python -m unittest discover -s tests -v
	
test_deposit (test_bank_account.TestBankAccount) ... ok
test_get_balance (test_bank_account.TestBankAccount) ... ok
test_transaction_log (test_bank_account.TestBankAccount) ... ok
test_withdraw (test_bank_account.TestBankAccount) ... ok
test_divide (test_calculator.TestCalculator) ... ok
test_multiply (test_calculator.TestCalculator) ... ok
test_substract (test_calculator.TestCalculator) ... ok
test_sum (test_calculator.TestCalculator) ... ok
----------------------------------------------------------------------
Ran 8 tests in 0.001s
OK

Algunos otros asserts que podemos usar son:

  • assertEqual
  • assertNotEqual
  • assertTrue
  • assertFalse
  • assertRaises

skiplink image 8

Al igual que en Python podemos usar pass para no hacer nada, en los tests podemos usar skip para saltar un test. Esto puede ser útil cuando sabemos que queremos pasar unas pruebas, pero aún no está el código para pasarlas.

Voy a añadir un test que compruebe si el usuario tiene un préstamo, pero como aún no hay código referente a los préstamos, voy a saltar el test

	
!echo "import unittest" > testing_python/tests/test_bank_account.py
!echo "import os" >> testing_python/tests/test_bank_account.py
!echo "from src.bank_account import BankAccount" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo "class TestBankAccount(unittest.TestCase):" >> testing_python/tests/test_bank_account.py
!echo " def setUp(self):" >> testing_python/tests/test_bank_account.py
!echo " self.account = BankAccount(balance=1000, log_file='test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def tearDown(self):" >> testing_python/tests/test_bank_account.py
!echo " if os.path.exists('test_log.txt'):" >> testing_python/tests/test_bank_account.py
!echo " os.remove('test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_deposit(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.deposit(500)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 1500)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_withdraw(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 800, 'Balance is not correct')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_get_balance(self):" >> testing_python/tests/test_bank_account.py
!echo " balance = self.account.get_balance()" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(balance, 1000)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_transaction_log(self):" >> testing_python/tests/test_bank_account.py
!echo " self.account.deposit(500)" >> testing_python/tests/test_bank_account.py
!echo " self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.account.get_balance()" >> testing_python/tests/test_bank_account.py
!echo " self.assertTrue(os.path.exists('test_log.txt'))" >> testing_python/tests/test_bank_account.py
!echo " with open('test_log.txt', 'r') as file:" >> testing_python/tests/test_bank_account.py
!echo " content = file.readlines()" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(content, [" >> testing_python/tests/test_bank_account.py
!echo " 'Account created\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Deposit 500, new balance 1500\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Withdraw 200, new balance 1300\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Balance check, balance 1300\\n'" >> testing_python/tests/test_bank_account.py
!echo " ])" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " @unittest.skip('Not implemented yet')" >> testing_python/tests/test_bank_account.py
!echo " def test_has_loan(self):" >> testing_python/tests/test_bank_account.py
!echo " self.assertFalse(self.account.has_loan())" >> testing_python/tests/test_bank_account.py

Vamos a ver qué pasa al ejecutarlo

	
!cd testing_python && python -m unittest discover -s tests -v
	
test_deposit (test_bank_account.TestBankAccount) ... ok
test_get_balance (test_bank_account.TestBankAccount) ... ok
test_has_loan (test_bank_account.TestBankAccount) ... skipped 'Not implemented yet'
test_transaction_log (test_bank_account.TestBankAccount) ... ok
test_withdraw (test_bank_account.TestBankAccount) ... ok
test_divide (test_calculator.TestCalculator) ... ok
test_multiply (test_calculator.TestCalculator) ... ok
test_substract (test_calculator.TestCalculator) ... ok
test_sum (test_calculator.TestCalculator) ... ok
----------------------------------------------------------------------
Ran 9 tests in 0.001s
OK (skipped=1)

Podemos ver test_has_loan (test_bank_account.TestBankAccount) ... skipped 'Not implemented yet' se ha saltado ese test como queríamos

skipIflink image 9

Otra opción es usar skipIf para saltar un test si se cumple una condición. Voy a añadir una variable al principio llamada server para saber si estamos en un entorno local o en el servidor, y el test comprobará esa variable, de modo que si estamos en el servidor, se saltará el test

	
!echo "import unittest" > testing_python/tests/test_bank_account.py
!echo "import os" >> testing_python/tests/test_bank_account.py
!echo "from src.bank_account import BankAccount" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo "SERVER = True" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo "class TestBankAccount(unittest.TestCase):" >> testing_python/tests/test_bank_account.py
!echo " def setUp(self):" >> testing_python/tests/test_bank_account.py
!echo " self.account = BankAccount(balance=1000, log_file='test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def tearDown(self):" >> testing_python/tests/test_bank_account.py
!echo " if os.path.exists('test_log.txt'):" >> testing_python/tests/test_bank_account.py
!echo " os.remove('test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_deposit(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.deposit(500)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 1500)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_withdraw(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 800, 'Balance is not correct')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_get_balance(self):" >> testing_python/tests/test_bank_account.py
!echo " balance = self.account.get_balance()" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(balance, 1000)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_transaction_log(self):" >> testing_python/tests/test_bank_account.py
!echo " self.account.deposit(500)" >> testing_python/tests/test_bank_account.py
!echo " self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.account.get_balance()" >> testing_python/tests/test_bank_account.py
!echo " self.assertTrue(os.path.exists('test_log.txt'))" >> testing_python/tests/test_bank_account.py
!echo " with open('test_log.txt', 'r') as file:" >> testing_python/tests/test_bank_account.py
!echo " content = file.readlines()" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(content, [" >> testing_python/tests/test_bank_account.py
!echo " 'Account created\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Deposit 500, new balance 1500\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Withdraw 200, new balance 1300\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Balance check, balance 1300\\n'" >> testing_python/tests/test_bank_account.py
!echo " ])" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " @unittest.skip('Not implemented yet')" >> testing_python/tests/test_bank_account.py
!echo " def test_has_loan(self):" >> testing_python/tests/test_bank_account.py
!echo " self.assertFalse(self.account.has_loan())" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " @unittest.skipIf(SERVER, 'Only for local testing')" >> testing_python/tests/test_bank_account.py
!echo " def test_server(self):" >> testing_python/tests/test_bank_account.py
!echo " self.assertTrue(SERVER)" >> testing_python/tests/test_bank_account.py
Copy

Si pasamos los tests

	
!cd testing_python && python -m unittest discover -s tests -v
Copy
	
test_deposit (test_bank_account.TestBankAccount) ... ok
test_get_balance (test_bank_account.TestBankAccount) ... ok
test_has_loan (test_bank_account.TestBankAccount) ... skipped 'Not implemented yet'
test_server (test_bank_account.TestBankAccount) ... skipped 'Only for local testing'
test_transaction_log (test_bank_account.TestBankAccount) ... ok
test_withdraw (test_bank_account.TestBankAccount) ... ok
test_divide (test_calculator.TestCalculator) ... ok
test_multiply (test_calculator.TestCalculator) ... ok
test_substract (test_calculator.TestCalculator) ... ok
test_sum (test_calculator.TestCalculator) ... ok
----------------------------------------------------------------------
Ran 10 tests in 0.001s
OK (skipped=2)

Vemos test_server (test_bank_account.TestBankAccount) ... skipped 'Only for local testing' ya que, como SERVER = True, se ha saltado el test

expectedFailurelink image 10

Se tiene que producir un error cuando un usuario quiere sacar más dinero del que tiene, de modo que con el método expectedFailure podemos decir que esperamos que falle el test

	
!echo "import unittest" > testing_python/tests/test_bank_account.py
!echo "import os" >> testing_python/tests/test_bank_account.py
!echo "from src.bank_account import BankAccount" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo "SERVER = True" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo "class TestBankAccount(unittest.TestCase):" >> testing_python/tests/test_bank_account.py
!echo " def setUp(self):" >> testing_python/tests/test_bank_account.py
!echo " self.account = BankAccount(balance=1000, log_file='test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def tearDown(self):" >> testing_python/tests/test_bank_account.py
!echo " if os.path.exists('test_log.txt'):" >> testing_python/tests/test_bank_account.py
!echo " os.remove('test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_deposit(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.deposit(500)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 1500)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_withdraw(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 800, 'Balance is not correct')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_get_balance(self):" >> testing_python/tests/test_bank_account.py
!echo " balance = self.account.get_balance()" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(balance, 1000)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_transaction_log(self):" >> testing_python/tests/test_bank_account.py
!echo " self.account.deposit(500)" >> testing_python/tests/test_bank_account.py
!echo " self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.account.get_balance()" >> testing_python/tests/test_bank_account.py
!echo " self.assertTrue(os.path.exists('test_log.txt'))" >> testing_python/tests/test_bank_account.py
!echo " with open('test_log.txt', 'r') as file:" >> testing_python/tests/test_bank_account.py
!echo " content = file.readlines()" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(content, [" >> testing_python/tests/test_bank_account.py
!echo " 'Account created\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Deposit 500, new balance 1500\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Withdraw 200, new balance 1300\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Balance check, balance 1300\\n'" >> testing_python/tests/test_bank_account.py
!echo " ])" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " @unittest.skip('Not implemented yet')" >> testing_python/tests/test_bank_account.py
!echo " def test_has_loan(self):" >> testing_python/tests/test_bank_account.py
!echo " self.assertFalse(self.account.has_loan())" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " @unittest.skipIf(SERVER, 'Only for local testing')" >> testing_python/tests/test_bank_account.py
!echo " def test_server(self):" >> testing_python/tests/test_bank_account.py
!echo " self.assertTrue(SERVER)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " @unittest.expectedFailure" >> testing_python/tests/test_bank_account.py
!echo " def test_fail(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.withdraw(1200)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 800, 'Not enough money')" >> testing_python/tests/test_bank_account.py
Copy

Pasamos los tests

	
!cd testing_python && python -m unittest discover -s tests -v
Copy
	
test_deposit (test_bank_account.TestBankAccount) ... ok
test_fail (test_bank_account.TestBankAccount) ... expected failure
test_get_balance (test_bank_account.TestBankAccount) ... ok
test_has_loan (test_bank_account.TestBankAccount) ... skipped 'Not implemented yet'
test_server (test_bank_account.TestBankAccount) ... skipped 'Only for local testing'
test_transaction_log (test_bank_account.TestBankAccount) ... ok
test_withdraw (test_bank_account.TestBankAccount) ... ok
test_divide (test_calculator.TestCalculator) ... ok
test_multiply (test_calculator.TestCalculator) ... ok
test_substract (test_calculator.TestCalculator) ... ok
test_sum (test_calculator.TestCalculator) ... ok
----------------------------------------------------------------------
Ran 11 tests in 0.001s
OK (skipped=2, expected failures=1)

Como vemos, obtenemos test_fail (test_bank_account.TestBankAccount) ... expected failure porque es un error que esperábamos

skipUnlesslink image 11

Al igual que antes, puede que haya pruebas que solo queramos hacer en el entorno de desarrollo, pero nunca en el servidor, o en staging, o en producción. Para eso podemos usar skipUnless

	
!echo "import unittest" > testing_python/tests/test_bank_account.py
!echo "import os" >> testing_python/tests/test_bank_account.py
!echo "from src.bank_account import BankAccount" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo "SERVER = True" >> testing_python/tests/test_bank_account.py
!echo "ENVIRONMENT = 'server'" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo "class TestBankAccount(unittest.TestCase):" >> testing_python/tests/test_bank_account.py
!echo " def setUp(self):" >> testing_python/tests/test_bank_account.py
!echo " self.account = BankAccount(balance=1000, log_file='test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def tearDown(self):" >> testing_python/tests/test_bank_account.py
!echo " if os.path.exists('test_log.txt'):" >> testing_python/tests/test_bank_account.py
!echo " os.remove('test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_deposit(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.deposit(500)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 1500)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_withdraw(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 800, 'Balance is not correct')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_get_balance(self):" >> testing_python/tests/test_bank_account.py
!echo " balance = self.account.get_balance()" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(balance, 1000)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_transaction_log(self):" >> testing_python/tests/test_bank_account.py
!echo " self.account.deposit(500)" >> testing_python/tests/test_bank_account.py
!echo " self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.account.get_balance()" >> testing_python/tests/test_bank_account.py
!echo " self.assertTrue(os.path.exists('test_log.txt'))" >> testing_python/tests/test_bank_account.py
!echo " with open('test_log.txt', 'r') as file:" >> testing_python/tests/test_bank_account.py
!echo " content = file.readlines()" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(content, [" >> testing_python/tests/test_bank_account.py
!echo " 'Account created\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Deposit 500, new balance 1500\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Withdraw 200, new balance 1300\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Balance check, balance 1300\\n'" >> testing_python/tests/test_bank_account.py
!echo " ])" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " @unittest.skip('Not implemented yet')" >> testing_python/tests/test_bank_account.py
!echo " def test_has_loan(self):" >> testing_python/tests/test_bank_account.py
!echo " self.assertFalse(self.account.has_loan())" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " @unittest.skipIf(SERVER, 'Only for local testing')" >> testing_python/tests/test_bank_account.py
!echo " def test_server(self):" >> testing_python/tests/test_bank_account.py
!echo " self.assertTrue(SERVER)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " @unittest.expectedFailure" >> testing_python/tests/test_bank_account.py
!echo " def test_fail(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.withdraw(1200)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 800, 'Not enough money')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " @unittest.skipUnless(ENVIRONMENT == 'dev', 'Only for dev environment')" >> testing_python/tests/test_bank_account.py
!echo " def test_environment(self):" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(ENVIRONMENT, 'dev')" >> testing_python/tests/test_bank_account.py
Copy

Pasamos los tests

	
!cd testing_python && python -m unittest discover -s tests -v
Copy
	
test_deposit (test_bank_account.TestBankAccount) ... ok
test_environment (test_bank_account.TestBankAccount) ... skipped 'Only for dev environment'
test_fail (test_bank_account.TestBankAccount) ... expected failure
test_get_balance (test_bank_account.TestBankAccount) ... ok
test_has_loan (test_bank_account.TestBankAccount) ... skipped 'Not implemented yet'
test_server (test_bank_account.TestBankAccount) ... skipped 'Only for local testing'
test_transaction_log (test_bank_account.TestBankAccount) ... ok
test_withdraw (test_bank_account.TestBankAccount) ... ok
test_divide (test_calculator.TestCalculator) ... ok
test_multiply (test_calculator.TestCalculator) ... ok
test_substract (test_calculator.TestCalculator) ... ok
test_sum (test_calculator.TestCalculator) ... ok
----------------------------------------------------------------------
Ran 12 tests in 0.001s
OK (skipped=3, expected failures=1)

Obtenemos test_environment (test_bank_account.TestBankAccount) ... skipped 'Only for dev environment' porque ese test solo se va a pasar en el entorno de desarrollo y se supone que estamos en el servidor

Organizar los testslink image 12

Podemos organizar los test organizando lo que se llaman test suites. Para ello vamos a crear un archivo llamado test_suites.py en la carpeta tests

	
!cd testing_python && cd tests && touch test_suites.py
Copy

Y ahora generamos dos test suite con los tests de test_calculator y test_bank_account

	
!echo "import unittest" > testing_python/tests/test_suite_calculator.py
!echo "" >> testing_python/tests/test_suite_calculator.py
!echo "from test_calculator import TestCalculator" >> testing_python/tests/test_suite_calculator.py
!echo "" >> testing_python/tests/test_suite_calculator.py
!echo "def calculator_suite():" >> testing_python/tests/test_suite_calculator.py
!echo " suite = unittest.TestSuite()" >> testing_python/tests/test_suite_calculator.py
!echo " suite.addTest(TestCalculator('test_sum'))" >> testing_python/tests/test_suite_calculator.py
!echo " suite.addTest(TestCalculator('test_substract'))" >> testing_python/tests/test_suite_calculator.py
!echo " suite.addTest(TestCalculator('test_multiply'))" >> testing_python/tests/test_suite_calculator.py
!echo " suite.addTest(TestCalculator('test_divide'))" >> testing_python/tests/test_suite_calculator.py
!echo " return suite" >> testing_python/tests/test_suite_calculator.py
!echo "" >> testing_python/tests/test_suite_calculator.py
!echo "if __name__ == '__main__':" >> testing_python/tests/test_suite_calculator.py
!echo " runner = unittest.TextTestRunner()" >> testing_python/tests/test_suite_calculator.py
!echo " runner.run(calculator_suite())" >> testing_python/tests/test_suite_calculator.py
Copy

Ahora el de test_bank_account

	
!echo "import unittest" > testing_python/tests/test_suite_bank_account.py
!echo "" >> testing_python/tests/test_suite_bank_account.py
!echo "from test_bank_account import TestBankAccount" >> testing_python/tests/test_suite_bank_account.py
!echo "" >> testing_python/tests/test_suite_bank_account.py
!echo "def bank_account_suite():" >> testing_python/tests/test_suite_bank_account.py
!echo " suite = unittest.TestSuite()" >> testing_python/tests/test_suite_bank_account.py
!echo " suite.addTest(TestBankAccount('test_deposit'))" >> testing_python/tests/test_suite_bank_account.py
!echo " suite.addTest(TestBankAccount('test_withdraw'))" >> testing_python/tests/test_suite_bank_account.py
!echo " suite.addTest(TestBankAccount('test_get_balance'))" >> testing_python/tests/test_suite_bank_account.py
!echo " suite.addTest(TestBankAccount('test_transaction_log'))" >> testing_python/tests/test_suite_bank_account.py
!echo " suite.addTest(TestBankAccount('test_has_loan'))" >> testing_python/tests/test_suite_bank_account.py
!echo " suite.addTest(TestBankAccount('test_server'))" >> testing_python/tests/test_suite_bank_account.py
!echo " suite.addTest(TestBankAccount('test_fail'))" >> testing_python/tests/test_suite_bank_account.py
!echo " suite.addTest(TestBankAccount('test_environment'))" >> testing_python/tests/test_suite_bank_account.py
!echo " return suite" >> testing_python/tests/test_suite_bank_account.py
!echo "" >> testing_python/tests/test_suite_bank_account.py
!echo "if __name__ == '__main__':" >> testing_python/tests/test_suite_bank_account.py
!echo " runner = unittest.TextTestRunner()" >> testing_python/tests/test_suite_bank_account.py
!echo " runner.run(bank_account_suite())" >> testing_python/tests/test_suite_bank_account.py
Copy

Podemos ejecutar solo los tests de test_calculator con el comando python tests/test_suite_calculator.py

	
!cd testing_python && python tests/test_suite_calculator.py
Copy
	
Traceback (most recent call last):
File "/home/wallabot/Documentos/web/portafolio/posts/testing_python/tests/test_suite_calculator.py", line 3, in <module>
from test_calculator import TestCalculator
File "/home/wallabot/Documentos/web/portafolio/posts/testing_python/tests/test_calculator.py", line 2, in <module>
from src.calculator import sum, substract, multiply, divide
ModuleNotFoundError: No module named 'src'

Vemos que no encuentra el módulo src de test_calculator.py, eso es porque no está en la ruta, así que vamos a añadirlo

	
!cd testing_python && PYTHONPATH=. python tests/test_suite_calculator.py
Copy
	
....
----------------------------------------------------------------------
Ran 4 tests in 0.000s
OK

Vemos que solo ha pasado los test de test_calculator

Vamos a pasar ahora los de test_bank_account.py

	
!cd testing_python && PYTHONPATH=. python tests/test_suite_bank_account.py
Copy
	
....ssxs
----------------------------------------------------------------------
Ran 8 tests in 0.001s
OK (skipped=3, expected failures=1)

Y aquí vemos que pasa los tests de test_bank_account

Hay que diferenciar con lo que hacíamos al principio, antes de usar discover, cuando hacíamos !cd testing_python && python -m unittest tests/test_calculator.py. Porque en test_calculator.py podemos escribir todos los posibles test para calculator.py, pero con las suites ejecutamos los test que queramos. Podríamos tener varias suites para ejecutar los test que queramos de test_calculator.py y test_bank_account.py

Mejores prácticas a la hora de nombrar los testlink image 13

A la hora de nombrar los test viene bien seguir las siguientes pautas:

  • Una clase de test por cada clase de código
  • Todos los test deben empezar por test_ para saber que es un código
  • A continuación debe ir el nombre de la función o método que se está probando
  • A continuación debe ir el escenario de la prueba, ya que un método o función puede tener varios escenarios de prueba. Por ejemplo con todos los posibles valores de entrada, con valores límite, con valores incorrectos, etc.
  • Por último, se debe añadir el resultado esperado

Por lo que un test debería tener el siguiente formato test_<nombre_funcion>_<escenario>_<resultado_esperado>

Mocking de APIslink image 14

Supongamos que nuestro código llama a una API externa y queremos hacer tests de nuestro código sin depender de la API externa. Para ello podemos usar unittest.mock que viene por defecto en Python

Primero vamos a crear un archivo llamado api.py en la carpeta src

	
!echo "import requests" > testing_python/src/api.py
!echo "" >> testing_python/src/api.py
!echo "def get_api():" >> testing_python/src/api.py
!echo " url = 'https://jsonplaceholder.typicode.com/posts/1'" >> testing_python/src/api.py
!echo " try:" >> testing_python/src/api.py
!echo " response = requests.get(url)" >> testing_python/src/api.py
!echo " response.raise_for_status()" >> testing_python/src/api.py
!echo " data = response.json()" >> testing_python/src/api.py
!echo " print(data)" >> testing_python/src/api.py
!echo " return data" >> testing_python/src/api.py
!echo " except requests.exceptions.RequestException as e:" >> testing_python/src/api.py
!echo " print(f'error: {e}')" >> testing_python/src/api.py
!echo " return None" >> testing_python/src/api.py
!echo "" >> testing_python/src/api.py
!echo "if __name__ == '__main__':" >> testing_python/src/api.py
!echo " get_api()" >> testing_python/src/api.py
Copy

Vamos a ejecutar el archivo para ver qué devuelve

	
!cd testing_python/src && python api.py
Copy
	
{'userId': 1, 'id': 1, 'title': 'sunt aut facere repellat provident occaecati excepturi optio reprehenderit', 'body': 'quia et suscipit suscipit recusandae consequuntur expedita et cum reprehenderit molestiae ut ut quas totam nostrum rerum est autem sunt rem eveniet architecto'}

Ahora creamos el test

	
!echo "import unittest" > testing_python/tests/test_api.py
!echo "from src.api import get_api" >> testing_python/tests/test_api.py
!echo "" >> testing_python/tests/test_api.py
!echo "class TestApi(unittest.TestCase):" >> testing_python/tests/test_api.py
!echo " def test_get_api(self):" >> testing_python/tests/test_api.py
!echo " data = get_api()" >> testing_python/tests/test_api.py
!echo " self.assertIsNotNone(data)" >> testing_python/tests/test_api.py
!echo " self.assertIsInstance(data, dict)" >> testing_python/tests/test_api.py
!echo " self.assertIn('userId', data)" >> testing_python/tests/test_api.py
!echo " self.assertIn('id', data)" >> testing_python/tests/test_api.py
!echo " self.assertIn('title', data)" >> testing_python/tests/test_api.py
!echo " self.assertIn('body', data)" >> testing_python/tests/test_api.py
!echo " self.assertEqual(data['userId'], 1)" >> testing_python/tests/test_api.py
!echo " self.assertEqual(data['id'], 1)" >> testing_python/tests/test_api.py
Copy

Pasamos los tests

	
!cd testing_python && python -m unittest tests/test_api.py
Copy
	
{'userId': 1, 'id': 1, 'title': 'sunt aut facere repellat provident occaecati excepturi optio reprehenderit', 'body': 'quia et suscipit suscipit recusandae consequuntur expedita et cum reprehenderit molestiae ut ut quas totam nostrum rerum est autem sunt rem eveniet architecto'}
.
----------------------------------------------------------------------
Ran 1 test in 0.074s
OK

Vamos a pasar los test de bank_account para ver cuánto tardaba

	
!cd testing_python && PYTHONPATH=. python tests/test_suite_bank_account.py
Copy
	
....ssxs
----------------------------------------------------------------------
Ran 8 tests in 0.001s
OK (skipped=3, expected failures=1)

Como vemos 8 tests han tardado 0.001 segundos, mientras que 1 solo test de la API ha tardado 0.074 segundos. Esto puede hacer que un código con muchas llamadas a una API tarde mucho en ejecutar los tests. Además, corremos el riesgo de que si cambia la API y no nos devuelve lo que esperamos, los tests fallarán, aunque nuestro código esté bien. Así que para eso se mockean las APIs

Vamos a ver cómo hacerlo

	
!echo "import unittest" > testing_python/tests/test_api.py
!echo "from src.api import get_api" >> testing_python/tests/test_api.py
!echo "from unittest.mock import patch" >> testing_python/tests/test_api.py
!echo "" >> testing_python/tests/test_api.py
!echo "class TestApi(unittest.TestCase):" >> testing_python/tests/test_api.py
!echo " @patch('src.api.requests.get')" >> testing_python/tests/test_api.py
!echo " def test_get_api(self, mock_get):" >> testing_python/tests/test_api.py
!echo " mock_get.return_value.status_code = 200" >> testing_python/tests/test_api.py
!echo " mock_get.return_value.json.return_value = {" >> testing_python/tests/test_api.py
!echo " 'userId': 1," >> testing_python/tests/test_api.py
!echo " 'id': 1," >> testing_python/tests/test_api.py
!echo " 'title': 'title'," >> testing_python/tests/test_api.py
!echo " 'body': 'body'" >> testing_python/tests/test_api.py
!echo " }" >> testing_python/tests/test_api.py
!echo " data = get_api()" >> testing_python/tests/test_api.py
!echo " self.assertIsNotNone(data)" >> testing_python/tests/test_api.py
!echo " self.assertIsInstance(data, dict)" >> testing_python/tests/test_api.py
!echo " self.assertIn('userId', data)" >> testing_python/tests/test_api.py
!echo " self.assertIn('id', data)" >> testing_python/tests/test_api.py
!echo " self.assertIn('title', data)" >> testing_python/tests/test_api.py
!echo " self.assertIn('body', data)" >> testing_python/tests/test_api.py
!echo " self.assertEqual(data['userId'], 1)" >> testing_python/tests/test_api.py
!echo " self.assertEqual(data['id'], 1)" >> testing_python/tests/test_api.py
!echo " " >> testing_python/tests/test_api.py
!echo " mock_get.assert_called_once_with('https://jsonplaceholder.typicode.com/posts/1')" >> testing_python/tests/test_api.py
Copy

Lo que hemos hecho ha sido

  • Importar patch de unittest.mock.
  • Hemos puesto un decorador a la función test_get_data y hemos pasado como parámetro al decorador la función que queremos mockear.
  • Hemos creado un objeto mock_get que es el que va a sustituir a la función original con el método return_value que es el valor que va a devolver la función mockeada.
  • Cuando se llame a get_api() en vez de ejecutarse la función original, se obtendrá en data el valor que hemos mockeado en return_value
  • Por último hemos añadido la comprobación de que se puede llamar a la URL de la API
	
!cd testing_python && python -m unittest tests/test_api.py
Copy
	
{'userId': 1, 'id': 1, 'title': 'title', 'body': 'body'}
.
----------------------------------------------------------------------
Ran 1 test in 0.001s
OK

Como vemos, ahora solo tarda 0.002 segundos.

Modificar el resultado de objetos mediante patchlink image 15

Supongamos que queremos modificar el método de sacar dinero para que solo se pueda hacer en un rango de horas

Primero modificamos la función de retirar dinero

def withdraw(self, amount):
now = datetime.now()
if now.hour < 7 or now.hour > 18:
    print('Out of hours')
    return None
if amount > 0:
    self.balance -= amount
    self._log_transaction(f'Withdraw {amount}, new balance {self.balance}')
return self.balance
      
	
!echo "from datetime import datetime" > testing_python/src/bank_account.py
!echo "" >> testing_python/src/bank_account.py
!echo "class BankAccount:" >> testing_python/src/bank_account.py
!echo " def __init__(self, balance=0, log_file=None):" >> testing_python/src/bank_account.py
!echo " self.balance = balance" >> testing_python/src/bank_account.py
!echo " self.log_file = log_file" >> testing_python/src/bank_account.py
!echo " self._log_transaction('Account created')" >> testing_python/src/bank_account.py
!echo "" >> testing_python/src/bank_account.py
!echo " def _log_transaction(self, message):" >> testing_python/src/bank_account.py
!echo " if self.log_file:" >> testing_python/src/bank_account.py
!echo " with open(self.log_file, 'a') as file:" >> testing_python/src/bank_account.py
!echo " file.write(f'{message}\\ ')" >> testing_python/src/bank_account.py
!echo "" >> testing_python/src/bank_account.py
!echo " def deposit(self, amount):" >> testing_python/src/bank_account.py
!echo " if amount > 0:" >> testing_python/src/bank_account.py
!echo " self.balance += amount" >> testing_python/src/bank_account.py
!echo " self._log_transaction(f'Deposit {amount}, new balance {self.balance}')" >> testing_python/src/bank_account.py
!echo " return self.balance" >> testing_python/src/bank_account.py
!echo "" >> testing_python/src/bank_account.py
!echo " def withdraw(self, amount):" >> testing_python/src/bank_account.py
!echo " now = datetime.now()" >> testing_python/src/bank_account.py
!echo " if now.hour < 7 or now.hour > 18:" >> testing_python/src/bank_account.py
!echo " print('Out of hours')" >> testing_python/src/bank_account.py
!echo " return None" >> testing_python/src/bank_account.py
!echo " if amount > 0:" >> testing_python/src/bank_account.py
!echo " self.balance -= amount" >> testing_python/src/bank_account.py
!echo " self._log_transaction(f'Withdraw {amount}, new balance {self.balance}')" >> testing_python/src/bank_account.py
!echo " return self.balance" >> testing_python/src/bank_account.py
!echo "" >> testing_python/src/bank_account.py
!echo " def get_balance(self):" >> testing_python/src/bank_account.py
!echo " self._log_transaction(f'Balance check, balance {self.balance}')" >> testing_python/src/bank_account.py
!echo " return self.balance" >> testing_python/src/bank_account.py
Copy

Ahora tenemos que poder probar la retirada de dinero a distintas horas, pero no podemos estar cambiando la hora del sistema, ni podemos esperar a que sea una hora determinada para hacer la prueba. Para eso podemos usar patch para modificar el resultado de datetime.now()

@patch('src.bank_account.datetime.now')
    def test_withdraw_during_working_hours(self, mock_now):
        mock_now.return_value.hour = 10
new_balance = self.account.withdraw(200)
self.assertEqual(new_balance, 800, 'Balance is not correct')

    @patch('src.bank_account.datetime.now')
    def test_withdraw_during_non_working_hours(self, mock_now):
mock_now.return_value.hour = 20
new_balance = self.account.withdraw(200)
self.assertIsNone(new_balance, 'Balance is not correct')
      
	
!echo "import unittest" > testing_python/tests/test_bank_account.py
!echo "from unittest.mock import patch" >> testing_python/tests/test_bank_account.py
!echo "import os" >> testing_python/tests/test_bank_account.py
!echo "from src.bank_account import BankAccount" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo "SERVER = True" >> testing_python/tests/test_bank_account.py
!echo "ENVIRONMENT = 'server'" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo "class TestBankAccount(unittest.TestCase):" >> testing_python/tests/test_bank_account.py
!echo " def setUp(self):" >> testing_python/tests/test_bank_account.py
!echo " self.account = BankAccount(balance=1000, log_file='test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def tearDown(self):" >> testing_python/tests/test_bank_account.py
!echo " if os.path.exists('test_log.txt'):" >> testing_python/tests/test_bank_account.py
!echo " os.remove('test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_deposit(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.deposit(500)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 1500)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_withdraw(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 800, 'Balance is not correct')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " @patch('src.bank_account.datetime.now')" >> testing_python/tests/test_bank_account.py
!echo " def test_withdraw_during_working_hours(self, mock_now):" >> testing_python/tests/test_bank_account.py
!echo " mock_now.return_value.hour = 10" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 800, 'Balance is not correct')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " @patch('src.bank_account.datetime.now')" >> testing_python/tests/test_bank_account.py
!echo " def test_withdraw_during_non_working_hours(self, mock_now):" >> testing_python/tests/test_bank_account.py
!echo " mock_now.return_value.hour = 20" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.assertIsNone(new_balace, 'Balance is not correct')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_get_balance(self):" >> testing_python/tests/test_bank_account.py
!echo " balance = self.account.get_balance()" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(balance, 1000)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_transaction_log(self):" >> testing_python/tests/test_bank_account.py
!echo " self.account.deposit(500)" >> testing_python/tests/test_bank_account.py
!echo " self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.account.get_balance()" >> testing_python/tests/test_bank_account.py
!echo " self.assertTrue(os.path.exists('test_log.txt'))" >> testing_python/tests/test_bank_account.py
!echo " with open('test_log.txt', 'r') as file:" >> testing_python/tests/test_bank_account.py
!echo " content = file.readlines()" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(content, [" >> testing_python/tests/test_bank_account.py
!echo " 'Account created\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Deposit 500, new balance 1500\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Withdraw 200, new balance 1300\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Balance check, balance 1300\\n'" >> testing_python/tests/test_bank_account.py
!echo " ])" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " @unittest.skip('Not implemented yet')" >> testing_python/tests/test_bank_account.py
!echo " def test_has_loan(self):" >> testing_python/tests/test_bank_account.py
!echo " self.assertFalse(self.account.has_loan())" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " @unittest.skipIf(SERVER, 'Only for local testing')" >> testing_python/tests/test_bank_account.py
!echo " def test_server(self):" >> testing_python/tests/test_bank_account.py
!echo " self.assertTrue(SERVER)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " @unittest.expectedFailure" >> testing_python/tests/test_bank_account.py
!echo " def test_fail(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.withdraw(1200)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 800, 'Not enough money')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " @unittest.skipUnless(ENVIRONMENT == 'dev', 'Only for dev environment')" >> testing_python/tests/test_bank_account.py
!echo " def test_environment(self):" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(ENVIRONMENT, 'dev')" >> testing_python/tests/test_bank_account.py
Copy

Pasamos los tests

	
!cd testing_python && PYTHONPATH=. python tests/test_suite_bank_account.py
Copy
	
....ssxs
----------------------------------------------------------------------
Ran 8 tests in 0.001s
OK (skipped=3, expected failures=1)

Parametrizar pruebas con subTestlink image 16

Supongamos que queremos hacer varias pruebas de sacar dinero para diferentes valores, podríamos escribir una prueba para cada valor de dinero que queremos probar, pero sería repetir código. Para eso podemos usar subTest que nos permite hacer varias pruebas con un solo test

Lo que hacemos es crear un diccionario con los diferentes valores que queremos probar y el resultado esperado, y luego con un bucle for y subTest hacemos las pruebas. Así quedaría el test del método withdraw

def test_withdraw(self):
  test_cases = {
      test_200: {
          'amount': 200,
          'expected': 800
      },
      test_400: {
          'amount': 400,
          'expected': 600
      },
      test_600: {
          'amount': 600,
          'expected': 400
      },
      test_800: {
          'amount': 800,
          'expected': 200
      },
      test_1000: {
          'amount': 1000,
          'expected': 0
      }
  }

  for test_name, test_case in test_cases.items():
      with self.subTest(test_name):
          self.account = BankAccount(balance=1000, log_file='test_log.txt')
          new_balance = self.account.withdraw(test_case['amount'])
      self.assertEqual(new_balance, test_case['expected'], 'Balance is not correct')
      
	
!echo "import unittest" > testing_python/tests/test_bank_account.py
!echo "from unittest.mock import patch" >> testing_python/tests/test_bank_account.py
!echo "import os" >> testing_python/tests/test_bank_account.py
!echo "from src.bank_account import BankAccount" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo "SERVER = True" >> testing_python/tests/test_bank_account.py
!echo "ENVIRONMENT = 'server'" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo "class TestBankAccount(unittest.TestCase):" >> testing_python/tests/test_bank_account.py
!echo " def setUp(self):" >> testing_python/tests/test_bank_account.py
!echo " self.account = BankAccount(balance=1000, log_file='test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def tearDown(self):" >> testing_python/tests/test_bank_account.py
!echo " if os.path.exists('test_log.txt'):" >> testing_python/tests/test_bank_account.py
!echo " os.remove('test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_deposit(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.deposit(500)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 1500)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_withdraw(self):" >> testing_python/tests/test_bank_account.py
!echo " test_cases = {" >> testing_python/tests/test_bank_account.py
!echo " 'test_200': {" >> testing_python/tests/test_bank_account.py
!echo " 'amount': 200," >> testing_python/tests/test_bank_account.py
!echo " 'expected': 800" >> testing_python/tests/test_bank_account.py
!echo " }," >> testing_python/tests/test_bank_account.py
!echo " 'test_400': {" >> testing_python/tests/test_bank_account.py
!echo " 'amount': 400," >> testing_python/tests/test_bank_account.py
!echo " 'expected': 600" >> testing_python/tests/test_bank_account.py
!echo " }," >> testing_python/tests/test_bank_account.py
!echo " 'test_600': {" >> testing_python/tests/test_bank_account.py
!echo " 'amount': 600," >> testing_python/tests/test_bank_account.py
!echo " 'expected': 400" >> testing_python/tests/test_bank_account.py
!echo " }," >> testing_python/tests/test_bank_account.py
!echo " 'test_800': {" >> testing_python/tests/test_bank_account.py
!echo " 'amount': 800," >> testing_python/tests/test_bank_account.py
!echo " 'expected': 200" >> testing_python/tests/test_bank_account.py
!echo " }," >> testing_python/tests/test_bank_account.py
!echo " 'test_1000': {" >> testing_python/tests/test_bank_account.py
!echo " 'amount': 1000," >> testing_python/tests/test_bank_account.py
!echo " 'expected': 0" >> testing_python/tests/test_bank_account.py
!echo " }" >> testing_python/tests/test_bank_account.py
!echo " }" >> testing_python/tests/test_bank_account.py
!echo " for test_case, values in test_cases.items():" >> testing_python/tests/test_bank_account.py
!echo " with self.subTest(test_case=test_case):" >> testing_python/tests/test_bank_account.py
!echo " self.account = BankAccount(balance=1000, log_file='test_log.txt')" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.withdraw(values['amount'])" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, values['expected'], 'Balance is not correct')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " @patch('src.bank_account.datetime.now')" >> testing_python/tests/test_bank_account.py
!echo " def test_withdraw_during_working_hours(self, mock_now):" >> testing_python/tests/test_bank_account.py
!echo " mock_now.return_value.hour = 10" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 800, 'Balance is not correct')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " @patch('src.bank_account.datetime.now')" >> testing_python/tests/test_bank_account.py
!echo " def test_withdraw_during_non_working_hours(self, mock_now):" >> testing_python/tests/test_bank_account.py
!echo " mock_now.return_value.hour = 20" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.assertIsNone(new_balace, 'Balance is not correct')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_get_balance(self):" >> testing_python/tests/test_bank_account.py
!echo " balance = self.account.get_balance()" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(balance, 1000)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " def test_transaction_log(self):" >> testing_python/tests/test_bank_account.py
!echo " self.account.deposit(500)" >> testing_python/tests/test_bank_account.py
!echo " self.account.withdraw(200)" >> testing_python/tests/test_bank_account.py
!echo " self.account.get_balance()" >> testing_python/tests/test_bank_account.py
!echo " self.assertTrue(os.path.exists('test_log.txt'))" >> testing_python/tests/test_bank_account.py
!echo " with open('test_log.txt', 'r') as file:" >> testing_python/tests/test_bank_account.py
!echo " content = file.readlines()" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(content, [" >> testing_python/tests/test_bank_account.py
!echo " 'Account created\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Deposit 500, new balance 1500\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Withdraw 200, new balance 1300\\n', " >> testing_python/tests/test_bank_account.py
!echo " 'Balance check, balance 1300\\n'" >> testing_python/tests/test_bank_account.py
!echo " ])" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " @unittest.skip('Not implemented yet')" >> testing_python/tests/test_bank_account.py
!echo " def test_has_loan(self):" >> testing_python/tests/test_bank_account.py
!echo " self.assertFalse(self.account.has_loan())" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " @unittest.skipIf(SERVER, 'Only for local testing')" >> testing_python/tests/test_bank_account.py
!echo " def test_server(self):" >> testing_python/tests/test_bank_account.py
!echo " self.assertTrue(SERVER)" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " @unittest.expectedFailure" >> testing_python/tests/test_bank_account.py
!echo " def test_fail(self):" >> testing_python/tests/test_bank_account.py
!echo " new_balace = self.account.withdraw(1200)" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(new_balace, 800, 'Not enough money')" >> testing_python/tests/test_bank_account.py
!echo "" >> testing_python/tests/test_bank_account.py
!echo " @unittest.skipUnless(ENVIRONMENT == 'dev', 'Only for dev environment')" >> testing_python/tests/test_bank_account.py
!echo " def test_environment(self):" >> testing_python/tests/test_bank_account.py
!echo " self.assertEqual(ENVIRONMENT, 'dev')" >> testing_python/tests/test_bank_account.py
Copy

Pasamos los tests

	
!cd testing_python && PYTHONPATH=. python tests/test_suite_bank_account.py
Copy
	
....ssxs
----------------------------------------------------------------------
Ran 8 tests in 0.001s
OK (skipped=3, expected failures=1)

Cobertura de testlink image 17

Podemos ver la cobertura de tests que tenemos, ya que aunque pensemos que hemos probado todo, puede que haya partes del código que no hemos probado. Para ello vamos a usar la librería coverage

	
!cd testing_python && coverage run -m unittest tests/test_calculator.py
Copy
	
....
----------------------------------------------------------------------
Ran 4 tests in 0.000s
OK

Como vemos, solo hemos pasado los test de test_calculator, pero aún no sabemos la cobertura

Reporte de coberturalink image 18

Después de haber ejecutado coverage podemos pedirle un reporte de la cobertura de test con el comando coverage report

	
!cd testing_python && coverage report
Copy
	
Name Stmts Miss Cover
----------------------------------------------
src/calculator.py 8 0 100%
tests/test_calculator.py 11 0 100%
----------------------------------------------
TOTAL 19 0 100%

O pedírselo mediante un archivo HTML con el comando coverage html

	
!cd testing_python && coverage html
Copy
	
Wrote HTML report to ]8;;file:///home/wallabot/Documentos/web/portafolio/posts/testing_python/htmlcov/index.htmlhtmlcov/index.html]8;;

Se nos crea un archivo index.html en la carpeta htmlcov que podemos abrir en el navegador y ver la cobertura de los test

Seguir leyendo

Últimos posts -->

¿Has visto estos proyectos?

Horeca chatbot

Horeca chatbot Horeca chatbot
Python
LangChain
PostgreSQL
PGVector
React
Kubernetes
Docker
GitHub Actions

Chatbot conversacional para cocineros de hoteles y restaurantes. Un cocinero, jefe de cocina o camaeror de un hotel o restaurante puede hablar con el chatbot para obtener información de recetas y menús. Pero además implementa agentes, con los cuales puede editar o crear nuevas recetas o menús

Naviground

Naviground Naviground

Subtify

Subtify Subtify
Python
Whisper
Spaces

Generador de subtítulos para videos en el idioma que desees. Además a cada persona le pone su subtítulo de un color

Ver todos los proyectos -->

¿Quieres aplicar la IA en tu proyecto? Contactame!

¿Quieres mejorar con estos tips?

Últimos tips -->

Usa esto en local

Los espacios de Hugging Face nos permite ejecutar modelos con demos muy sencillas, pero ¿qué pasa si la demo se rompe? O si el usuario la elimina? Por ello he creado contenedores docker con algunos espacios interesantes, para poder usarlos de manera local, pase lo que pase. De hecho, es posible que si pinchas en alún botón de ver proyecto te lleve a un espacio que no funciona.

Flow edit

Flow edit Flow edit

Edita imágenes con este modelo de Flow. Basándose en SD3 o FLUX puedes editar cualquier imagen y generar nuevas

FLUX.1-RealismLora

FLUX.1-RealismLora FLUX.1-RealismLora
Ver todos los contenedores -->

¿Quieres aplicar la IA en tu proyecto? Contactame!

¿Quieres entrenar tu modelo con estos datasets?

short-jokes-dataset

Dataset de chistes en inglés

opus100

Dataset con traducciones de inglés a español

netflix_titles

Dataset con películas y series de Netflix

Ver más datasets -->