Skip to content

Instantly share code, notes, and snippets.

@rtanglao
Last active January 30, 2025 19:10
Show Gist options
  • Save rtanglao/97604212c7c6ff18e06454f2f0d9caf9 to your computer and use it in GitHub Desktop.
Save rtanglao/97604212c7c6ff18e06454f2f0d9caf9 to your computer and use it in GitHub Desktop.
get last 1000 flickr photos tagged vancouver
import requests
import csv
# Code originally generated by ChatGPT
# Prompt 1:
# You are a nerdy, friendly, and helpful senior software engineer. You are an expert in Python programming.
# You will guide me as I write Python scripts that use the Flickr API. I am a beginner with Python.
# Please ask me questions until you have enough information to provide a detailed response. When you respond, keep
# the explanations to a minimum until I ask for more details.
# Please draft a Python program to retrieve the last 1000 photos with the tag "Vancouver".
# Response 1:
# To get started, I have a few questions for you:
# 1. **Do you have a Flickr API key?**
# - If not, you need to create one [here](https://www.flickr.com/services/apps/create/).
# 2. **Do you have any preference for the Flickr API request method?**
# - The Flickr API supports RESTful requests, and we can use the `requests` library in Python.
# 3. **Do you want the results saved to a file, displayed in the terminal, or processed in some way?**
# - For example, JSON output or CSV storage.
# 4. **Do you have `requests` and `json` installed, or do you need help installing them?**
# - `requests` can be installed via `pip install requests`.
# Let me know, and I’ll draft the script accordingly! 🚀
# Prompt 2:
# 1. yes i have a flickr api key
# 2. no preference for the flickr api request method
# 3. please save the results in a CSV file
# 4. i have requests and json installed
# Response 2:
# Great! Here's a Python script that retrieves the last 1000 photos with the tag "Vancouver" from the Flickr API and saves them into a CSV file.
# It uses the requests library to fetch data and csv to write the results.
# Steps in the Script:
# Sends a request to the Flickr API to get photos tagged with "Vancouver".
# Handles pagination to retrieve up to 1000 results (since Flickr API limits results per page).
# Extracts relevant data (photo ID, title, owner, and URL).
# Saves the results to a CSV file.
# How It Works:
# Retrieves photos using the Flickr API (max 500 per request).
# Makes two requests to get 1000 photos.
# Extracts Photo ID, Title, Owner, and URL.
# Saves the results into vancouver_photos.csv.
# Let me know if you want any modifications! 🚀
import requests
import csv
# Flickr API details
API_KEY = "your_api_key_here"
BASE_URL = "https://www.flickr.com/services/rest/"
# Parameters for the API request
PARAMS = {
"method": "flickr.photos.search",
"api_key": API_KEY,
"tags": "Vancouver",
"format": "json",
"nojsoncallback": 1,
"per_page": 500, # Max per page
"page": 1, # Start from page 1
}
# CSV file setup
CSV_FILE = "vancouver_photos.csv"
def fetch_photos():
photos = []
for page in range(1, 3): # 2 pages to get 1000 photos (500 per request)
PARAMS["page"] = page
response = requests.get(BASE_URL, params=PARAMS)
data = response.json()
if "photos" in data and "photo" in data["photos"]:
photos.extend(data["photos"]["photo"])
else:
print("Error fetching data:", data)
return photos
def save_to_csv(photos):
with open(CSV_FILE, "w", newline="", encoding="utf-8") as file:
writer = csv.writer(file)
writer.writerow(["Photo ID", "Title", "Owner", "URL"])
for photo in photos:
photo_id = photo["id"]
title = photo["title"]
owner = photo["owner"]
url = f"https://www.flickr.com/photos/{owner}/{photo_id}"
writer.writerow([photo_id, title, owner, url])
print(f"Saved {len(photos)} photos to {CSV_FILE}")
# Run script
photos = fetch_photos()
save_to_csv(photos)
import flickrapi
import csv
# Flickr API credentials
API_KEY = 'your_flickr_api_key' # Replace with your Flickr API key
API_SECRET = 'your_flickr_api_secret' # Replace with your Flickr API secret
# Initialize Flickr API
flickr = flickrapi.FlickrAPI(API_KEY, API_SECRET, format='parsed-json')
# Function to fetch photos with a specific tag
def fetch_photos_with_tag(tag, per_page=500, total_photos=1000):
photos = []
page = 1
while len(photos) < total_photos:
response = flickr.photos.search(
tags=tag,
per_page=per_page,
page=page,
extras='url_sq,url_t,url_s,url_q,url_m,url_n,url_z,url_c,url_l,url_o,description,date_upload,date_taken,owner_name,views'
)
if not response['photos']['photo']:
break # No more photos
photos.extend(response['photos']['photo'])
page += 1
return photos[:total_photos]
# Function to save photos metadata to a CSV file
def save_photos_to_csv(photos, filename='vancouver_photos.csv'):
if not photos:
print("No photos found.")
return
# Define CSV headers
headers = [
'id', 'owner', 'secret', 'server', 'farm', 'title', 'ispublic', 'isfriend', 'isfamily',
'url_sq', 'url_t', 'url_s', 'url_q', 'url_m', 'url_n', 'url_z', 'url_c', 'url_l', 'url_o',
'description', 'dateupload', 'datetaken', 'ownername', 'views'
]
# Write to CSV
with open(filename, 'w', newline='', encoding='utf-8') as csvfile:
writer = csv.DictWriter(csvfile, fieldnames=headers)
writer.writeheader()
for photo in photos:
writer.writerow(photo)
print(f"Saved {len(photos)} photos to {filename}")
# Main script
if __name__ == '__main__':
tag = 'Vancouver'
photos = fetch_photos_with_tag(tag)
save_photos_to_csv(photos)

Prompt 1

You are a nerdy, friendly, and helpful senior software engineer. You are an expert in Python programming. You will guide me as I write Python scripts that use the Flickr API. I am a beginner with Python. Please ask me questions until you have enough information to provide a detailed response. When you respond, keep the explanations to a minimum until I ask for more details.

Please draft a Python program to retrieve the last 1000 photos with the tag "Vancouver".

Response 1

Got it! Let’s start by gathering some information to tailor the script to your needs:

  1. Flickr API Key: Do you already have a Flickr API key? If not, you’ll need to sign up for one at Flickr's API page.

  2. Libraries: Are you familiar with Python libraries like requests or flickrapi? Would you like to use one of these, or do you prefer a different approach?

  3. Output: How would you like the results to be displayed? For example, do you want the photo URLs, metadata, or just the photo IDs?

  4. Pagination: The Flickr API returns a maximum of 500 photos per request. To retrieve 1000 photos, we’ll need to handle pagination. Are you okay with that?

Let me know your preferences, and I’ll draft the script accordingly!

Prompt 2

  1. yes i have a flickr api key
  2. no preference for the flickr api request method
  3. please save the results in a CSV file with all the metadata including photo urls, photo ids, etc
  4. Please handle pagination

Response 2

Great! Thanks for the details. I’ll draft a Python script that uses the flickrapi library to retrieve the last 1000 photos tagged with "Vancouver" and save the metadata (including photo URLs, IDs, etc.) into a CSV file. The script will handle pagination to fetch all 1000 photos.

Here’s the script: ...

  1. Flickr API Setup: It uses the flickrapi library to interact with the Flickr API.

  2. Fetch Photos: It retrieves photos tagged with "Vancouver" in batches of 500 (Flickr's maximum per request) and handles pagination to get up to 1000 photos.

  3. Save Metadata: It saves the metadata (including photo URLs, IDs, titles, descriptions, etc.) into a CSV file named vancouver_photos.csv.

Steps to run the script:

  1. Install the flickrapi library if you don’t already have it:

pip install flickrapi

  1. Replace your_flickr_api_key and your_flickr_api_secret with your actual Flickr API credentials.

  2. Run the script. It will create a CSV file with the metadata of the last 1000 photos tagged with "Vancouver".

Let me know if you have any questions or need further assistance! 😊

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment