
    <link href="https://cdn.jsdelivr.net/npm/bootstrap@5.3.3/dist/css/bootstrap.min.css" rel="stylesheet" integrity="sha384-QWTKZyjpPEjISv5WaRU9OFeRpok6YctnYmDr5pNlyT2bRjXh0JMhjY6hW+ALEwIH" crossorigin="anonymous">
    <style>
        .yt-title-capitalizer-container {
            max-width: 800px;
            margin: 20px auto; /* Added top/bottom margin for better spacing on page */
            padding: 30px; /* Increased padding inside the container */
            background: #fff;
            border-radius: 10px;
            box-shadow: 0 4px 12px rgba(0, 0, 0, 0.1);
        }
        .yt-title-capitalizer-header {
            text-align: center;
            margin-bottom: 30px; /* Increased margin below the header */
        }
        .yt-title-capitalizer-header h1 {
            font-size: 2.5rem; /* Slightly larger heading */
            font-weight: bold;
            color: #ff0000; /* YouTube red */
            margin-bottom: 10px;
        }
        .yt-title-capitalizer-header p {
            font-size: 1.1rem;
            color: #555;
        }
        .yt-title-capitalizer-form {
            margin-bottom: 20px;
            text-align: center;
        }
        /* Styling for the large input (textarea) box */
        .yt-title-capitalizer-form .form-control {
            border-radius: 10px; /* More modern rounded corners */
            padding: 18px 20px; /* Increased padding to make it feel bigger */
            border: 1px solid #ddd;
            box-shadow: none;
            width: 100%;
            max-width: 600px; /* Increased max-width for the input */
            margin: 0 auto 25px auto; /* Centered with bottom margin */
            font-size: 1.25rem; /* Larger font size for readability */
            min-height: 100px; /* Sets a minimum height to make it "big" */
            resize: vertical; /* Allows vertical resizing by the user */
            transition: border-color 0.3s ease, box-shadow 0.3s ease;
        }
        .yt-title-capitalizer-form .form-control:focus {
            border-color: #ff0000; /* YouTube red focus border */
            box-shadow: 0 0 0 0.25rem rgba(255, 0, 0, 0.25); /* Subtle red shadow on focus */
        }

        /* Styling for all buttons */
        .yt-title-capitalizer-form .btn {
            background: #ff0000; /* YouTube red */
            color: #fff;
            border: none;
            border-radius: 25px; /* Pill-shaped buttons */
            padding: 12px 30px;
            font-weight: bold;
            transition: background 0.3s ease, transform 0.2s ease;
            margin: 8px; /* Margin between buttons */
            font-size: 1rem; /* Consistent font size for buttons */
            box-shadow: 0 2px 4px rgba(0, 0, 0, 0.1); /* Subtle shadow for depth */
        }
        .yt-title-capitalizer-form .btn:hover {
            background: #cc0000; /* Darker red on hover */
            transform: translateY(-2px); /* Slight lift effect on hover */
            box-shadow: 0 4px 8px rgba(0, 0, 0, 0.15);
        }
        .yt-title-capitalizer-form .btn:active {
            transform: translateY(0); /* Reset on click */
            box-shadow: 0 2px 4px rgba(0, 0, 0, 0.1);
        }

        /* Specific styling for Copy button */
        .yt-title-capitalizer-form .btn-copy {
            background: #007bff; /* Bootstrap primary blue, common for copy actions */
        }
        .yt-title-capitalizer-form .btn-copy:hover {
            background: #0056b3; /* Darker blue on hover */
        }

        /* Specific styling for Reset button */
        .yt-title-capitalizer-form .btn-reset {
            background: #6c757d; /* Bootstrap secondary grey, common for reset/cancel */
        }
        .yt-title-capitalizer-form .btn-reset:hover {
            background: #5a6268; /* Darker grey on hover */
        }

        /* Feedback message area */
        .feedback-message {
            margin-top: 15px;
            font-size: 1.1rem;
            font-weight: bold;
            min-height: 25px; /* Reserve space to prevent layout shift */
            color: #28a745; /* Default green for success */
        }
        .feedback-message.error {
            color: #dc3545; /* Red for error messages */
        }
    </style>
    <div class="yt-title-capitalizer-container"><div class="yt-title-capitalizer-header"><h2>YouTube Video Title Capitalizer</h2><p>Enter your video title below, then choose a capitalization option. Copy and Reset buttons are available!</p></div><div class="yt-title-capitalizer-form"><textarea id="titleInput" class="form-control" placeholder="Enter your YouTube video title here..."></textarea><div class="form-group text-center mb-0"><button class="btn" onclick="capitalizeFirstLetters()">Capitalize First Letters</button><button class="btn" onclick="capitalizeAllLetters()">Capitalize All Letters</button><button class="btn btn-copy" onclick="copyTitle()">Copy Title</button><button class="btn btn-reset" onclick="resetTitle()">Reset</button></div><div id="feedbackMessage" class="feedback-message"></div></div></div>
    <script>
        /**
         * Displays a temporary feedback message to the user.
         * @param {string} message - The message to display.
         * @param {string} type - "success" (default) or "error" to control color.
         */
        function displayFeedback(message, type = "success") {
            const feedbackDiv = document.getElementById("feedbackMessage");
            feedbackDiv.textContent = message;
            feedbackDiv.classList.remove("error"); // Remove previous error class
            if (type === "error") {
                feedbackDiv.classList.add("error"); // Add error class for red color
            }
            // Clear the message after 3 seconds
            setTimeout(() => {
                feedbackDiv.textContent = "";
                feedbackDiv.classList.remove("error"); // Ensure error class is removed
            }, 3000);
        }

        /**
         * Converts the input title to "Capitalize First Letters" case.
         * Handles multiple spaces and leading/trailing spaces.
         */
        function capitalizeFirstLetters() {
            const input = document.getElementById("titleInput");
            if (input.value.trim() === "") {
                displayFeedback("Please enter a title first!", "error");
                return;
            }
            // Trim leading/trailing spaces, convert to lowercase, split by one or more spaces,
            // capitalize the first letter of each word, and join back.
            input.value = input.value
                .trim() // Remove leading/trailing whitespace
                .toLowerCase()
                .split(/\s+/) // Split by one or more whitespace characters
                .map(word => {
                    if (word.length === 0) return ""; // Handle potential empty strings from split
                    return word.charAt(0).toUpperCase() + word.slice(1);
                })
                .join(" ");
            displayFeedback("Title converted to Capitalize First Letters!");
        }

        /**
         * Converts the input title to "CAPITALIZE ALL LETTERS" case.
         */
        function capitalizeAllLetters() {
            const input = document.getElementById("titleInput");
            if (input.value.trim() === "") {
                displayFeedback("Please enter a title first!", "error");
                return;
            }
            input.value = input.value.toUpperCase();
            displayFeedback("Title converted to CAPITALIZE ALL LETTERS!");
        }

        /**
         * Copies the current title from the input field to the user's clipboard.
         * Uses the modern navigator.clipboard API with a fallback for older browsers.
         */
        function copyTitle() {
            const input = document.getElementById("titleInput");
            if (input.value.trim() === "") {
                displayFeedback("Nothing to copy!", "error");
                return;
            }

            // Select the text in the input field
            input.select();
            input.setSelectionRange(0, 99999); // For mobile devices

            // Use the modern Clipboard API
            if (navigator.clipboard && navigator.clipboard.writeText) {
                navigator.clipboard.writeText(input.value)
                    .then(() => {
                        displayFeedback("Title copied to clipboard!");
                    })
                    .catch(err => {
                        console.error("Failed to copy using clipboard API:", err);
                        displayFeedback("Failed to copy. Please copy manually.", "error");
                    });
            } else {
                // Fallback for older browsers (document.execCommand is deprecated but still works in many places)
                try {
                    document.execCommand("copy");
                    displayFeedback("Title copied to clipboard (fallback)! A");
                } catch (err) {
                    console.error("Failed to copy using execCommand:", err);
                    displayFeedback("Failed to copy. Please copy manually.", "error");
                }
            }
        }

        /**
         * Clears the input field.
         */
        function resetTitle() {
            const input = document.getElementById("titleInput");
            input.value = "";
            displayFeedback("Title input cleared!");
        }
    </script>
    {"id":303,"date":"2025-03-13T06:36:02","date_gmt":"2025-03-13T06:36:02","guid":{"rendered":"https:\/\/youtube-thumbnail-download.org\/?page_id=303"},"modified":"2025-05-29T05:25:29","modified_gmt":"2025-05-29T05:25:29","slug":"youtube-video-title-capitalizer","status":"publish","type":"page","link":"https:\/\/youtube-thumbnail-download.org\/pt\/youtube-video-title-capitalizer\/","title":{"rendered":"Capitalizador de t\u00edtulo de v\u00eddeo do YouTube"},"content":{"rendered":"\n\n\n\n\n<hr class=\"wp-block-separator has-alpha-channel-opacity\"\/>\n\n\n\n<h2 class=\"wp-block-heading\"><strong>About YouTube Video Title Capitalizer<\/strong><\/h2>\n\n\n\n<p>Using a properly formatted title catches attention and portrays the professional, caretaking side of you. Enter \u201cYouTube Video Title Capitalizer,\u201d a great online tool to create eye-catching video titles in a matter of clicks or two. Here is the YouTube Video Title Capitalizer, which makes formatting your video title a breeze. If you want to write the first letter of every word to make sure you have a neat heading or go for an all-uppercase title for added shine, this can be done, too. That is how you can use it:<\/p>\n\n\n\n<ul class=\"wp-block-list\">\n<li><strong>Make first letters Capital:&nbsp;<\/strong>option to convert your title to title cases where the first letter of each word is capitalised. Perfect for a neat and professional look.<\/li>\n\n\n\n<li><strong>Capital Letters for All:&nbsp;<\/strong>Capitalising all letters is the way to go if you wish to emphasise your title and catch your attention. This makes the title setting bold and confident.<\/li>\n<\/ul>\n\n\n\n<h2 class=\"wp-block-heading\"><strong>How to Use YouTube Video Title Capitalizer Tool?<\/strong><\/h2>\n\n\n\n<ol class=\"wp-block-list\">\n<li>Paste Your Title \u2192 Go to the text area of the page and paste your video title\/titles.<\/li>\n\n\n\n<li>Select a format: go one way or another with your first letter uppercase of each word or full title UPPER CASE. Finally! Click the button next to your chosen option.<\/li>\n\n\n\n<li>Copy + Paste: After the tool does its magic, all you need to do next is copy your title, which is now formatted however you like, and paste that into the title box of your YouTube video.<\/li>\n<\/ol>\n\n\n\n<div class=\"yt-faq-container\" itemscope itemtype=\"https:\/\/schema.org\/FAQPage\">\n  <div class=\"yt-faq-header\">\n    <div class=\"yt-faq-logo\">\n      <svg viewBox=\"0 0 24 24\" width=\"40\" height=\"40\">\n        <path fill=\"#FF0000\" d=\"M12 2C6.48 2 2 6.48 2 12s4.48 10 10 10 10-4.48 10-10S17.52 2 12 2z\"\/>\n        <!-- 'Aa' icon for capitalization -->\n        <text x=\"5.5\" y=\"17.5\" font-family=\"Arial, sans-serif\" font-size=\"10\" font-weight=\"bold\" fill=\"#FFFFFF\">Aa<\/text>\n      <\/svg>\n      <h3>YouTube Video Title Capitalizer FAQ<\/h3>\n    <\/div>\n    <p class=\"yt-faq-subtitle\">Make your titles look sharp &#038; professional!<\/p>\n  <\/div>\n\n  <div class=\"yt-faq-item\" itemscope itemprop=\"mainEntity\" itemtype=\"https:\/\/schema.org\/Question\">\n    <h4 class=\"yt-faq-question\" itemprop=\"name\">What does this YouTube video Title Capitalizer tool actually do?<\/h4>\n    <div class=\"yt-faq-answer\" itemscope itemprop=\"acceptedAnswer\" itemtype=\"https:\/\/schema.org\/Answer\">\n      <div itemprop=\"text\">\n        <p>Takes your messy video titles and makes them look professional with proper capitalization. Like turning &#8220;how to make pizza at home&#8221; into &#8220;How to Make Pizza at Home&#8221; &#8211; boom, instantly more clickable!<\/p>\n      <\/div>\n    <\/div>\n  <\/div>\n\n  <div class=\"yt-faq-item\" itemscope itemprop=\"mainEntity\" itemtype=\"https:\/\/schema.org\/Question\">\n    <h4 class=\"yt-faq-question\" itemprop=\"name\">Does it work for all title styles?<\/h4>\n    <div class=\"yt-faq-answer\" itemscope itemprop=\"acceptedAnswer\" itemtype=\"https:\/\/schema.org\/Answer\">\n      <div itemprop=\"text\">\n        <p>Yep! Handles title case, sentence case, whatever. I&#8217;ve used it for everything from tutorials to vlogs, and it nails it every time. Super handy when you&#8217;re in a rush to upload.<\/p>\n      <\/div>\n    <\/div>\n  <\/div>\n\n  <div class=\"yt-faq-item\" itemscope itemprop=\"mainEntity\" itemtype=\"https:\/\/schema.org\/Question\">\n    <h4 class=\"yt-faq-question\" itemprop=\"name\">Is using YouTube Video Title Capitalizer free?<\/h4>\n    <div class=\"yt-faq-answer\" itemscope itemprop=\"acceptedAnswer\" itemtype=\"https:\/\/schema.org\/Answer\">\n      <div itemprop=\"text\">\n        <p>Most of these tools are free, thank god! Some might have premium features, but honestly, the basic capitalizer does the job just fine. No need to pay damage for something this simple.<\/p>\n      <\/div>\n    <\/div>\n  <\/div>\n\n  <div class=\"yt-faq-item\" itemscope itemprop=\"mainEntity\" itemtype=\"https:\/\/schema.org\/Question\">\n    <h4 class=\"yt-faq-question\" itemprop=\"name\">Will it mess up brand names or acronyms?<\/h4>\n    <div class=\"yt-faq-answer\" itemscope itemprop=\"acceptedAnswer\" itemtype=\"https:\/\/schema.org\/Answer\">\n      <div itemprop=\"text\">\n        <p>Good ones are smart about it &#8211; they&#8217;ll keep &#8220;iPhone&#8221; as &#8220;iPhone&#8221; and &#8220;DIY&#8221; as &#8220;DIY.&#8221; Learned this the hard way when a bad tool ruined my tech review titles!<\/p>\n      <\/div>\n    <\/div>\n  <\/div>\n\n  <div class=\"yt-faq-item\" itemscope itemprop=\"mainEntity\" itemtype=\"https:\/\/schema.org\/Question\">\n    <h4 class=\"yt-faq-question\" itemprop=\"name\">Can I use it for other stuff besides YouTube?<\/h4>\n    <div class=\"yt-faq-answer\" itemscope itemprop=\"acceptedAnswer\" itemtype=\"https:\/\/schema.org\/Answer\">\n      <div itemprop=\"text\">\n        <p>Totally! Works great for blog posts, social media, and and any other content that requires proper capitalization. I use mine for Instagram captions and Facebook posts all the time &#8211; it saves me so much editing time.<\/p>\n      <\/div>\n    <\/div>\n  <\/div>\n\n  <div class=\"yt-faq-item\" itemscope itemprop=\"mainEntity\" itemtype=\"https:\/\/schema.org\/Question\">\n    <h4 class=\"yt-faq-question\" itemprop=\"name\">Are there any downsides I should be aware of?<\/h4>\n    <div class=\"yt-faq-answer\" itemscope itemprop=\"acceptedAnswer\" itemtype=\"https:\/\/schema.org\/Answer\">\n      <div itemprop=\"text\">\n        <p>Sometimes, they&#8217;re too aggressive with capitalizing prepositions and whatnot. Always double-check before publishing &#8217;cause nobody wants to look unprofessional. Quick scan saves embarrassment later!<\/p>\n      <\/div>\n    <\/div>\n  <\/div>\n\n<\/div>\n\n<style>\n\/* Ensure these styles are placed in Appearance > Customize > Additional CSS or your child theme's style.css *\/\n.yt-faq-container {\n  max-width: 700px;\n  margin: 30px auto;\n  font-family: 'Segoe UI', Roboto, -apple-system, sans-serif;\n  background: white;\n  border-radius: 8px;\n  overflow: hidden;\n  box-shadow: 0 4px 20px rgba(0, 0, 0, 0.1); \/* Neutral shadow *\/\n  border: 1px solid #e6e6e6; \/* Light grey border *\/\n}\n.yt-faq-header {\n  background: linear-gradient(135deg, #CC0000, #A30000); \/* YouTube Red gradient *\/\n  padding: 25px 20px;\n  text-align: center;\n  color: white;\n  border-bottom: 4px solid #EEEEEE; \/* Light grey border *\/\n}\n.yt-faq-logo {\n  display: flex;\n  align-items: center;\n  justify-content: center;\n  gap: 12px;\n  margin-bottom: 8px;\n}\n.yt-faq-logo h3 {\n  margin: 0;\n  font-weight: 600 !important; \n  font-size: 22px !important; \n  letter-spacing: -0.5px;\n  color: white !important;\n}\n.yt-faq-subtitle {\n  margin: 0;\n  opacity: 0.9;\n  font-size: 15px !important; \n  font-weight: 400 !important;\n  color: white !important; \/* Ensure subtitle is visible *\/\n}\n.yt-faq-item {\n  border-bottom: 1px solid #e6e6e6; \n}\n\n\/* --- KEY FIX FOR OVERSIZED QUESTIONS IN ASTRA --- *\/\n.yt-faq-container .yt-faq-item h4.yt-faq-question {\n  margin: 0;\n  padding: 18px 20px;\n  background-color: white;\n  color: #212121; \/* Dark grey text for questions *\/\n  cursor: pointer;\n  font-size: 16px !important; \/* CRITICAL *\/\n  line-height: 1.5 !important; \n  font-weight: 600 !important; \n  transition: all 0.2s;\n  display: flex;\n  align-items: center;\n}\n\/* --- END OF KEY FIX --- *\/\n\n.yt-faq-question:hover { \n  background-color: #FAFAFA; \n}\n.yt-faq-question:before {\n  content: '';\n  display: inline-block;\n  width: 24px;\n  height: 24px;\n  margin-right: 12px;\n  background-image: url('data:image\/svg+xml;utf8,<svg xmlns=\"http:\/\/www.w3.org\/2000\/svg\" viewBox=\"0 0 24 24\" fill=\"%23CC0000\"><path d=\"M19 13h-6v6h-2v-6H5v-2h6V5h2v6h6v2z\"\/><\/svg>');\n  background-size: contain;\n  transition: transform 0.2s;\n}\n.yt-faq-item.active .yt-faq-question:before {\n  background-image: url('data:image\/svg+xml;utf8,<svg xmlns=\"http:\/\/www.w3.org\/2000\/svg\" viewBox=\"0 0 24 24\" fill=\"%23CC0000\"><path d=\"M19 13H5v-2h14v2z\"\/><\/svg>');\n}\n.yt-faq-answer {\n  max-height: 0;\n  overflow: hidden;\n  transition: max-height 0.3s ease-out;\n  background: #F9F9F9; \n}\n.yt-faq-answer > div { \n  padding: 20px;\n  color: #4A4A4A; \n  line-height: 1.6;\n  font-size: 15px !important; \n}\n.yt-faq-item.active .yt-faq-answer {\n  max-height: 600px; \n}\n\n@keyframes fadeInUp {\n  from { opacity: 0; transform: translateY(10px); }\n  to { opacity: 1; transform: translateY(0); }\n}\n.yt-faq-item {\n  animation: fadeInUp 0.4s ease-out forwards;\n  opacity: 0;\n}\n.yt-faq-item:nth-child(1) { animation-delay: 0.1s; }\n.yt-faq-item:nth-child(2) { animation-delay: 0.15s; }\n.yt-faq-item:nth-child(3) { animation-delay: 0.2s; }\n.yt-faq-item:nth-child(4) { animation-delay: 0.25s; }\n.yt-faq-item:nth-child(5) { animation-delay: 0.3s; }\n.yt-faq-item:nth-child(6) { animation-delay: 0.35s; }\n\n\n@media (max-width: 600px) {\n  .yt-faq-logo h3 {\n    font-size: 20px !important; \n  }\n  .yt-faq-container .yt-faq-item h4.yt-faq-question { \n    padding: 16px 15px;\n    font-size: 15px !important; \n    line-height: 1.4 !important;\n  }\n  .yt-faq-answer > div {\n    font-size: 14px !important; \n  }\n}\n<\/style>\n\n<script>\n\/\/ Place this script in your theme's footer script area or using a plugin like \"Insert Headers and Footers\"\ndocument.addEventListener('DOMContentLoaded', function() {\n  const questions = document.querySelectorAll('.yt-faq-question');\n  \n  if(questions.length > 0 && questions[0].parentElement.classList.contains('yt-faq-item')) { \n    \/\/ Auto-open first question\n    questions[0].parentElement.classList.add('active');\n  \n    questions.forEach(question => {\n      question.addEventListener('click', () => {\n        const item = question.parentElement;\n        if (item.classList.contains('yt-faq-item')) { \n          \/\/ Close all other items first\n          questions.forEach(q => {\n            if (q.parentElement !== item && q.parentElement.classList.contains('yt-faq-item')) { \n              q.parentElement.classList.remove('active');\n            }\n          });\n          \n          \/\/ Then toggle the clicked item\n          item.classList.toggle('active');\n        }\n      });\n    });\n  } else {\n    \/\/ console.log(\"FAQ script: No FAQ questions found or structure mismatch for .yt-faq-question.\");\n  }\n});\n<\/script>\n","protected":false},"excerpt":{"rendered":"<p>Sobre o t\u00edtulo do v\u00eddeo do YouTube Capitalizador O uso de um t\u00edtulo formatado corretamente chama a aten\u00e7\u00e3o e mostra o seu lado profissional e cuidadoso. ... <\/p>\n<p class=\"read-more-container\"><a title=\"Capitalizador de t\u00edtulo de v\u00eddeo do YouTube\" class=\"read-more button\" href=\"https:\/\/youtube-thumbnail-download.org\/pt\/youtube-video-title-capitalizer\/#more-303\" aria-label=\"Leia mais sobre Capitalizador de t\u00edtulo de v\u00eddeo do YouTube\">Leia mais<\/a><\/p>","protected":false},"author":1,"featured_media":373,"parent":0,"menu_order":0,"comment_status":"closed","ping_status":"closed","template":"","meta":{"footnotes":""},"class_list":{"0":"post-303","1":"page","2":"type-page","3":"status-publish","4":"has-post-thumbnail","6":"resize-featured-image"},"yoast_head":"<!-- This site is optimized with the Yoast SEO plugin v27.0 - https:\/\/yoast.com\/product\/yoast-seo-wordpress\/ -->\n<title>YouTube Video Title Capitalizer: Optimize Your Titles Now!<\/title>\n<meta name=\"description\" content=\"Discover the YouTube Video Title Capitalizer! This tool helps you optimize video titles by capitalizing keywords effectively.\" \/>\n<meta name=\"robots\" content=\"index, follow, max-snippet:-1, max-image-preview:large, max-video-preview:-1\" \/>\n<link rel=\"canonical\" href=\"https:\/\/youtube-thumbnail-download.org\/pt\/youtube-video-title-capitalizer\/\" \/>\n<meta property=\"og:locale\" content=\"pt_BR\" \/>\n<meta property=\"og:type\" content=\"article\" \/>\n<meta property=\"og:title\" content=\"YouTube Video Title Capitalizer: Optimize Your Titles Now!\" \/>\n<meta property=\"og:description\" content=\"Discover the YouTube Video Title Capitalizer! This tool helps you optimize video titles by capitalizing keywords effectively.\" \/>\n<meta property=\"og:url\" content=\"https:\/\/youtube-thumbnail-download.org\/pt\/youtube-video-title-capitalizer\/\" \/>\n<meta property=\"og:site_name\" content=\"YouTube Thumbnail Downloader\" \/>\n<meta property=\"article:modified_time\" content=\"2025-05-29T05:25:29+00:00\" \/>\n<meta property=\"og:image\" content=\"https:\/\/youtube-thumbnail-download.org\/wp-content\/uploads\/2025\/03\/Youtube-Video-Title-Capitalizer.jpg\" \/>\n\t<meta property=\"og:image:width\" content=\"1280\" \/>\n\t<meta property=\"og:image:height\" content=\"720\" \/>\n\t<meta property=\"og:image:type\" content=\"image\/jpeg\" \/>\n<meta name=\"twitter:card\" content=\"summary_large_image\" \/>\n<meta name=\"twitter:label1\" content=\"Est. tempo de leitura\" \/>\n\t<meta name=\"twitter:data1\" content=\"3 minutos\" \/>\n<script type=\"application\/ld+json\" class=\"yoast-schema-graph\">{\"@context\":\"https:\/\/schema.org\",\"@graph\":[{\"@type\":\"WebPage\",\"@id\":\"https:\/\/youtube-thumbnail-download.org\/youtube-video-title-capitalizer\/\",\"url\":\"https:\/\/youtube-thumbnail-download.org\/youtube-video-title-capitalizer\/\",\"name\":\"YouTube Video Title Capitalizer: Optimize Your Titles Now!\",\"isPartOf\":{\"@id\":\"https:\/\/youtube-thumbnail-download.org\/#website\"},\"primaryImageOfPage\":{\"@id\":\"https:\/\/youtube-thumbnail-download.org\/youtube-video-title-capitalizer\/#primaryimage\"},\"image\":{\"@id\":\"https:\/\/youtube-thumbnail-download.org\/youtube-video-title-capitalizer\/#primaryimage\"},\"thumbnailUrl\":\"https:\/\/youtube-thumbnail-download.org\/wp-content\/uploads\/2025\/03\/Youtube-Video-Title-Capitalizer.jpg\",\"datePublished\":\"2025-03-13T06:36:02+00:00\",\"dateModified\":\"2025-05-29T05:25:29+00:00\",\"description\":\"Discover the YouTube Video Title Capitalizer! This tool helps you optimize video titles by capitalizing keywords effectively.\",\"breadcrumb\":{\"@id\":\"https:\/\/youtube-thumbnail-download.org\/youtube-video-title-capitalizer\/#breadcrumb\"},\"inLanguage\":\"pt-BR\",\"potentialAction\":[{\"@type\":\"ReadAction\",\"target\":[\"https:\/\/youtube-thumbnail-download.org\/youtube-video-title-capitalizer\/\"]}]},{\"@type\":\"ImageObject\",\"inLanguage\":\"pt-BR\",\"@id\":\"https:\/\/youtube-thumbnail-download.org\/youtube-video-title-capitalizer\/#primaryimage\",\"url\":\"https:\/\/youtube-thumbnail-download.org\/wp-content\/uploads\/2025\/03\/Youtube-Video-Title-Capitalizer.jpg\",\"contentUrl\":\"https:\/\/youtube-thumbnail-download.org\/wp-content\/uploads\/2025\/03\/Youtube-Video-Title-Capitalizer.jpg\",\"width\":1280,\"height\":720},{\"@type\":\"BreadcrumbList\",\"@id\":\"https:\/\/youtube-thumbnail-download.org\/youtube-video-title-capitalizer\/#breadcrumb\",\"itemListElement\":[{\"@type\":\"ListItem\",\"position\":1,\"name\":\"Home\",\"item\":\"https:\/\/youtube-thumbnail-download.org\/\"},{\"@type\":\"ListItem\",\"position\":2,\"name\":\"Youtube Video Title Capitalizer\"}]},{\"@type\":\"WebSite\",\"@id\":\"https:\/\/youtube-thumbnail-download.org\/#website\",\"url\":\"https:\/\/youtube-thumbnail-download.org\/\",\"name\":\"YouTube Thumbnail Downloader\",\"description\":\"\",\"publisher\":{\"@id\":\"https:\/\/youtube-thumbnail-download.org\/#organization\"},\"potentialAction\":[{\"@type\":\"SearchAction\",\"target\":{\"@type\":\"EntryPoint\",\"urlTemplate\":\"https:\/\/youtube-thumbnail-download.org\/?s={search_term_string}\"},\"query-input\":{\"@type\":\"PropertyValueSpecification\",\"valueRequired\":true,\"valueName\":\"search_term_string\"}}],\"inLanguage\":\"pt-BR\"},{\"@type\":\"Organization\",\"@id\":\"https:\/\/youtube-thumbnail-download.org\/#organization\",\"name\":\"YouTube Thumbnail Downloader\",\"url\":\"https:\/\/youtube-thumbnail-download.org\/\",\"logo\":{\"@type\":\"ImageObject\",\"inLanguage\":\"pt-BR\",\"@id\":\"https:\/\/youtube-thumbnail-download.org\/#\/schema\/logo\/image\/\",\"url\":\"https:\/\/youtube-thumbnail-download.org\/wp-content\/uploads\/2025\/05\/youtube.png\",\"contentUrl\":\"https:\/\/youtube-thumbnail-download.org\/wp-content\/uploads\/2025\/05\/youtube.png\",\"width\":350,\"height\":70,\"caption\":\"YouTube Thumbnail Downloader\"},\"image\":{\"@id\":\"https:\/\/youtube-thumbnail-download.org\/#\/schema\/logo\/image\/\"}}]}<\/script>\n<!-- \/ Yoast SEO plugin. -->","yoast_head_json":{"title":"Capitalizador de t\u00edtulos de v\u00eddeos do YouTube: Otimize seus t\u00edtulos agora!","description":"Descubra o Capitalizador de t\u00edtulos de v\u00eddeos do YouTube! Essa ferramenta ajuda voc\u00ea a otimizar os t\u00edtulos de v\u00eddeo colocando as palavras-chave em mai\u00fasculas de forma eficaz.","robots":{"index":"index","follow":"follow","max-snippet":"max-snippet:-1","max-image-preview":"max-image-preview:large","max-video-preview":"max-video-preview:-1"},"canonical":"https:\/\/youtube-thumbnail-download.org\/pt\/youtube-video-title-capitalizer\/","og_locale":"pt_BR","og_type":"article","og_title":"YouTube Video Title Capitalizer: Optimize Your Titles Now!","og_description":"Discover the YouTube Video Title Capitalizer! This tool helps you optimize video titles by capitalizing keywords effectively.","og_url":"https:\/\/youtube-thumbnail-download.org\/pt\/youtube-video-title-capitalizer\/","og_site_name":"YouTube Thumbnail Downloader","article_modified_time":"2025-05-29T05:25:29+00:00","og_image":[{"width":1280,"height":720,"url":"https:\/\/youtube-thumbnail-download.org\/wp-content\/uploads\/2025\/03\/Youtube-Video-Title-Capitalizer.jpg","type":"image\/jpeg"}],"twitter_card":"summary_large_image","twitter_misc":{"Est. tempo de leitura":"3 minutos"},"schema":{"@context":"https:\/\/schema.org","@graph":[{"@type":"WebPage","@id":"https:\/\/youtube-thumbnail-download.org\/youtube-video-title-capitalizer\/","url":"https:\/\/youtube-thumbnail-download.org\/youtube-video-title-capitalizer\/","name":"Capitalizador de t\u00edtulos de v\u00eddeos do YouTube: Otimize seus t\u00edtulos agora!","isPartOf":{"@id":"https:\/\/youtube-thumbnail-download.org\/#website"},"primaryImageOfPage":{"@id":"https:\/\/youtube-thumbnail-download.org\/youtube-video-title-capitalizer\/#primaryimage"},"image":{"@id":"https:\/\/youtube-thumbnail-download.org\/youtube-video-title-capitalizer\/#primaryimage"},"thumbnailUrl":"https:\/\/youtube-thumbnail-download.org\/wp-content\/uploads\/2025\/03\/Youtube-Video-Title-Capitalizer.jpg","datePublished":"2025-03-13T06:36:02+00:00","dateModified":"2025-05-29T05:25:29+00:00","description":"Descubra o Capitalizador de t\u00edtulos de v\u00eddeos do YouTube! Essa ferramenta ajuda voc\u00ea a otimizar os t\u00edtulos de v\u00eddeo colocando as palavras-chave em mai\u00fasculas de forma eficaz.","breadcrumb":{"@id":"https:\/\/youtube-thumbnail-download.org\/youtube-video-title-capitalizer\/#breadcrumb"},"inLanguage":"pt-BR","potentialAction":[{"@type":"ReadAction","target":["https:\/\/youtube-thumbnail-download.org\/youtube-video-title-capitalizer\/"]}]},{"@type":"ImageObject","inLanguage":"pt-BR","@id":"https:\/\/youtube-thumbnail-download.org\/youtube-video-title-capitalizer\/#primaryimage","url":"https:\/\/youtube-thumbnail-download.org\/wp-content\/uploads\/2025\/03\/Youtube-Video-Title-Capitalizer.jpg","contentUrl":"https:\/\/youtube-thumbnail-download.org\/wp-content\/uploads\/2025\/03\/Youtube-Video-Title-Capitalizer.jpg","width":1280,"height":720},{"@type":"BreadcrumbList","@id":"https:\/\/youtube-thumbnail-download.org\/youtube-video-title-capitalizer\/#breadcrumb","itemListElement":[{"@type":"ListItem","position":1,"name":"Home","item":"https:\/\/youtube-thumbnail-download.org\/"},{"@type":"ListItem","position":2,"name":"Youtube Video Title Capitalizer"}]},{"@type":"WebSite","@id":"https:\/\/youtube-thumbnail-download.org\/#website","url":"https:\/\/youtube-thumbnail-download.org\/","name":"O YouTube Downloader Miniatura","description":"","publisher":{"@id":"https:\/\/youtube-thumbnail-download.org\/#organization"},"potentialAction":[{"@type":"SearchAction","target":{"@type":"EntryPoint","urlTemplate":"https:\/\/youtube-thumbnail-download.org\/?s={search_term_string}"},"query-input":{"@type":"PropertyValueSpecification","valueRequired":true,"valueName":"search_term_string"}}],"inLanguage":"pt-BR"},{"@type":"Organization","@id":"https:\/\/youtube-thumbnail-download.org\/#organization","name":"O YouTube Downloader Miniatura","url":"https:\/\/youtube-thumbnail-download.org\/","logo":{"@type":"ImageObject","inLanguage":"pt-BR","@id":"https:\/\/youtube-thumbnail-download.org\/#\/schema\/logo\/image\/","url":"https:\/\/youtube-thumbnail-download.org\/wp-content\/uploads\/2025\/05\/youtube.png","contentUrl":"https:\/\/youtube-thumbnail-download.org\/wp-content\/uploads\/2025\/05\/youtube.png","width":350,"height":70,"caption":"YouTube Thumbnail Downloader"},"image":{"@id":"https:\/\/youtube-thumbnail-download.org\/#\/schema\/logo\/image\/"}}]}},"_links":{"self":[{"href":"https:\/\/youtube-thumbnail-download.org\/pt\/wp-json\/wp\/v2\/pages\/303","targetHints":{"allow":["GET"]}}],"collection":[{"href":"https:\/\/youtube-thumbnail-download.org\/pt\/wp-json\/wp\/v2\/pages"}],"about":[{"href":"https:\/\/youtube-thumbnail-download.org\/pt\/wp-json\/wp\/v2\/types\/page"}],"author":[{"embeddable":true,"href":"https:\/\/youtube-thumbnail-download.org\/pt\/wp-json\/wp\/v2\/users\/1"}],"replies":[{"embeddable":true,"href":"https:\/\/youtube-thumbnail-download.org\/pt\/wp-json\/wp\/v2\/comments?post=303"}],"version-history":[{"count":5,"href":"https:\/\/youtube-thumbnail-download.org\/pt\/wp-json\/wp\/v2\/pages\/303\/revisions"}],"predecessor-version":[{"id":712,"href":"https:\/\/youtube-thumbnail-download.org\/pt\/wp-json\/wp\/v2\/pages\/303\/revisions\/712"}],"wp:featuredmedia":[{"embeddable":true,"href":"https:\/\/youtube-thumbnail-download.org\/pt\/wp-json\/wp\/v2\/media\/373"}],"wp:attachment":[{"href":"https:\/\/youtube-thumbnail-download.org\/pt\/wp-json\/wp\/v2\/media?parent=303"}],"curies":[{"name":"wp","href":"https:\/\/api.w.org\/{rel}","templated":true}]}}