mirror of
https://github.com/TheAlgorithms/Python.git
synced 2024-11-23 21:11:08 +00:00
40 lines
856 B
Python
40 lines
856 B
Python
"""
|
|
Author : Alexander Pantyukhin
|
|
Date : November 30, 2022
|
|
|
|
Task:
|
|
Given two int numbers. Return True these numbers have opposite signs
|
|
or False otherwise.
|
|
|
|
Implementation notes: Use bit manipulation.
|
|
Use XOR for two numbers.
|
|
"""
|
|
|
|
|
|
def different_signs(num1: int, num2: int) -> bool:
|
|
"""
|
|
Return True if numbers have opposite signs False otherwise.
|
|
|
|
>>> different_signs(1, -1)
|
|
True
|
|
>>> different_signs(1, 1)
|
|
False
|
|
>>> different_signs(1000000000000000000000000000, -1000000000000000000000000000)
|
|
True
|
|
>>> different_signs(-1000000000000000000000000000, 1000000000000000000000000000)
|
|
True
|
|
>>> different_signs(50, 278)
|
|
False
|
|
>>> different_signs(0, 2)
|
|
False
|
|
>>> different_signs(2, 0)
|
|
False
|
|
"""
|
|
return num1 ^ num2 < 0
|
|
|
|
|
|
if __name__ == "__main__":
|
|
import doctest
|
|
|
|
doctest.testmod()
|