27 lines
998 B
Python
27 lines
998 B
Python
import csv
|
|
import os
|
|
|
|
def get_feeds() -> list[tuple[str, str]]:
|
|
"""Reads feed names and URLs from a local CSV file.
|
|
|
|
This function opens 'feeds.csv', which is expected to be in the
|
|
same directory as this script. The CSV must have two columns:
|
|
the first for the feed name and the second for the URL.
|
|
|
|
Returns:
|
|
list[tuple[str, str]]: A list of tuples, where each tuple
|
|
contains a feed's name and its URL.
|
|
"""
|
|
feeds = []
|
|
file_path = os.path.join(os.path.dirname(__file__), "feeds.csv")
|
|
|
|
with open(file_path, mode="r", newline="", encoding="utf-8") as f:
|
|
reader = csv.reader(f)
|
|
# If your CSV has a header row, uncomment the next line to skip it
|
|
# next(reader, None)
|
|
for row in reader:
|
|
# Ensure the row has exactly two columns to avoid errors
|
|
if len(row) == 2:
|
|
feeds.append((row[0], row[1]))
|
|
|
|
return feeds |