Learnory


Гео и язык канала: Эфиопия, Английский
Категория: Технологии


Helps you grow by sharing skill-building Resources and updates on scholarships, Internships, and Career Opportunities

Связанные каналы

Гео и язык канала
Эфиопия, Английский
Категория
Технологии
Статистика
Фильтр публикаций


Fax😂😂


---

݁˖ೃ ✿Day 19: Exploring Regular Expressions (Regex) in Python** ✿ ݁˖ೃ

Welcome to Day 19! 🎉 Today, we’re diving into regular expressions (regex), a powerful tool for text manipulation and pattern matching. With regex, you can search, match, and manipulate text using patterns. Let’s explore the basics and unlock its potential! 🚀

---

݁˖ೃ ✿ 1. What is Regex? ✿ ݁˖ೃ
Regular expressions are sequences of characters that define search patterns. Python provides the re module to work with regex efficiently.

Example:
import re

# Check if "apple" exists in the string
text = "I love apples"
result = re.search("apple", text)
print(result) # Output:


---

݁˖ೃ ✿ 2. Common Regex Functions ✿ ݁˖ೃ

Here are the most commonly used functions in the re module:

- search(): Finds the first match of the pattern.
- match(): Checks if the pattern matches at the beginning of the string.
- findall(): Returns a list of all msub()
- sub(): Replaces all matches with a specified Example:
import re

text = "Python is fun. Python is powerful."

# Find all occurrences of "Python"
matches = re.findall("Python", text)
print(matches) # Output: ['Python', 'Python']

# Replace "Python" with "Coding"
new_text = re.sub("Python", "Coding", text)
print(new_text) # Output: Coding is fun. Coding is powerful.

3. Regex Syntax Basicstax Basics ✿ ݁˖ೃ

Here are some commonly used regex symbols:
- .: Matches any character except newline.
- ^: Matches the start of the string.
- $: Matches the end of the string.
- *: Matches 0 or more repetitions.
- +: Matches 1 or more repetitions.
- ?: Matches 0 or 1 repetition.
- {m,n}: Matches between m and n repetitions.
- [abc]: Matches any character in the brackets.
- |: Matches either of two pExample:Example:
import re

text = "Python 3.10 is awesome"

# Match "Python" at the start of the string
result = re.search("^Python", text)
print(result) # Output:

4. Special Sequences Sequences ✿ ݁˖ೃ
- \d: Matches any digit (0-9).
- \w: Matches any alphanumeric character.
- \s: Matches any whitespace.
- \D: Matches any non-digit.
- \W: Matches any non-alphanumeric chExample:Example:
import re

text = "The price is $123"

# Match digits
digits = re.findall("\d+", text)
print(digits) # Output: ['123']

5. Compiling Patternsg Patterns ✿ ݁˖ೃ

You can compile regex patterns for better performance, especially if you’re using the same pattern multiplExample:Example:
import re

# Compile a pattern
pattern = re.compile("\d+")
text = "The price is $123"

# Use the compiled pattern
matches = pattern.findall(text)
print(matches) # Output: ['123']

Practice Challenge Challenge
1. Write a program to validate email addresses using regex.
2. Create a regex pattern to extract phone numbers from a string.
3. Build a program that replaces all digits in a string with #.

---

Tomorrow, we’lPython’s advanced data manipulation techniquestechniques**, focusing on libraries like Pandas and NumPy. Get ready for another exciting day of growth! 💡✨


Видео недоступно для предпросмотра
Смотреть в Telegram
https://t.me/LearnoryChannel

Check out family 🥰


Weekend cafe recommendation!

The camera didn’t do this place justice🥲it was amazing, super cozy and surprisingly cheap! It’s also a great spot to get some work done.

P.S. I totally recommend bringing your girls here!

Location: Kanya, Bole (Best Western, Ground Floor)

#cafe@me_says


Good morning Learnory fam!!! 🌞


Good night, sleep well, and wake up to a bright new day🌃


How are you feeling today?
😥 😃 😉 😴


😁😁


---

݁˖ೃ ✿ Day 18: Exploring Python Decorators ✿ ݁˖ೃ

Welcome to Day 18! 🎉 Today, we’re delving into Python decorators, a fascinating feature that lets you modify or extend the behavior of functions and methods without altering their original code. Let’s explore how decorators work and how you can use them effectively. 🚀

---

݁˖ೃ ✿ 1. What are Decorators? ✿ ݁˖ೃ
A decorator is a function that takes another function as input, adds functionality to it, and returns the modified function. Decorators are commonly used for logging, validation, access control, and more.

---

݁˖ೃ ✿ 2. How Do Decorators Work? ✿ ݁˖ೃ
You can apply a decorator to a function using the @decorator_name syntax.

Example:
# Define a decorator
def greet_decorator(func):
def wrapper():
print("Hello!")
func()
print("Goodbye!")
return wrapper

# Use the decorator
@greet_decorator
def say_name():
print("My name is Alice.")

# Call the function
say_name()

Output:
Hello!
My name is Alice.
Goodbye!


---

݁˖ೃ ✿ 3. Applying Multiple Decorators ✿ ݁˖ೃ
You can stack multiple decorators on a single function. They are applied from top to bottom.

Example:
def bold_decorator(func):
def wrapper():
print("", end="")
func()
print("
", end="")
return wrapper

def italic_decorator(func):
def wrapper():
print("", end="")
func()
print("
", end="")
return wrapper

@bold_decorator
@italic_decorator
def display_text():
print("Hello, World!", end="")

# Call the function
display_text()

Output:
Hello, World!


---

݁˖ೃ ✿ 4. Decorators with Arguments ✿ ݁˖ೃ
You can create decorators that accept arguments by adding an extra layer of functions.

Example:
def repeat_decorator(times):
def decorator(func):
def wrapper(*args, **kwargs):
for _ in range(times):
func(*args, **kwargs)
return wrapper
return decorator

@repeat_decorator(3)
def say_hello(name):
print(f"Hello, {name}!")

# Call the function
say_hello("Alice")

Output:
Hello, Alice!
Hello, Alice!
Hello, Alice!


---

݁˖ೃ ✿ 5. Built-in Decorators ✿ ݁˖ೃ
Python provides built-in decorators like @staticmethod, @classmethod, and @property.

Example (staticmethod):
class MathUtils:
@staticmethod
def add(a, b):
return a + b

print(MathUtils.add(5, 3)) # Output: 8


---

݁˖ೃ ✿ Practice Challenge ✿ ݁˖ೃ
1. Write a decorator to log the execution time of a function.
2. Create a decorator that validates the input of a function (e.g., ensuring a number is positive).
3. Implement a decorator to format a string as bold and italic (like HTML tags).

---

Tomorrow, we’ll dive into regular expressions, an essential tool for text manipulation and pattern matching. Get ready for another exciting day of learning! 💡✨




Morning fam🌅


Since Venus rotates very slowly and in the opposite direction, its day is longer than its year

-Good night 💤


Moving out feels strange like you keep telling yourself “I’ll take care of this once we’re settled” and boom it’s been two years and you still haven’t.


#ከርዕስውጪ
#ብሎክ የሚያደርጉን ሰዎች 6 ምክንያቶች
1ኛ ሳያውቁን😂
2ኛ ፍቅራችንን መቋቋም ሲያቅታቸው😑
3ኛ ጠልተውን እኛን ማየት ሳይፈልጉ😌
4ኛ የሆነ የደብቁት ሚስጥር ላይ ስንደርስባቸው🙄
5ኛ እነሱ በሚፈልጉት መንገድ ካልሄድን😏
6ኛ እንደፈለጉ እንዲፈነጩብን ካልፈቀድንላቸው😖

©️bilalmedia2


why mebrat hyl is being soo annoying lately with in a plain sun light :(


💙🩵💙🩵


Good morning Learnory fam!!! 🌞


Hey everyone! 👋

Recently, I came up with a super productive learning strategy—my own creation 😉—called 1-1-1.

What does it mean?
Whenever you're trying to master something or start your own structured learning path, this method works wonders (and it's been working great for me too!).

1️⃣ – Deep Dive:
First, immerse yourself in the topic. Study deeply, take notes, and explore examples found in documentation or videos. Absorb as much as you can.

1️⃣ – Practice with Exercises:
Next, pick exercises or generate different tasks based on what you've learned—console-based if possible. This step is key! You’ll encounter errors, uncover gaps in your understanding, and refine your skills.

1️⃣ – Apply in a Mini Project:
Finally, apply everything in a project or a mini challenge. As a frontend developer, I focus on UI-based challenges related to the concepts I’ve gathered. This step solidifies your learning and boosts confidence!

Trust me, you’ll see huge improvement with this approach! 🚀

What do you think about the 1-1-1 method? Let me know your thoughts! 🤔💡


💙🩵💙🩵💙


Win For Yourself!


ሺህ አለቃ ሃይሌ ገ/ስላሴ

Показано 20 последних публикаций.