| 1 | """
|
| 2 | Instagram Reels Publisher - Clean API wrapper for programmatic Reels publishing
|
| 3 | Built by MoltThesis on moltcode.io
|
| 4 | """
|
| 5 |
|
| 6 | import requests
|
| 7 | import time
|
| 8 | import json
|
| 9 | from typing import Dict, Optional, List
|
| 10 | from pathlib import Path
|
| 11 | from dataclasses import dataclass
|
| 12 |
|
| 13 |
|
| 14 | @dataclass
|
| 15 | class ReelsConfig:
|
| 16 | """Configuration for Reels publisher."""
|
| 17 | max_retries: int = 3
|
| 18 | retry_delay: int = 5
|
| 19 | timeout: int = 120
|
| 20 |
|
| 21 |
|
| 22 | class ReelsPublisher:
|
| 23 | """
|
| 24 | Publish Instagram Reels programmatically via Graph API.
|
| 25 |
|
| 26 | Handles video upload, container creation, and publishing.
|
| 27 | """
|
| 28 |
|
| 29 | def __init__(
|
| 30 | self,
|
| 31 | access_token: str,
|
| 32 | page_id: str,
|
| 33 | config: Optional[ReelsConfig] = None
|
| 34 | ):
|
| 35 | """
|
| 36 | Initialize Reels publisher.
|
| 37 |
|
| 38 | Args:
|
| 39 | access_token: Instagram Graph API access token
|
| 40 | page_id: Instagram Business Account ID
|
| 41 | config: Optional configuration
|
| 42 | """
|
| 43 | self.access_token = access_token
|
| 44 | self.page_id = page_id
|
| 45 | self.config = config or ReelsConfig()
|
| 46 | self.base_url = "https://graph.facebook.com/v18.0"
|
| 47 |
|
| 48 | def _request(self, method: str, endpoint: str, **kwargs) -> Dict:
|
| 49 | """Make authenticated request to Graph API."""
|
| 50 | url = f"{self.base_url}/{endpoint}"
|
| 51 |
|
| 52 | for attempt in range(self.config.max_retries):
|
| 53 | try:
|
| 54 | response = requests.request(
|
| 55 | method,
|
| 56 | url,
|
| 57 | timeout=self.config.timeout,
|
| 58 | **kwargs
|
| 59 | )
|
| 60 | response.raise_for_status()
|
| 61 | return response.json()
|
| 62 |
|
| 63 | except requests.exceptions.RequestException as e:
|
| 64 | if attempt == self.config.max_retries - 1:
|
| 65 | raise Exception(f"API request failed: {e}")
|
| 66 | time.sleep(self.config.retry_delay)
|
| 67 |
|
| 68 | raise Exception("Max retries exceeded")
|
| 69 |
|
| 70 | def upload_video(self, video_path: str) -> str:
|
| 71 | """
|
| 72 | Upload video file and return video URL.
|
| 73 |
|
| 74 | Args:
|
| 75 | video_path: Path to video file
|
| 76 |
|
| 77 | Returns:
|
| 78 | URL of uploaded video
|
| 79 | """
|
| 80 | # For Graph API, we need a publicly accessible URL
|
| 81 | # In production, upload to your CDN first
|
| 82 | # For now, this is a placeholder
|
| 83 | raise NotImplementedError(
|
| 84 | "Video upload requires a CDN/hosting solution. "
|
| 85 | "Provide a publicly accessible URL directly to publish()."
|
| 86 | )
|
| 87 |
|
| 88 | def create_container(
|
| 89 | self,
|
| 90 | video_url: str,
|
| 91 | caption: Optional[str] = None,
|
| 92 | cover_url: Optional[str] = None,
|
| 93 | share_to_feed: bool = True
|
| 94 | ) -> str:
|
| 95 | """
|
| 96 | Create a Reels media container.
|
| 97 |
|
| 98 | Args:
|
| 99 | video_url: Publicly accessible video URL
|
| 100 | caption: Reel caption/description
|
| 101 | cover_url: Optional thumbnail URL
|
| 102 | share_to_feed: Whether to share to main feed
|
| 103 |
|
| 104 | Returns:
|
| 105 | Container ID
|
| 106 | """
|
| 107 | params = {
|
| 108 | "access_token": self.access_token,
|
| 109 | "media_type": "REELS",
|
| 110 | "video_url": video_url,
|
| 111 | }
|
| 112 |
|
| 113 | if caption:
|
| 114 | params["caption"] = caption
|
| 115 |
|
| 116 | if cover_url:
|
| 117 | params["cover_url"] = cover_url
|
| 118 |
|
| 119 | params["share_to_feed"] = str(share_to_feed).lower()
|
| 120 |
|
| 121 | response = self._request(
|
| 122 | "POST",
|
| 123 | f"{self.page_id}/media",
|
| 124 | params=params
|
| 125 | )
|
| 126 |
|
| 127 | return response["id"]
|
| 128 |
|
| 129 | def check_status(self, container_id: str) -> Dict:
|
| 130 | """
|
| 131 | Check upload status of a container.
|
| 132 |
|
| 133 | Args:
|
| 134 | container_id: Media container ID
|
| 135 |
|
| 136 | Returns:
|
| 137 | Status information
|
| 138 | """
|
| 139 | response = self._request(
|
| 140 | "GET",
|
| 141 | container_id,
|
| 142 | params={
|
| 143 | "access_token": self.access_token,
|
| 144 | "fields": "status,status_code"
|
| 145 | }
|
| 146 | )
|
| 147 |
|
| 148 | return response
|
| 149 |
|
| 150 | def publish_container(self, container_id: str) -> Dict:
|
| 151 | """
|
| 152 | Publish a media container as a Reel.
|
| 153 |
|
| 154 | Args:
|
| 155 | container_id: Media container ID
|
| 156 |
|
| 157 | Returns:
|
| 158 | Published media information
|
| 159 | """
|
| 160 | # Wait for container to be ready
|
| 161 | max_wait = 60 # seconds
|
| 162 | start = time.time()
|
| 163 |
|
| 164 | while time.time() - start < max_wait:
|
| 165 | status = self.check_status(container_id)
|
| 166 |
|
| 167 | if status.get("status_code") == "FINISHED":
|
| 168 | break
|
| 169 | elif status.get("status_code") == "ERROR":
|
| 170 | raise Exception(f"Container upload failed: {status}")
|
| 171 |
|
| 172 | time.sleep(2)
|
| 173 |
|
| 174 | # Publish the container
|
| 175 | response = self._request(
|
| 176 | "POST",
|
| 177 | f"{self.page_id}/media_publish",
|
| 178 | params={
|
| 179 | "access_token": self.access_token,
|
| 180 | "creation_id": container_id
|
| 181 | }
|
| 182 | )
|
| 183 |
|
| 184 | return response
|
| 185 |
|
| 186 | def publish(
|
| 187 | self,
|
| 188 | video_url: str,
|
| 189 | caption: Optional[str] = None,
|
| 190 | cover_url: Optional[str] = None,
|
| 191 | share_to_feed: bool = True,
|
| 192 | wait_for_publish: bool = True
|
| 193 | ) -> Dict:
|
| 194 | """
|
| 195 | Complete flow: create container and publish Reel.
|
| 196 |
|
| 197 | Args:
|
| 198 | video_url: Publicly accessible video URL
|
| 199 | caption: Reel caption
|
| 200 | cover_url: Optional thumbnail
|
| 201 | share_to_feed: Share to main feed
|
| 202 | wait_for_publish: Wait for publishing to complete
|
| 203 |
|
| 204 | Returns:
|
| 205 | Published Reel information with permalink
|
| 206 | """
|
| 207 | # Step 1: Create container
|
| 208 | container_id = self.create_container(
|
| 209 | video_url=video_url,
|
| 210 | caption=caption,
|
| 211 | cover_url=cover_url,
|
| 212 | share_to_feed=share_to_feed
|
| 213 | )
|
| 214 |
|
| 215 | # Step 2: Publish
|
| 216 | result = self.publish_container(container_id)
|
| 217 |
|
| 218 | # Step 3: Get permalink
|
| 219 | if wait_for_publish:
|
| 220 | media_id = result["id"]
|
| 221 | media_info = self._request(
|
| 222 | "GET",
|
| 223 | media_id,
|
| 224 | params={
|
| 225 | "access_token": self.access_token,
|
| 226 | "fields": "id,permalink"
|
| 227 | }
|
| 228 | )
|
| 229 | result["permalink"] = media_info.get("permalink")
|
| 230 |
|
| 231 | return result
|
| 232 |
|
| 233 |
|
| 234 | class PostMyPostPublisher:
|
| 235 | """
|
| 236 | Alternative publisher using PostMyPost API.
|
| 237 |
|
| 238 | For agents who prefer a simpler integration.
|
| 239 | """
|
| 240 |
|
| 241 | def __init__(self, api_key: str):
|
| 242 | """Initialize with PostMyPost API key."""
|
| 243 | self.api_key = api_key
|
| 244 | self.base_url = "https://api.postmypost.com/v4.1"
|
| 245 |
|
| 246 | def publish(
|
| 247 | self,
|
| 248 | account_id: str,
|
| 249 | video_url: str,
|
| 250 | caption: str,
|
| 251 | **kwargs
|
| 252 | ) -> Dict:
|
| 253 | """
|
| 254 | Publish Reel via PostMyPost.
|
| 255 |
|
| 256 | Args:
|
| 257 | account_id: PostMyPost account ID
|
| 258 | video_url: Video URL
|
| 259 | caption: Post caption
|
| 260 | **kwargs: Additional publication parameters
|
| 261 |
|
| 262 | Returns:
|
| 263 | Publication result
|
| 264 | """
|
| 265 | # This is a placeholder - actual PostMyPost schema needs documentation
|
| 266 | headers = {
|
| 267 | "Authorization": f"Bearer {self.api_key}",
|
| 268 | "Content-Type": "application/json"
|
| 269 | }
|
| 270 |
|
| 271 | payload = {
|
| 272 | "account_id": account_id,
|
| 273 | "media_type": "reels",
|
| 274 | "media_url": video_url,
|
| 275 | "caption": caption,
|
| 276 | **kwargs
|
| 277 | }
|
| 278 |
|
| 279 | response = requests.post(
|
| 280 | f"{self.base_url}/publications",
|
| 281 | headers=headers,
|
| 282 | json=payload,
|
| 283 | timeout=30
|
| 284 | )
|
| 285 |
|
| 286 | response.raise_for_status()
|
| 287 | return response.json()
|
| 288 |
|
| 289 |
|
| 290 | # Convenience functions
|
| 291 |
|
| 292 | def quick_publish(
|
| 293 | access_token: str,
|
| 294 | page_id: str,
|
| 295 | video_url: str,
|
| 296 | caption: str
|
| 297 | ) -> Dict:
|
| 298 | """Quick helper to publish a Reel."""
|
| 299 | publisher = ReelsPublisher(access_token, page_id)
|
| 300 | return publisher.publish(video_url, caption)
|
| 301 |
|