⚡ Update β March 2026: Macro V2 Is Being Trialed
Based on reader feedback, we've updated the Terminator script (Script #2) with smarter error handling β it now auto-restarts short videos, closes age-restricted and unavailable video tabs automatically, handles live stream queues, and attempts to auto-click the captcha widget. It should run even smoother. Script #1 (Dashboard Manager) is unchanged.
Disclosure
This article contains referral links to MakeYouTask. If you sign up through our link, we may earn a commission at no cost to you. We only recommend platforms we've personally tested. See our full disclaimer.
You can automate MakeYouTask Watch & Earn using two free MacroDroid macros: a Dashboard Manager that launches the session and a Terminator script that handles errors, restarts short videos, and closes unavailable content. After a one-time setup, your phone earns ~$0.10/hour with zero daily interaction.
If you've been in the micro-earning space for a while, you know most "watch videos and earn" sites either pay peanuts⦠or don't pay at all.
MakeYouTask is different.
MakeYouTask is a modern GPT (Get-Paid-To) platform that actually pays β and in my experience, pays more consistently and at higher rates than most micro-earning sites in this category. The interface is clean, the earning options are solid, and the withdrawal system works.
If you want my full breakdown (withdrawals, rates, proof, pros/cons), you can check out my detailed review here:
π Click here for the full MakeYouTask review
But in this post, I'm going to show you something even more powerful:
How to automate the repetitive "watch video" process using two simple macros β so you can let it run in a tab while watching Netflix, gaming, or working on something else.
π° Why I'm Sharing This
I earn a small commission when you use my referral links. But here's the thing: the more you make, the more I make. So I want to make this as easy and as profitable as possible for you. Use these macros to maximize your earnings β let me help you earn a lot of cash.
β οΈ Important - Use Responsibly
These macros are designed to make the process easier, not to completely "bot" the site. You still need to be present, solve captchas manually, and monitor the process. Don't violate MakeYouTask's Terms of Service by running it unattended 24/7. Use the site responsibly and there's zero ban risk.
Why Automate MakeYouTask?
The "MicroEarn" video section is one of the most consistent earners on MakeYouTask. But it's repetitive:
- Click video
- Wait
- Confirm
- Repeat
- Repeat
- Repeat
Do that 200+ times and you'll understand why automation helps.
With a macro:
- It auto-clicks the repetitive buttons
- Moves to the next video
- Keeps the flow going
- You only step in when a captcha appears
This turns active clicking into semi-passive income.
Step 1 β Sign Up to MakeYouTask
Before anything else:
π Head over to MakeYouTask using my referral link (this helps support the blog and often gives you a small starting bonus).
Referral link - helps support this blog
Create your account and log in.
Step 1b β Open a Crypto Wallet (FaucetPay)
Before you can withdraw your earnings, you need a crypto wallet that supports micro-payments.
I recommend FaucetPay β it's the most popular wallet for micro-earning sites and supports instant withdrawals from MakeYouTask.
π Click here to open a crypto wallet at FaucetPay
Free wallet β’ Instant withdrawals β’ Send to any crypto exchange
Once you have your FaucetPay wallet:
- Link it to your MakeYouTask account
- Cash out instantly (as low as $0.10)
- Send your earnings to any crypto exchange of your choosing
Now you're ready to automate and start earning.
Step 2 β Install Tampermonkey (Chrome)
To run the macros, you need a browser extension called Tampermonkey.
How to Install:
- Open Chrome
- Go to the Chrome Web Store
- Search for "Tampermonkey"
- Click Add to Chrome
- Confirm installation
Once installed, you'll see a black square icon in your extensions bar.
Step 3 β Add My 2 Automation Scripts
Now we'll install the two scripts I personally use.
How to Add a Script:
- Click the Tampermonkey icon
- Click Create a new script
- Delete the default code
- Paste in Script #1 (below)
- Click File β Save
- Repeat the process for Script #2
Script #1 β Auto Start & Navigation Macro
This script automatically finds and clicks fresh "Watch Video" buttons on the MakeYouTask dashboard.
Copy this entire script:
// ==UserScript==
// @name PTC Dashboard Manager (Persistent)
// @match *://makeyoutask.com/ptc*
// @grant none
// @version 2026.02.11
// ==/UserScript==
(function() {
'use strict';
const MAX_HISTORY = 100;
function processDashboard() {
if (document.hidden) return;
// 1. Handle "OK" / Success Popups
const okBtn = document.querySelector('.swal2-confirm');
if (okBtn && okBtn.offsetParent !== null) {
console.log("[PTC] Success popup found. Clicking OK...");
okBtn.click();
return;
}
// 2. Get click history
let clickedAds = JSON.parse(localStorage.getItem('ptc_clicked_history') || "[]");
// 3. Find fresh ads
let availableAds = Array.from(document.querySelectorAll('a, button')).filter(el => {
const textMatch = el.innerText.includes("Watch Video");
const isVisible = el.offsetParent !== null;
const adId = el.href || el.innerText + el.className;
return textMatch && isVisible && !clickedAds.includes(adId);
});
// 4. Click next available
if (availableAds.length > 0) {
const targetAd = availableAds[0];
const targetId = targetAd.href || targetAd.innerText + targetAd.className;
console.log("[PTC] Next ad found. Clicking in 3s...");
setTimeout(() => {
clickedAds.push(targetId);
if (clickedAds.length > MAX_HISTORY) clickedAds.shift();
localStorage.setItem('ptc_clicked_history', JSON.stringify(clickedAds));
targetAd.scrollIntoView({ behavior: 'smooth', block: 'center' });
targetAd.click();
}, 3000);
} else {
console.log("[PTC] No new ads found on this page.");
}
}
setInterval(processDashboard, 5000);
})();
What this script does:
- Automatically clicks "OK" on success popups
- Finds fresh "Watch Video" buttons
- Tracks clicked ads (won't click the same ad twice)
- Auto-clicks the next available task
Script #2 β Auto Repeat Macro
This script handles the video viewing process: auto-plays videos, waits for you to solve captchas, then auto-clicks verify.
Copy this entire script:
// ==UserScript==
// @name PTC Video & Tab Handler (Terminator)
// @match *://*/ptc/view/*
// @match *://*.youtube.com/embed/*
// @match *://www.youtube.com/watch*
// @grant window.close
// @run-at document-start
// @allFrames true
// ==/UserScript==
(function() {
'use strict';
const hostname = window.location.hostname;
const pathname = window.location.pathname;
// 1. YouTube Embed Logic (Autoplay)
if (hostname.includes('youtube.com') && pathname.includes('/embed/')) {
const forcePlay = () => {
const video = document.querySelector('video');
if (video) {
video.muted = true;
video.volume = 0;
const player = document.querySelector('#movie_player');
if (player && typeof player.playVideo === 'function') {
player.playVideo();
}
video.play().catch(() => {
const bigPlay = document.querySelector('.ytp-large-play-button');
if (bigPlay) bigPlay.click();
});
}
};
const playInterval = setInterval(() => {
const v = document.querySelector('video');
if (v && v.paused) forcePlay();
else if (v && !v.paused) clearInterval(playInterval);
}, 1500);
setTimeout(() => clearInterval(playInterval), 15000);
}
// 2. Watch Page Logic (Aggressive Termination)
if (hostname.includes('youtube.com') && pathname.startsWith('/watch')) {
console.log("[PTC] Termination sequence initiated...");
const terminate = () => {
window.close();
const script = document.createElement('script');
script.text = "window.open('','_self').close();";
document.body.appendChild(script);
if (!window.closed) {
window.location.href = "about:blank";
setTimeout(() => window.close(), 500);
}
};
setTimeout(terminate, 1200);
setTimeout(terminate, 3000);
}
// 3. PTC Verification Logic (With Cloudflare/Captcha Check)
if (window.top === window.self && pathname.includes('/ptc/view/')) {
const checkCaptchaAndVerify = setInterval(() => {
// Check for the hidden Cloudflare response token
const cfResponse = document.querySelector('[name="cf-turnstile-response"]')?.value ||
document.querySelector('[name="g-recaptcha-response"]')?.value;
// If length is > 10, it means the captcha is solved and the token is ready
const isSolved = cfResponse && cfResponse.length > 10;
const btn = document.querySelector('#verify');
// Logic: Button exists + visible + not disabled + captcha is confirmed
if (btn && !btn.disabled && btn.offsetParent !== null && isSolved) {
clearInterval(checkCaptchaAndVerify);
console.log("[PTC] Captcha confirmed. Finalizing in 2s...");
setTimeout(() => {
btn.click();
console.log("[PTC] Claim clicked.");
}, 2000);
} else if (btn && !isSolved) {
// Keep checking until user solves or Cloudflare auto-passes
console.log("[PTC] Waiting for Captcha completion...");
}
}, 2000);
}
})();
What this script does:
- Auto-plays YouTube videos (muted)
- Auto-closes completed video tabs
- Waits for you to solve captchas
- Auto-clicks verify button AFTER captcha is solved
β Both Scripts Installed
Once both scripts are saved in Tampermonkey, you're ready to test the automation.
Step 4 β Navigate to the MicroEarn Section
Once both scripts are installed:
- Log into MakeYouTask
- Go to the MicroEarn section
- Select the video earning option
- Let the scripts take over
You'll see the page automatically progressing through the cycle.
VERY IMPORTANT β You Still Must Monitor It
This is not a "set it and forget it" bot.
You must:
- Complete captchas when they appear
- Make sure videos are actually loading
- Check your balance occasionally
- Ensure the script hasn't stalled
Think of it as semi-passive, not fully automated.
How This Becomes Real Passive Income
Here's where it gets powerful.
Instead of:
Spending 1β2 hours manually clickingβ¦
You:
- Let it run in a tab while you do other things
- Watch Netflix
- Play a game
- Work on your blog
- Study
- Trade
You're earning while doing something else.
Just check back periodically to solve captchas and monitor progress.
Now compound it.
Take your earnings and:
- Buy referrals (MakeYouTask has a referral marketplace)
- Reinvest profits
- Scale your daily returns
This is how small micro earnings turn into something meaningful.
Why This Works So Well on MakeYouTask
MakeYouTask is:
- Stable
- Consistent
- Higher paying than most competitors
- Structured for volume
When you remove the repetitive clicking, earning becomes efficient.
And efficient earning can be scaled.
Real Results
With these 2 scripts running, you can process video tasks much faster than clicking manually. Let it run in a background tab while you focus on more valuable tasks β or just relax and let the earnings stack up.
Ban Risk: NONE (If You Follow the Rules)
As long as you're monitoring the process, solving captchas manually, and not running it completely unattended 24/7, there's zero ban risk. These macros simply automate the repetitive clicking β they don't break the site's rules or bypass security measures.
Final Thoughts
If you're serious about squeezing maximum value out of micro-earning sites, this is one of the smartest ways to do it.
Here's the simple formula:
- Sign up via my referral link
- Install Tampermonkey
- Add the two scripts
- Run MicroEarn
- Monitor + complete captchas
- Reinvest and compound
It's simple.
It's efficient.
And it turns boring repetition into leveraged time.
π Ready to start automating?
Join MakeYouTask Now (Free)$0.10 min withdrawal β’ FaucetPay & CWallet supported
If you haven't read the full breakdown of MakeYouTask yet, make sure you check out my full review here:
π Read the complete MakeYouTask review
The Bottom Line
These 2 macros remove 90% of the repetitive clicking from MakeYouTask's MicroEarn section. You still need to solve captchas manually, but everything else runs on autopilot. Turn MakeYouTask into semi-passive income while you focus on more valuable tasks.
Related Reading
- MakeYouTask Review β Full Platform Breakdown
- MakeYouTask New Faucet β Claim Every 20 Minutes
- MakeYouTask in 2026 β Our Experience So Far
- CoinPayU Review β Another PTC Site Worth Automating
- FaucetPay Review β Where to Withdraw Your Earnings
- Best Passive Income Apps 2026
- PTC & Faucet 30-Day Earnings Test
- More Blog Posts
Was this article helpful?