Skip to content

Commit 889b515

Browse files
authored
Create modulo (%) operator.md
1 parent 9b141ef commit 889b515

File tree

1 file changed

+53
-0
lines changed

1 file changed

+53
-0
lines changed

Tips & Tricks/modulo (%) operator.md

+53
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,53 @@
1+
**Useful Tip: Working with `%` for Digit Operations**:
2+
3+
When working with digits, especially in competitive programming challenges involving numbers, the modulus operator `%` is incredibly handy for various tasks:
4+
5+
1. **Extracting Last Digit**: Use `n % 10` to extract the last digit of a number efficiently.
6+
```python
7+
n = 12345
8+
last_digit = n % 10 # This will give 5
9+
last_two_digits = n % 100 # This will give 45
10+
```
11+
12+
2. **Extracting Second Last Digit**: To extract the second last digit, use `(n // 10) % 10`.
13+
```python
14+
n = 12345
15+
second_last_digit = (n // 10) % 10 # This will give 4
16+
```
17+
18+
3. **Extracting Digits in Reverse Order**: Use `% 10` repeatedly in a loop to extract digits in reverse order.
19+
```python
20+
n = 12345
21+
while n > 0:
22+
digit = n % 10
23+
print(digit) # This will print digits from right to left: 5, 4, 3, 2, 1
24+
n //= 10
25+
```
26+
27+
4. **Checking Even or Odd**: Use `n % 2` to check if a number is even or odd.
28+
```python
29+
n = 10
30+
is_even = n % 2 == 0 # This will be True
31+
```
32+
33+
5. **Reversing a Number**: To reverse a number, use the modulus operator in combination with integer division.
34+
```python
35+
n = 12345
36+
reversed_number = 0
37+
while n > 0:
38+
digit = n % 10
39+
reversed_number = reversed_number * 10 + digit
40+
n //= 10
41+
```
42+
43+
6. **Extracting First Digit**: Use a loop with `// 10` until the number becomes less than 10 to get the first digit.
44+
```python
45+
n = 12345
46+
while n >= 10:
47+
n //= 10
48+
first_digit = n # This will give 1
49+
```
50+
51+
These `%` operations offer efficient solutions for various digit-related tasks in competitive programming challenges.
52+
53+
**Note:** In above examples use of `n // 10` is to remove last digit by using integer division.

0 commit comments

Comments
 (0)