mirror of
https://github.com/TheAlgorithms/Python.git
synced 2024-11-24 05:21:09 +00:00
2c65597093
* Addition_without_arithmetic * [pre-commit.ci] auto fixes from pre-commit.com hooks for more information, see https://pre-commit.ci * added_param * [pre-commit.ci] auto fixes from pre-commit.com hooks for more information, see https://pre-commit.ci * added_param_in_first_sec * [pre-commit.ci] auto fixes from pre-commit.com hooks for more information, see https://pre-commit.ci * change_align * [pre-commit.ci] auto fixes from pre-commit.com hooks for more information, see https://pre-commit.ci * Update Addition_without_arithmetic.py * [pre-commit.ci] auto fixes from pre-commit.com hooks for more information, see https://pre-commit.ci * Rename Addition_without_arithmetic.py to addition_without_arithmetic.py * Update addition_without_arithmetic.py * Update addition_without_arithmetic.py Co-authored-by: pre-commit-ci[bot] <66853113+pre-commit-ci[bot]@users.noreply.github.com> Co-authored-by: Christian Clauss <cclauss@me.com>
40 lines
751 B
Python
40 lines
751 B
Python
"""
|
|
Illustrate how to add the integer without arithmetic operation
|
|
Author: suraj Kumar
|
|
Time Complexity: 1
|
|
https://en.wikipedia.org/wiki/Bitwise_operation
|
|
"""
|
|
|
|
|
|
def add(first: int, second: int) -> int:
|
|
"""
|
|
Implementation of addition of integer
|
|
|
|
Examples:
|
|
>>> add(3, 5)
|
|
8
|
|
>>> add(13, 5)
|
|
18
|
|
>>> add(-7, 2)
|
|
-5
|
|
>>> add(0, -7)
|
|
-7
|
|
>>> add(-321, 0)
|
|
-321
|
|
"""
|
|
while second != 0:
|
|
c = first & second
|
|
first ^= second
|
|
second = c << 1
|
|
return first
|
|
|
|
|
|
if __name__ == "__main__":
|
|
import doctest
|
|
|
|
doctest.testmod()
|
|
|
|
first = int(input("Enter the first number: ").strip())
|
|
second = int(input("Enter the second number: ").strip())
|
|
print(f"{add(first, second) = }")
|