123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155 |
- import re
- import string
- from math import ceil
- from string import ascii_uppercase
- from typing import Dict, Optional
- from .. import BaseProvider
- localized = True
- default_locale = "en_GB"
- class Provider(BaseProvider):
- """Implement default bank provider for Faker.
- .. important::
- Bank codes, account numbers, and other ID's generated by this provider
- are only valid in form, i.e. they conform to some standard/format, are
- of the expected lengths, and have valid checksums (where applicable).
- Results generated that turn out to be valid in real life are purely
- coincidental.
- Sources:
- - https://en.wikipedia.org/wiki/International_Bank_Account_Number
- - https://www.theswiftcodes.com/swift-code-checker/
- """
- ALPHA: Dict[str, str] = {c: str(ord(c) % 55) for c in string.ascii_uppercase}
- bban_format: str = "????#############"
- country_code: str = "GB"
- def aba(self) -> str:
- """Generate an ABA routing transit number."""
- fed_num = self.random_int(min=1, max=12)
- rand = self.numerify("######")
- aba = f"{fed_num:02}{rand}"
- # calculate check digit
- d = [int(n) for n in aba]
- chk_digit = 3 * (d[0] + d[3] + d[6]) + 7 * (d[1] + d[4] + d[7]) + d[2] + d[5]
- chk_digit = ceil(chk_digit / 10) * 10 - chk_digit
- return f"{aba}{chk_digit}"
- def bank_country(self) -> str:
- """Generate the bank provider's ISO 3166-1 alpha-2 country code."""
- return self.country_code
- def bban(self) -> str:
- """Generate a Basic Bank Account Number (BBAN)."""
- temp = re.sub(r"\?", lambda x: self.random_element(ascii_uppercase), self.bban_format)
- return self.numerify(temp)
- def iban(self) -> str:
- """Generate an International Bank Account Number (IBAN)."""
- bban = self.bban()
- check = bban + self.country_code + "00"
- check_ = int("".join(self.ALPHA.get(c, c) for c in check))
- check_ = 98 - (check_ % 97)
- check = str(check_).zfill(2)
- return self.country_code + check + bban
- def swift8(self, use_dataset: bool = False) -> str:
- """Generate an 8-digit SWIFT code.
- This method uses |swift| under the hood with the ``length`` argument set
- to ``8`` and with the ``primary`` argument omitted. All 8-digit SWIFT
- codes already refer to the primary branch/office.
- :sample:
- :sample: use_dataset=True
- """
- return self.swift(length=8, use_dataset=use_dataset)
- def swift11(self, primary: bool = False, use_dataset: bool = False) -> str:
- """Generate an 11-digit SWIFT code.
- This method uses |swift| under the hood with the ``length`` argument set
- to ``11``. If ``primary`` is set to ``True``, the SWIFT code will always
- end with ``'XXX'``. All 11-digit SWIFT codes use this convention to
- refer to the primary branch/office.
- :sample:
- :sample: use_dataset=True
- """
- return self.swift(length=11, primary=primary, use_dataset=use_dataset)
- def swift(
- self,
- length: Optional[int] = None,
- primary: bool = False,
- use_dataset: bool = False,
- ) -> str:
- """Generate a SWIFT code.
- SWIFT codes, reading from left to right, are composed of a 4 alphabet
- character bank code, a 2 alphabet character country code, a 2
- alphanumeric location code, and an optional 3 alphanumeric branch code.
- This means SWIFT codes can only have 8 or 11 characters, so the value of
- ``length`` can only be ``None`` or the integers ``8`` or ``11``. If the
- value is ``None``, then a value of ``8`` or ``11`` will randomly be
- assigned.
- Because all 8-digit SWIFT codes already refer to the primary branch or
- office, the ``primary`` argument only has an effect if the value of
- ``length`` is ``11``. If ``primary`` is ``True`` and ``length`` is
- ``11``, the 11-digit SWIFT codes generated will always end in ``'XXX'``
- to denote that they belong to primary branches/offices.
- For extra authenticity, localized providers may opt to include SWIFT
- bank codes, location codes, and branch codes used in their respective
- locales. If ``use_dataset`` is ``True``, this method will generate SWIFT
- codes based on those locale-specific codes if included. If those codes
- were not included, then it will behave as if ``use_dataset`` were
- ``False``, and in that mode, all those codes will just be randomly
- generated as per the specification.
- :sample:
- :sample: length=8
- :sample: length=8, use_dataset=True
- :sample: length=11
- :sample: length=11, primary=True
- :sample: length=11, use_dataset=True
- :sample: length=11, primary=True, use_dataset=True
- """
- if length is None:
- length = self.random_element((8, 11))
- if length not in (8, 11):
- raise AssertionError("length can only be 8 or 11")
- if use_dataset and hasattr(self, "swift_bank_codes"):
- bank_code: str = self.random_element(self.swift_bank_codes) # type: ignore[attr-defined]
- else:
- bank_code = self.lexify("????", letters=string.ascii_uppercase)
- if use_dataset and hasattr(self, "swift_location_codes"):
- location_code: str = self.random_element(self.swift_location_codes) # type: ignore[attr-defined]
- else:
- location_code = self.lexify("??", letters=string.ascii_uppercase + string.digits)
- if length == 8:
- return bank_code + self.country_code + location_code
- if primary:
- branch_code = "XXX"
- elif use_dataset and hasattr(self, "swift_branch_codes"):
- branch_code = self.random_element(self.swift_branch_codes) # type: ignore[attr-defined]
- else:
- branch_code = self.lexify("???", letters=string.ascii_uppercase + string.digits)
- return bank_code + self.country_code + location_code + branch_code
|