How to Scrape Youtube Data: Video and Channel Details (Code & No Code)


2023-01-07 - 5 min read

Nicolae Rotaru
Nicolae Rotaru

Introduction

YouTube is a video sharing service where users can watch, like, share, comment and upload their own videos.


In this article, you will read about the easiest way to web scrape Youtube data with Page2API.


You will find code examples for Ruby, Python, PHP, NodeJS, cURL, and a No-Code solution that will import Youtube channel videos into Google Sheets.


In this article, we will learn how to:

Prerequisites

To start scraping Youtube, you will need the following things:



How to scrape Youtube Video Details

The first thing you need is to open the youtube video we are interested in.


In our case the URL will be:

  
    https://www.youtube.com/watch?v=1WOQumXj0kg


The page will look like the following one:

Youtube video page

From this page, we will scrape the following attributes:

  • Title
  • Likes
  • Views
  • Uploaded
  • Channel name
  • Channel URL
  • Channel subsccribers

Let's define the selectors for each attribute.

Youtube Video Details selectors
  
    /* Title: */
    meta[name=title]

    /* Likes: */
    #segmented-like-button span[role=text]

    /* Views: */
    .ytd-watch-metadata span[dir=auto]:nth-of-type(1)

    /* Uploaded: */
    .ytd-watch-metadata span[dir=auto]:nth-of-type(3)

    /* Channel name: */
    .ytd-channel-name a

    /* Channel URL: */
    .ytd-channel-name a

    /* Channel subscribers: */
    #owner-sub-count
  
The payload for our scraping request will be:

  
    {
      "api_key": "YOUR_PAGE2API_KEY",
      "url": "https://www.youtube.com/watch?v=1WOQumXj0kg",
      "real_browser": true,
      "premium_proxy": "us",
      "wait_for": "#segmented-like-button",
      "parse": {
        "title": "meta[name=title] >> content",
        "likes": "#segmented-like-button span[role=text] >> text",
        "views": ".ytd-watch-metadata span[dir=auto]:nth-of-type(1) >> text",
        "uploaded": ".ytd-watch-metadata span[dir=auto]:nth-of-type(3) >> text",
        "channel_name": ".ytd-channel-name a >> text",
        "channel_url": ".ytd-channel-name a >> href",
        "channel_subscribers": "#owner-sub-count >> text"
      }
    }
  

Running the scraping request

      
    require 'rest_client'
    require 'json'

    api_url = "https://www.page2api.com/api/v1/scrape"
    payload = {
      api_key: "YOUR_PAGE2API_KEY",
      url: "https://www.youtube.com/watch?v=1WOQumXj0kg",
      real_browser: true,
      premium_proxy: "us",
      wait_for: "#segmented-like-button",
      parse: {
        title: "meta[name=title] >> content",
        likes: "#segmented-like-button span[role=text] >> text",
        views: ".ytd-watch-metadata span[dir=auto]:nth-of-type(1) >> text",
        uploaded: ".ytd-watch-metadata span[dir=auto]:nth-of-type(3) >> text",
        channel_name: ".ytd-channel-name a >> text",
        channel_url: ".ytd-channel-name a >> href",
        channel_subscribers: "#owner-sub-count >> text"
      }
    }

    response = RestClient::Request.execute(
      method: :post,
      payload: payload.to_json,
      url: api_url,
      headers: { "Content-type" => "application/json" },
    ).body

    result = JSON.parse(response)

    print(result)
      
    

The result

  
    {
      "result": {
        "title": "How to Scrape Data From Another Website Into Bubble.io | Bubble Tutorials | Planetnocode.Com",
        "likes": "49",
        "views": "4.3K views",
        "uploaded": "6 months ago",
        "channel_name": "PlanetNoCode",
        "channel_url": "https://www.youtube.com/@planetnocode9104",
        "channel_subscribers": "1.04K subscribers"
      } ...
    }
  

How to scrape Youtube Channel Details

First, we need to open the Youtube and search for the desired channel.

In our case it will be: PlanetNoCode

  
    https://www.youtube.com/@planetnocode9104


The page we see must look similar to the following one:

Youtube channel page

From this page, we will scrape the following attributes:

Channel Details

  • Title
  • Subscribers
  • Thumbnail

Latest videos
  • Title
  • Badge
  • URL
  • Views
  • Uploaded

Channel details selectors
  
    /* Title: */
    #text-container .ytd-channel-name

    /* Subscribers: */
    #subscriber-count

    /* Thumbnail: */
    img#img
  

Latest videos selectors
  
    /* Parent: */
    #content.style-scope.ytd-rich-item-renderer

    /* Title: */
    #video-title

    /* Badge: */
    .badge

    /* URL: */
    a#thumbnail

    /* Views: */
    #metadata-line .inline-metadata-item.style-scope.ytd-video-meta-block:nth-of-type(1)

    /* Uploaded: */
    #metadata-line .inline-metadata-item.style-scope.ytd-video-meta-block:nth-of-type(2)

  

Now, let's handle the pagination.

To load more videos, we simply need to scroll to the bottom:

  
    document.querySelectorAll("#content.style-scope.ytd-rich-item-renderer").forEach(e => e.scrollIntoView({behavior: 'smooth'}))
  

Now let's build the request that will scrape all videos that the Youtube channel page returned.

The following examples will show how to scrape 2 pages of videos from Youtube's channel page.

The payload for our scraping request will be:

  
    {
      "api_key": "YOUR_PAGE2API_KEY",
      "url": "https://www.youtube.com/@planetnocode9104/videos",
      "real_browser": true,
      "premium_proxy": "us",
      "parse": {
        "title": "#text-container .ytd-channel-name >> text",
        "subscribers": "#subscriber-count >> text",
        "thumbnail": "img#img >> src",
        "latest_videos": [
          {
            "_parent": "#content.style-scope.ytd-rich-item-renderer",
            "badge": ".badge >> text",
            "title": "#video-title >> text",
            "url": "a#thumbnail >> href",
            "views": "#metadata-line .inline-metadata-item.style-scope.ytd-video-meta-block:nth-of-type(1) >> text",
            "uploaded": "#metadata-line .inline-metadata-item.style-scope.ytd-video-meta-block:nth-of-type(2) >> text"
          }
        ]
      },
      "scenario": [
        { "wait_for": "#text-container .ytd-channel-name" },
        {
          "loop": [
            { "execute_js": "document.querySelectorAll('#content.style-scope.ytd-rich-item-renderer').forEach(e => e.scrollIntoView({behavior: 'smooth'}))" },
            { "wait": 1 }
          ],
          "iterations": 2
        },
        { "execute": "parse" }
      ]
    }
  

Code examples

      
    require 'rest_client'
    require 'json'

    api_url = "https://www.page2api.com/api/v1/scrape"
    payload = {
      api_key: "YOUR_PAGE2API_KEY",
      url: "https://www.youtube.com/@planetnocode9104/videos",
      real_browser: true,
      premium_proxy: "us",
      parse: {
        title: "#text-container .ytd-channel-name >> text",
        subscribers: "#subscriber-count >> text",
        thumbnail: "img#img >> src",
        latest_videos: [
          {
            _parent: "#content.style-scope.ytd-rich-item-renderer",
            badge: ".badge >> text",
            title: "#video-title >> text",
            url: "a#thumbnail >> href",
            views: "#metadata-line .inline-metadata-item.style-scope.ytd-video-meta-block:nth-of-type(1) >> text",
            uploaded: "#metadata-line .inline-metadata-item.style-scope.ytd-video-meta-block:nth-of-type(2) >> text"
          }
        ]
      },
      scenario: [
        { wait_for: "#text-container .ytd-channel-name" },
        {
          loop: [
            { execute_js: "document.querySelectorAll('#content.style-scope.ytd-rich-item-renderer').forEach(e => e.scrollIntoView({behavior: 'smooth'}))" },
            { wait: 1 }
          ],
          iterations: 2
        },
        { execute: "parse" }
      ]
    }

    response = RestClient::Request.execute(
      method: :post,
      payload: payload.to_json,
      url: api_url,
      headers: { "Content-type" => "application/json" },
    ).body

    result = JSON.parse(response)

    puts(result)
      
    

The result

  
    {
      "result": {
        "title": "PlanetNoCode",
        "subscribers": "1.05K subscribers",
        "thumbnail": "https://yt3.googleusercontent.com/eZ2I1ah_TfO4Go8oagPCmbwSdplTY6O0663Yjxney_fpBLngPJD6nN3fMrAb_OBMjQABY2vBxg=s88-c-k-c0x00ffffff-no-rj",
        "latest_videos": [
          {
            "badge": "Bubble Tutorials Library",
            "title": "3 ways to edit calendar events in Bubble.io | Bubble.io Tutorials | Planetnocode.com",
            "url": "https://www.youtube.com/watch?v=1RGgw0lSPM0",
            "views": "149 views",
            "uploaded": "2 weeks ago"
          },
          {
            "badge": "Bubble Tutorials Library",
            "title": "Add a calendar to a Bubble.io app | Bubble.io Tutorials | Planetnocode.com",
            "url": "https://www.youtube.com/watch?v=LpoUBqUiXkc",
            "views": "212 views",
            "uploaded": "3 weeks ago"
          },
          {
            "badge": "Bubble Tutorials Library",
            "title": "Using split by and database triggers in Bubble.io | Bubble.io Tutorials | Planetnocode.com",
            "url": "https://www.youtube.com/watch?v=0XR9YA1n2cQ",
            "views": "199 views",
            "uploaded": "3 weeks ago"
          },
      }, ...
    }
  

How to export Youtube channel videos to Google Sheets

In order to be able to export the videos to a Google Spreadsheet we will need to slightly modify and simplify our request to receive the data in CSV format instead of JSON.

According to the documentation, we need to add the following parameters to our payload:
  
    "raw": {
      "key": "videos", "format": "csv"
    }
  

Now our payload will look like:

{ "api_key": "YOUR_PAGE2API_KEY", "raw": { "key": "videos", "format": "csv" }, "url": "https://www.youtube.com/@planetnocode9104/videos", "real_browser": true, "wait_for": "#text-container .ytd-channel-name", "premium_proxy": "us", "parse": { "videos": [ { "_parent": "#content.style-scope.ytd-rich-item-renderer", "badge": ".badge >> text", "title": "#video-title >> text", "url": "a#thumbnail >> href", "views": "#metadata-line .inline-metadata-item.style-scope.ytd-video-meta-block:nth-of-type(1) >> text", "uploaded": "#metadata-line .inline-metadata-item.style-scope.ytd-video-meta-block:nth-of-type(2) >> text" } ] } }

Now, edit the payload above if needed, and press Encode →

The URL with encoded payload will be:


  Press 'Encode'

Note: If you are reading this article being logged in - you can copy the link above since it will already have your api_key in the encoded payload.

The final part is adding the IMPORTDATA function, and we are ready to import channel videos into a Google Spreadsheet.
  Press 'Encode'

The result must look like the following one:

Youtube videos import to Google Sheets

Final thoughts

Collecting the data from Youtube manually can be a bit overwhelming and hard to scale.
However, a Web Scraping API can easily help you overcome this challenge and perform Youtube scraping in no time.
With Page2API you can quickly get access to the data you need, and use the time you saved on more important things!

You might also like

Nicolae Rotaru
Nicolae Rotaru
2022-11-21 - 4 min read

How to Scrape Instagram: Account Data, Posts, Images (Code & No Code)

In this article, you will find an easy way to scrape Instagram with Page2API using one of your favorite programming languages or a no-code solution that will import Instagram posts to Google Sheets

Nicolae Rotaru
Nicolae Rotaru
2022-09-29 - 4 min read

How to Scrape Yellow Pages: Business Names, Addresses, Phone Numbers (Code & No Code)

In this article, you will find an easy way to scrape Yellow Pages with Page2API using one of your favorite programming languages or a no-code solution that will import the data to Google Sheets

Nicolae Rotaru
Nicolae Rotaru
2022-07-27 - 5 min read

How to Scrape Airbnb Data: Pricing, Ratings, Amenities (Code & No code)

In this article, you will find an easy way to scrape Airbnb listings with Page2API using one of your favorite programming languages or a no-code solution that will import the data to Google Sheets

What customers are saying

Superb support
Superb, reliable support, even out of hours, patient and polite plus educational.
October 21, 2023
Very effective and trustworthy
Very effective and trustworthy!
I had some challenges which were addressed right away.
October 12, 2023
Page2API is without fail my favorite scraping API
Not only does Page2API work without fail constantly, but their customer support team is on a new level.
If i ever have issues integrating or have errors in my code they've always been responsive almost instantly and helped fix any errors.
I've never seen customer service like this anywhere, so massive thanks to the Page2API team.
July 14, 2023
Amazing product and support!
I have tried a lot of different scraping solutions and Page2Api is definitely the best one. It's very developer-friendly and Nick is extremely innovative in coming up with new ideas to solve problems.
The support is unreal as well.
I have sent Nick a request that I have trouble scraping and he's helped me fix all of them. Can highly recommend.
April 13, 2023
This API is amazing and the support was GREAT
This API is amazing and I am very excited to keep using it.
I'm writing this review because I was stumped on a very hard scrape for youtube transcripts, I brought my issue to support and in no time they had written what looks like a very tailored and complicated API call for me, I tested it and it worked perfect! Great great support.
April 19, 2023
Excellent service, super technical support!
I have been looking for such a quality for a long time, I have never met such an individual approach to clients.
Everything is at the highest level!
Nick very quickly helped to deal with all my questions, I am very grateful to him!
Recommend!
February 08, 2023
Fantastic Product and Customer Service
I'm a no-code guy trying to hack it in an API world... so I was pretty apprehensive about what I would be getting into with this.
I'm please to say that the customer service is so fantastic that they got me a solution in under 30 seconds that worked instantly in my application.
They did a great job and it works exactly as advertised.
Highly recommend them!
March 24, 2023
Surprisingly great service and support
I have certainly not come across any other internet initiative in the internet world that provides such good technical support and tries to help even if they are not related to them.
I will take as an example the approach of page2api to the customer in the startups I have founded.
February 16, 2023
Perfect for webcrapping javascript generated webpages
Page2API is perfect to be use from bubble or any other nocode tool.
It works submitting forms, scrapping info, and loading javascript generated content in webpages.
January 22, 2023
Best scraping service - tried them all
Hands down the best scraping service there is for a no-coder (...and I've tried them all).
Fast, easy to use, great documentation and stellar support.
Wish I'd found this months and months ago of waisting time at others. Highly recommend!
May 05, 2023
The best web scraper API for Bubble apps
Having tried several web scraper APIs I have found that Page2API is the best web scraper API for integrating with the Bubble API connector.
If you're a Bubble app developer Page2API is the web scraper you've been looking for!
November 30, 2022
Customer service is WORLD CLASS
Nick is serious about his business -- super knowledgeable and helpful whenever we have the slightest problem.
Honestly, the best customer service of any SaaS I've had the pleasure of working with.
10/10.
December 02, 2022
It's a perfect product
This team has a very high sense of responsibility for the product.
They let me know the part I don't know so kindly.
I didn't feel any discomfort when I used it in Korea
June 12, 2023
Highly professional support!
Amazing quick support!
But more than that, an actual relevant and pro help which solved my issue.
April 19, 2023
Incredible
Nick was incredible.
He helped me so much.
Need it for a research project and I highly highly recommend this service.
December 21, 2022
Great product, great support
I was searching for a scraping tool which fits to different types of needs and found Page2API.
The support is amazing and the product, too!
We will use Page2API also for our agency clients now.
Thank you for this great tool!
March 07, 2023
Really good provider for web-scraping…
Really good provider for web-scraping services, their customer service is top notch!
January 25, 2023
Great service with absolutely…
Great service with absolutely outstanding support
December 01, 2022

Ready to Scrape the Web like a PRO?

1000 free API calls.
Based on all requests made in the last 30 days. 99.85% success rate.
No-code-friendly.
Trustpilot stars 4.6