Skip to content

Commit 55555bd

Browse files
changed back to 10 sec sleep time before following new user
1 parent f5e2569 commit 55555bd

File tree

3 files changed

+26
-61
lines changed

3 files changed

+26
-61
lines changed

last_line.txt

+1-1
Original file line numberDiff line numberDiff line change
@@ -1 +1 @@
1-
15
1+
130579

main.py

+23-59
Original file line numberDiff line numberDiff line change
@@ -3,15 +3,15 @@
33
import time
44
import os
55
import logging
6-
from typing import List, Tuple
6+
from typing import List
77
from dotenv import load_dotenv
88

99
# Load environment variables from .env file
1010
load_dotenv()
1111

1212
# Configure logging
1313
logging.basicConfig(
14-
level=logging.INFO,
14+
level=logging.INFO, # Set to INFO for general logs; use DEBUG for more verbosity
1515
format='%(asctime)s [%(levelname)s] %(message)s',
1616
handlers=[
1717
logging.FileHandler("follow_users.log"),
@@ -28,8 +28,8 @@
2828
logging.error("GitHub token not found. Please set GITHUB_TOKEN in the environment variables.")
2929
exit(1)
3030

31-
# Semaphore to limit concurrent requests
32-
SEM = asyncio.Semaphore(5) # Adjust the number based on your needs and testing
31+
# Semaphore to limit concurrent requests (set to 1 for sequential processing)
32+
SEM = asyncio.Semaphore(1)
3333

3434
# Function to read usernames from a file
3535
def read_usernames(file_path: str) -> List[str]:
@@ -72,47 +72,25 @@ def write_last_line(file_path: str, line_number: int) -> None:
7272
logging.exception(f"An error occurred while writing to '{file_path}': {e}")
7373

7474
# Asynchronous function to follow a user on GitHub
75-
async def follow_user(session: aiohttp.ClientSession, username: str) -> Tuple[int, str]:
75+
async def follow_user(session: aiohttp.ClientSession, username: str, line_number: int) -> None:
7676
url = f'https://api.github.com/user/following/{username}'
77-
async with SEM: # Limit concurrency
77+
async with SEM: # Ensure sequential processing
7878
try:
7979
async with session.put(url) as response:
8080
status = response.status
8181
text = await response.text()
8282

83-
# Log rate limit headers
84-
rate_limit_remaining = response.headers.get('X-RateLimit-Remaining')
85-
rate_limit_reset = response.headers.get('X-RateLimit-Reset')
86-
if rate_limit_remaining and rate_limit_reset:
87-
logging.debug(f"Rate Limit Remaining: {rate_limit_remaining}")
88-
logging.debug(f"Rate Limit Reset Time: {rate_limit_reset}")
83+
if status == 204:
84+
logging.info(f"Line {line_number + 1}: Successfully followed '{username}'.")
85+
elif status == 404:
86+
logging.warning(f"Line {line_number + 1}: User '{username}' not found.")
87+
elif status == 403 or status == 429:
88+
logging.error(f"Line {line_number + 1}: Rate limit exceeded or forbidden access.")
89+
else:
90+
logging.error(f"Line {line_number + 1}: Failed to follow '{username}': {status}, {text}")
8991

90-
return status, text
9192
except Exception as e:
92-
logging.exception(f"Error following user '{username}': {e}")
93-
return 0, str(e)
94-
95-
# Function to handle rate limiting based on GitHub's response headers
96-
async def handle_rate_limit(headers: dict):
97-
rate_limit_remaining = headers.get('X-RateLimit-Remaining')
98-
rate_limit_reset = headers.get('X-RateLimit-Reset')
99-
100-
if rate_limit_remaining is not None and rate_limit_reset is not None:
101-
rate_limit_remaining = int(rate_limit_remaining)
102-
rate_limit_reset = int(rate_limit_reset)
103-
104-
if rate_limit_remaining == 0:
105-
current_time = int(time.time())
106-
sleep_duration = rate_limit_reset - current_time + 5 # Add a buffer of 5 seconds
107-
if sleep_duration > 0:
108-
reset_time_str = time.strftime('%Y-%m-%d %H:%M:%S', time.localtime(rate_limit_reset))
109-
logging.warning(f"Rate limit reached. Sleeping until {reset_time_str} ({sleep_duration} seconds).")
110-
await asyncio.sleep(sleep_duration)
111-
112-
# Function to check and handle rate limits after each request
113-
async def check_rate_limit_after_request(response: aiohttp.ClientResponse):
114-
headers = response.headers
115-
await handle_rate_limit(headers)
93+
logging.exception(f"Line {line_number + 1}: Error following user '{username}': {e}")
11694

11795
# Main asynchronous function
11896
async def main():
@@ -129,27 +107,15 @@ async def main():
129107

130108
async with aiohttp.ClientSession(headers=headers) as session:
131109
for i, username in enumerate(usernames[last_line:], start=last_line):
132-
status_code, response_text = await follow_user(session, username)
133-
134-
if status_code == 204:
135-
logging.info(f"Line {i + 1}: Successfully followed '{username}'.")
136-
write_last_line(LAST_LINE_FILE, i + 1)
137-
elif status_code == 404:
138-
logging.warning(f"Line {i + 1}: User '{username}' not found.")
139-
write_last_line(LAST_LINE_FILE, i + 1)
140-
elif status_code == 403:
141-
if 'rate limit' in response_text.lower():
142-
logging.error(f"Line {i + 1}: Rate limit exceeded.")
143-
# Extract headers from the last response
144-
await handle_rate_limit(session._connector._session.headers)
145-
else:
146-
logging.error(f"Line {i + 1}: Forbidden access when trying to follow '{username}'.")
147-
else:
148-
logging.error(f"Line {i + 1}: Failed to follow '{username}': {status_code}, {response_text}")
110+
await follow_user(session, username, i)
149111

150-
# Optional: Dynamic sleep based on remaining rate limit
151-
# This example uses a fixed sleep; you can adjust it based on rate limits
152-
await asyncio.sleep(1) # Adjust as needed
112+
# Wait for 10 seconds before processing the next user
113+
if i < total_usernames - 1:
114+
#logging.info("Waiting for 10 seconds before following the next user...")
115+
await asyncio.sleep(10)
116+
117+
# Update the last processed line
118+
write_last_line(LAST_LINE_FILE, i + 1)
153119

154120
logging.info("Finished processing all usernames.")
155121

@@ -160,5 +126,3 @@ async def main():
160126
logging.info("Script interrupted by user.")
161127
except Exception as e:
162128
logging.exception(f"An unexpected error occurred: {e}")
163-
164-
###test!

requirements.txt

+2-1
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,5 @@
11
requests~=2.31.0
22
beautifulsoup4~=4.12.3
33
aiohttp
4-
python-dotenv
4+
python-dotenv
5+
aiolimiter

0 commit comments

Comments
 (0)