Как извлечь заголовки видео с помощью Youtube API (Python)Python

Программы на Python
Ответить Пред. темаСлед. тема
Anonymous
 Как извлечь заголовки видео с помощью Youtube API (Python)

Сообщение Anonymous »

Я создаю для себя небольшое приложение на Python, которое загружает информацию из видеороликов YouTube, и для этого я использую API YouTube.
Недавно я посмотрел это видео, чтобы помочь мне получить комментарии. и их ответы из видео на YouTube и экспортируйте их в файл Excel, и все работает нормально. Однако проблема, с которой я столкнулся сейчас, заключается в том, что я хочу извлечь заголовок из видео YouTube и не могу заставить свой код работать для этого.
Как я уже упоминал ранее , я посмотрел видео по ссылке, а также попытался прокомментировать автора канала видео за помощью, но, к сожалению, не получил ответа.
Я также пытался поискать на YouTube любую другую полезную информацию. видео о моей проблеме, но не смог найти ничего полезного для моей проблемы.
Помимо вопросов и поиска других видео, я также пытался просмотреть документацию и разобраться в коде. вот так, что тоже не сработало. Ниже приведен код, который я использую:
# CODE FROM HERE: https://github.com/analyticswithadam/Py ... ists.ipynb

from googleapiclient.discovery import build
import pandas as pd
import getpass

api_key = "API key here"
playlist_ids = ['Youtube Playlist Link Here']

# Build the YouTube client
youtube = build('youtube', 'v3', developerKey=api_key)

def get_all_video_ids_from_playlists(youtube, playlist_ids):
all_videos = [] # Initialize a single list to hold all video IDs

for playlist_id in playlist_ids:
next_page_token = None

# Fetch videos from the current playlist
while True:
playlist_request = youtube.playlistItems().list(
part='contentDetails',
playlistId=playlist_id,
maxResults=50,
pageToken=next_page_token)
playlist_response = playlist_request.execute()

all_videos += [item['contentDetails']['videoId'] for item in playlist_response['items']]

next_page_token = playlist_response.get('nextPageToken')

if next_page_token is None:
break

return all_videos

# Fetch all video IDs from the specified playlists
video_ids = get_all_video_ids_from_playlists(youtube, playlist_ids)

# Now you can pass video_ids to the next function
# next_function(video_ids)

'''
# Broken-ass title code

def get_vid_title(youtube, video_id): # Added video_id as an argument
all_titles = []
next_page_token = None

while True:
title_request = youtube.channels().list(
part="snippet",
videoId=video_id,
pageToken=next_page_token,
textFormat="plainText",
maxResults=100
)
title_response = title_request.execute()

for item in title_response['items']:
vid_title = item['snippet']['title']
all_titles.append({
'Title': vid_title['title']
})
print(vid_title['title'])

return all_titles
'''

# Function to get replies for a specific comment
def get_replies(youtube, parent_id, video_id): # Added video_id as an argument
replies = []
next_page_token = None

while True:
reply_request = youtube.comments().list(
part="snippet",
parentId=parent_id,
textFormat="plainText",
maxResults=100,
pageToken=next_page_token
)
reply_response = reply_request.execute()

for item in reply_response['items']:
comment = item['snippet']
replies.append({
'Timestamp': comment['publishedAt'],
'Username': comment['authorDisplayName'],
'VideoID': video_id,
'Comment': comment['textDisplay'],
'likeCount': comment['likeCount'],
'Date': comment['updatedAt'] if 'updatedAt' in comment else comment['publishedAt']
})

next_page_token = reply_response.get('nextPageToken')
if not next_page_token:
break

return replies

# Function to get all comments (including replies) for a single video
def get_comments_for_video(youtube, video_id):
all_comments = []
next_page_token = None

while True:
comment_request = youtube.commentThreads().list(
part="snippet",
videoId=video_id,
pageToken=next_page_token,
textFormat="plainText",
maxResults=100
)
comment_response = comment_request.execute()

for item in comment_response['items']:
top_comment = item['snippet']['topLevelComment']['snippet']
all_comments.append({
'Timestamp': top_comment['publishedAt'],
'Username': top_comment['authorDisplayName'],
'VideoID': video_id, # Directly using video_id from function parameter
'Comment': top_comment['textDisplay'],
'likeCount': top_comment['likeCount'],
'Date': top_comment['updatedAt'] if 'updatedAt' in top_comment else top_comment['publishedAt']
})

# Fetch replies if there are any
if item['snippet']['totalReplyCount'] > 0:
all_comments.extend(get_replies(youtube, item['snippet']['topLevelComment']['id'], video_id))

next_page_token = comment_response.get('nextPageToken')
if not next_page_token:
break

return all_comments

# List to hold all comments from all videos
all_comments = []

for video_id in video_ids:
video_comments = get_comments_for_video(youtube, video_id)
all_comments.extend(video_comments)

# Create DataFrame
comments_df = pd.DataFrame(all_comments)

# Export whole dataset to the local machine as CSV File
csv_file = 'comments_data.csv' # Name your file
comments_df.to_csv(csv_file, index=False)

Буду очень признателен за любую помощь.
Изменить
Благодаря пользователю Маурисио Ариасу Олаве я получил код работает именно так, как я хочу.
Вот готовый код для всех, кому интересно:
# CODE FROM HERE: https://github.com/analyticswithadam/Py ... ists.ipynb

from googleapiclient.discovery import build
import pandas as pd
import getpass

api_key = "API Key Here"
playlist_ids = ['Youtube playlist here']

# Build the YouTube client
youtube = build('youtube', 'v3', developerKey=api_key)

def get_all_video_ids_from_playlists(youtube, playlist_ids):
all_videos = [] # Initialize a single list to hold all video IDs

for playlist_id in playlist_ids:
next_page_token = None

# Fetch videos from the current playlist
while True:
playlist_request = youtube.playlistItems().list(
part='snippet,contentDetails',
playlistId=playlist_id,
maxResults=50,
pageToken=next_page_token)
playlist_response = playlist_request.execute()

#all_videos += [item['contentDetails']['videoId'] for item in playlist_response['items']]

for pl_item in playlist_response["items"]:
all_videos.append({"Video_ID": pl_item['contentDetails']['videoId'], "Title" : pl_item['snippet']['title']})

next_page_token = playlist_response.get('nextPageToken')

if next_page_token is None:
break

return all_videos

# Fetch all video IDs from the specified playlists
video_ids = get_all_video_ids_from_playlists(youtube, playlist_ids)

# Function to get replies for a specific comment
def get_replies(youtube, parent_id, video_id): # Added video_id as an argument
replies = []
next_page_token = None

while True:
reply_request = youtube.comments().list(
part="snippet",
parentId=parent_id,
textFormat="plainText",
maxResults=100,
pageToken=next_page_token
)
reply_response = reply_request.execute()

for item in reply_response['items']:
comment = item['snippet']
replies.append({
'Timestamp': comment['publishedAt'],
'Username': comment['authorDisplayName'],
'VideoID': video_id,
'Comment': comment['textDisplay'],
'likeCount': comment['likeCount'],
'Date': comment['updatedAt'] if 'updatedAt' in comment else comment['publishedAt']
})

next_page_token = reply_response.get('nextPageToken')
if not next_page_token:
break

return replies

# Function to get all comments (including replies) for a single video
def get_comments_for_video(youtube, video_id):
all_comments = []
next_page_token = None

while True:
comment_request = youtube.commentThreads().list(
part="snippet",
videoId=video_id["Video_ID"],
pageToken=next_page_token,
textFormat="plainText",
maxResults=100
)
comment_response = comment_request.execute()

for item in comment_response['items']:
top_comment = item['snippet']['topLevelComment']['snippet']
all_comments.append({
'Timestamp': top_comment['publishedAt'],
'Username': top_comment['authorDisplayName'],
'VideoID': video_id["Video_ID"], # Directly using video_id from function parameter
'Title': video_id["Title"], # The title of the video.
'Comment': top_comment['textDisplay'],
'likeCount': top_comment['likeCount'],
'Date': top_comment['updatedAt'] if 'updatedAt' in top_comment else top_comment['publishedAt']
})

# Fetch replies if there are any
if item['snippet']['totalReplyCount'] > 0:
all_comments.extend(get_replies(youtube, item['snippet']['topLevelComment']['id'], video_id))

next_page_token = comment_response.get('nextPageToken')
if not next_page_token:
break

return all_comments

# List to hold all comments from all videos
all_comments = []

for video_id in video_ids:
video_comments = get_comments_for_video(youtube, video_id)
all_comments.extend(video_comments)

# Create DataFrame
comments_df = pd.DataFrame(all_comments)

# Export whole dataset to the local machine as CSV File
csv_file = 'comments_data.csv' # Name your file
comments_df.to_csv(csv_file, index=False)


Подробнее здесь: https://stackoverflow.com/questions/786 ... -apipython
Реклама
Ответить Пред. темаСлед. тема

Быстрый ответ

Изменение регистра текста: 
Смайлики
:) :( :oops: :roll: :wink: :muza: :clever: :sorry: :angel: :read: *x)
Ещё смайлики…
   
К этому ответу прикреплено по крайней мере одно вложение.

Если вы не хотите добавлять вложения, оставьте поля пустыми.

Максимально разрешённый размер вложения: 15 МБ.

  • Похожие темы
    Ответы
    Просмотры
    Последнее сообщение

Вернуться в «Python»