agent (8) agents (9) agi (170) agricultural (5) agriculture (8) AI (119) api (11) benchmark (6) billion (6) blog (6) businesses (13) care (6) chatgpt (14) claude (4) clients (5) climate (9) code (8) coding (5) communities (8) computing (5) content (10) corruption (6) cultural (5) customer (35) customers (9) data (18) deepseek (19) delivery (5) disaster (5) education (9) energy (14) environmental (5) example (8) farmers (12) farming (6) filipino (10) filipinos (7) financial (9) fine (6) firms (6) food (8) gemini (4) global (7) google (6) gpt (16) health (10) healthcare (9) https (8) human (13) import (5) industry (6) inference (6) language (5) languages (6) learning (6) legal (8) llms (7) management (5) medical (5) mental (4) model (27) models (19) monitoring (7) o1 (7) o3 (6) ollama (6) open (7) openai (18) patient (6) philippine (5) philippines (22) post (4) pricing (8) products (6) profit (9) project (6) public (13) r1 (11) reasoning (13) renewable (8) research (11) safety (6) security (6) self (5) seo (5) services (9) source (7) startups (6) student (5) students (9) synthetic (5) systems (7) text (7) traffic (13) transformer (5) transportation (5) urban (9) users (6) waste (5) water (7)
I created this with OpenAI o3 mini (now free with ChatGpt). The prompt: “create a python script that automatically tags all posts in my WordPress Website using TF IDF*”
*Term Frequency / Inverted Document Frequency
The code was generated in less than a minute. The generated script ran for a more than 6 hours to loop trough 420 posts and generate all the tags from the content. During proccessing timeout errors occured. By pasting the python output in the o3 console, o3 optimizes the script by adjusting the timeout values.
Visualizing the TagCloud on a Post is a built-in WordPress (Block) functon. The generated code was bugfree and ran without any issues.
The whole procedure of developing and deploying the autotagging script reminded me that the times of human software development are for always over. We have to accept that AI can do it much better!
I include the software below as a free download and donate it happily it to the Open Source (WordPress) Community. You can convert it to a WordPress Plugin if you want or run it standalone like I did. I’m sure that the o3 model will do an excellent job with converting to PHP / WP.
import requests
from requests.auth import HTTPBasicAuth
import os
from tqdm import tqdm # For progress bar
from requests.adapters import HTTPAdapter
from urllib3.util.retry import Retry
# Constants for WordPress API
BASE_URL = "https://your-blog" #Url of your WordPress website.
USERNAME = "your_username" # Replace with your WordPress username
APP_PASSWORD = "your_password" # Replace with your Application Password
# Authentication
auth = HTTPBasicAuth(USERNAME, APP_PASSWORD)
# Retry strategy for handling connection issues
retry_strategy = Retry(
total=5, # Retry up to 5 times
backoff_factor=1, # Exponential backoff factor
status_forcelist=[500, 502, 503, 504], # Retry on specific status codes
allowed_methods=["HEAD", "GET", "OPTIONS", "POST"] # Specify allowed HTTP methods for retries
)
# Create a session and mount the retry adapter
session = requests.Session()
adapter = HTTPAdapter(max_retries=retry_strategy)
session.mount("https://", adapter)
session.mount("http://", adapter)
def get_all_posts():
"""
Retrieve all post IDs from WordPress, handling pagination if necessary.
"""
post_ids = []
page = 1
while True:
try:
response = session.get(f"{BASE_URL}/posts", params={"page": page, "per_page": 100}, auth=auth)
if response.status_code == 200:
posts = response.json()
if not posts:
break # No more posts
post_ids.extend([post["id"] for post in posts])
page += 1
else:
print(f"Error retrieving posts: {response.status_code}")
break
except requests.RequestException as e:
print(f"Error retrieving posts: {e}")
break
print(f"Retrieved {len(post_ids)} posts.")
return post_ids
def get_all_tags():
"""
Retrieve all tag IDs from WordPress.
"""
tag_ids = []
page = 1
while True:
try:
response = session.get(f"{BASE_URL}/tags", params={"page": page, "per_page": 100}, auth=auth)
if response.status_code == 200:
tags = response.json()
if not tags:
break # No more tags
tag_ids.extend([tag["id"] for tag in tags])
page += 1
else:
print(f"Error retrieving tags: {response.status_code}")
break
except requests.RequestException as e:
print(f"Error retrieving tags: {e}")
break
print(f"Retrieved {len(tag_ids)} tags.")
return tag_ids
def remove_tags_from_post(post_id):
"""
Remove all tags from a post by updating its tags to an empty list.
"""
try:
response = session.post(f"{BASE_URL}/posts/{post_id}", json={"tags": []}, auth=auth)
if response.status_code == 200:
print(f"Successfully removed tags from Post ID {post_id}.")
else:
print(f"Failed to remove tags from Post ID {post_id}: {response.status_code}")
print(f"Response content: {response.text}")
except requests.RequestException as e:
print(f"Error removing tags from Post ID {post_id}: {e}")
def delete_tag(tag_id):
"""
Delete a tag from WordPress.
"""
try:
response = session.delete(f"{BASE_URL}/tags/{tag_id}", auth=auth)
if response.status_code == 200:
print(f"Successfully deleted Tag ID {tag_id}.")
else:
print(f"Failed to delete Tag ID {tag_id}: {response.status_code}")
except requests.RequestException as e:
print(f"Error deleting Tag ID {tag_id}: {e}")
def main():
# Retrieve all posts
post_ids = get_all_posts()
if not post_ids:
print("No posts retrieved. Exiting.")
return
# Remove tags from all posts
for post_id in tqdm(post_ids, desc="Removing tags from posts"):
remove_tags_from_post(post_id)
# Retrieve all tags and delete them
tag_ids = get_all_tags()
if not tag_ids:
print("No tags retrieved. Exiting.")
return
for tag_id in tqdm(tag_ids, desc="Deleting tags"):
delete_tag(tag_id)
if __name__ == "__main__":
main()