Create an Epic Multiplayer Game in Scratch 🐱 Step-by-Step Tutorial!

Video Information

[Overview] Hello Fellow Scratchers! Do you want to code an online cloud game in  Scratch, perhaps even a massive multiplayer game with anything from 2 to over 100 players?  Well then you’ve come to the right place! Because I can show you how we can upgrade  almost any Scratch game to be a multiplayer

Game! Conceptually we just need each player  to share ‘their’ player’s position and costume details. Because if we know where they are,  then we can display them in ‘our game’ too. In these tutorials, we will learn step by  step how to code this fully backpackable

Cloud engine that can be easily dropped into all  your games! And yes, we’ll cover cloud variables, data encoding, buffering for smooth movement, and  of course how players Join and leave our games. So, buckle up, smash that like button  (lol), and let our crazy fun journey into multiplayer coding begin! Guys, let’s get Scratching!

[“New Scratcher’s” can’t use cloud?] But hold on… Are you a “New Scratcher”? You can check right here on your profile page.  Sadly until you are invited to full “Scratcher” status you won’t be able to play, or create  cloud games! But before you start to panic,

All you need to do is share a few projects,  love and comment on my (*cough* and other peoples) projects, and very soon, you’ll find an  invite appears, right here on your profile page. Ok, great – Let’s start a new project. In this first episode we are going to cover

The basics of Cloud Variables, how they work, and  perhaps more importantly, how they don’t work! [Cloud Variables] If we create a new variable, “CLOUD 1”, you’ll notice we have the option  to create this as a “Cloud variable (stored

On the server)”. And this is where the magic  happens. By storing a value on the cloud server, every Scratcher looking at your  project will ‘share’ the same value. When we first create one of these we get a  warning. It reads “Please note, cloud variables

Only support numbers, not letters or symbols”. And so we meet our first limitation, “Cloud Variable Rule #1, you can’t write letters  or symbols to a cloud variable”. And that is a real pain, our lives would be so much easier  if we could stuff text into these things,

But that would be open to abuse [[silly word]]  – so we are where we are. Numbers only! Ok, shall we see the cloud variables  in action? When this sprite clicked, change the cloud variable by 1. A simple enough test, just click

The cat, and we see “cloud 1” increases  as expected. But, to test this properly, we need to see the value changing on another  scratcher’s screen right? That’s the whole point! Well, you could get the help of another Scratcher  to load up your project, but for simplicity,

We can actually test this all ourselves without  even sharing the project! (which is great news, because who want’s to share an unfinished game!). [Testing with Two Web Browsers] Make sure the project is saved, then “Switch to  the Project Page”, and move the web browser to one

Side of the screen. Next, we need to duplicate  the current tab. I did that by right-clicking, but you could otherwise just create a tab and  find your project in the normal way, it doesn’t matter. And then, I pull the new tab away from  this browser window, and drop it to the right.

Okay! This is looking good. Both projects  agree that “CLOUD 1” has a value of 3. Now, when I click on the cat again the value  changes to 4, but this time, also changes to 4 in our second window too! Wonderful, this is what  Cloud variables do – They share their value with

Everyone else, almost instantly, but… not quite.  It actually takes around one tenth of a second for the value to transfer from window 1 to window 2. A  lag of around 100ms. And yes, you can click either cat, the update works in both directions. [Cloud Game Done Wrong!]

Now there’s only so much fun you can have  clicking cats, how do we go from this… to this! Well, let’s start small. Say we have the  Scratch Cat follow the mouse pointer, and try to get the second window to mirror  these movements! That would be cool.

When flag clicked, loop forever,  going to mouse-pointer. We know cloud variables can share a single number  with another Scratch project, and a sprite’s position is made up of two numbers, given by the  “x position”, and “y position” reporter blocks. So, why not create a second  cloud variable, “CLOUD 2”. Don’t

Forget to check that cloud variable option. And now, we can set CLOUD 1 to this sprite’s x position, AND CLOUD 2 to the y position. Nice. Running the project, clearly shows both CLOUD 1 & CLOUD 2 updating. Since these values will be shared

With window 2, we’ll just need a second script to  reposition the sprite using these shared values. When 2 key pressed – This allows us to  indicate which window is window 2. Stop other scripts in sprite. This ensures window  2 won’t be running these left hand scripts.

Instead, we Loop forever, setting the x position  to, the value shared with us in CLOUD 1. And, the same for the y  position, but with CLOUD 2. Nice! We have to test this! Once again, ensure the project is saved.

Then See Project Page and duplicate the tab. If  however you left the window open, which often I do, just make sure to reload the page, Otherwise,  the project will be out of date and may lead to confusion if things don’t work as expected! Ok, here we go. Both projects are running,

But I haven’t pressed the 2 key yet. To proceed, first, click in the right-hand window to ensure it has  the focus. Then, press the 2 key. Boom! My cat just flew over to the right. But  why did it do this? Well, it’s because the cat

On my left screen is positioned to the right,  and this window is now copying its movements! Now, let’s bring my mouse  back to the left window… And look! The x and y positions  of the first sprite are shared,

Allowing us to reposition the second sprite  to match the first one! This is basically how multiplayer games are coded in Scratch. [The Limits of Cloud Variables] But wait, do you notice something a  bit off? The right-hand window seems to be mimicking the movements of the left  window, but it’s far from smooth. Houston,

We have a problem. Upon closer inspection,  you’ll see that the movement occurs in steps, only horizontal (left and right) or vertical  (up and down). It’s quite peculiar, isn’t it? Well, I did mention that Cloud  Variables have their limitations, and we’re witnessing some of them right  before our eyes. The first limitation is this:

“Cloud Variable Rule #2 – Scratch waits 1/10th  of a second between sending cloud updates.” In other words, no matter how quickly you  update cloud variables, Scratch will only send them at a maximum rate of 10 per second.  Unfortunately, this rule also applies when we

Set two cloud variables together, in our  case the x & y positions, resulting in one change being sent before the other, and  thus the sprite moving in horizonal then vertical steps instead of a smooth diagonal line. [Encoding 2 numbers in a single Cloud Variable]

There is no way around this restriction,  So the only way to share our x & y values at once is to combine them and send  using a single cloud variable instead! Well, how about we join the two values together?  For example, an x value of “176” joined with a

Y value of “40” would come out as “17640”.  That worked, but now we face the challenge of not being able to distinguish where  one number ends and the next one starts. The problem is, we can’t insert a  separator character because of cloud

Rule #1, which states that “you can’t store  letters or symbols in a cloud variable”. So, here’s an idea. Let’s record the length of  the first number “3” before the number itself. We’ll do the same for the second number  “2”. Then, we can join all the information

Together to give our encoded string value. Has this helped us? Yes, because to extract the numbers back out, we simply look at  the first number, which is “3”. Then, we read out the next 3 digits, which gives us  “176” as our x value. The following digit is

A “2”. And reading the next two digits we  obtain “40” as our y value. Clever stuff! [Coding the basic number encoder] Let’s code this up. Create a new variable, named “encoded string”. For this sprite only. And make sure to set it to an empty value.

Now we’ll create a custom block to let us add  individual numbers to this encoded string. Name it “Write Number”. With a number input  “val” short for value, and another label of “to encoded string”. Write Number (val)  to encoded string, perfect. Make sure

To run without screen refresh so it runs fast! So after clearing the “encoded string” variable, Let’s try writing the number 1 to the  encoded string. Yes, this will want to be the x position of the sprite going  forward, but always start off simple!

Now to code up the custom block. Creating another variable, also called “val”, for this sprite only. And set val, to the input val. Clicking the script above will set val to  1 as expected. Now, the reason we’re using another variable for val is to safeguard against  fractional values like say “100.5”. This would

Mess up our encoding, so we’ll pop in a rounding  operator to remove the issue before it occurs. Great, so then we simply set “encoded string”  to the JOIN of, itself, encoded string, and… ok, two more things, so another JOIN. The length of  the variable “val” (not the pink, but the orange

One we rounded). And the value itself. A length of 1, and the number 1 should come out as “11”. Pop that on the end of the encoded string, and this custom block is done. We can test it by clicking the above script again,

And encoded string is indeed “11”. How about if we write a second number “2”. Click – Not a problem. 1 digit, the number 2. And a longer number, “345”? Click – We see “3” digits, followed  correctly by “345”. Great! [Coding the basic number decoded] Now, the next step is to retrieve

These numbers from the encoded string, which is  known as decoding. The key is to keep track of our current position in the encoded string as  we start from the left and progress across. To accomplish this, we’ll introduce a new variable  named “encoded idx” specific to this sprite.

This variable will serve as our tracker. We’ll initialize the “encoded idx” variable to 1, indicating the starting position at  the first digit of the encoded string. Next, let’s create a custom block responsible for  decoding each number. We’ll name it “val = READ

NUMBER from encoded string”. Apologies for the  lengthy name, but it accurately describes the block’s purpose. Remember to set the block to run  without screen refresh for optimal performance. To facilitate testing, let’s  plug in the code right away. Assuming the “encoded string” variable  begins “1112…”, for the initial read,

We aim to retrieve the number 1 for the  length and another 1 as the value itself. First, let’s ensure that the “val”  variable is empty at the start. Next, we’ll retrieve the value of the  current letter in the “encoded string”, which will be “1” as expected. Just remember the current position

Is given by the “encoded idx” variable. Right, so we can agree that this returns the number of digits that we need to read in to  get the next full value. So, how about we use a “repeat” block for that exact number? Currently, it will repeat only once,

But for longer numbers, it will repeat  as many times as there are digits. We need the next digit, so let’s  immediately change “encoded idx” by 1. And now letter “encoded idx” of “encoded  string” will give us the next digit in the

Encoded string. We’ll want to append this  digit to the “val” variable by setting “val” to the JOIN of “val” and this next digit. This “repeat” loop will then do it’s job looping around adding digits to val. The only thing left  to do is to ensure that we increment “encoded idx”

By 1 more at the end, so we are positioned to  read the next number from the encoded string! Well, this is exciting! We can now test  if we can correctly decode these numbers. Click the script and confirm that we  obtain the first value, which is “1”.

Nice! There it is in the “val” variable! To get the next one, we simply need to run a “READ NUMBER” block on its own. Click. Splendid, there’s our number “2”. And with one more click, we get “345”. It  perfectly matches the order and value of our encoded numbers. [Negative Numbers]

“Great! With this, we can encode and retrieve  our numbers. However, we mustn’t forget that the screen positions of sprites can often go negative.  If we try to encode a negative number like “-10,” then, oh dear, “3-10”. That will definitely  fail cloud rule #1 as it’s not a valid number.

Somehow we need to encode negative numbers  without using the negative symbol. Hmm… Well, since no numbers will begin with 0’s and  the “-“ always appears at the start of a number, how about we simply replace the “-” with a 0  instead. So, “-10” becomes “010,” and we can

Identify it as negative because it starts with 0. Let’s code that up in our Write Number script. We first check for negative numbers.  If the value (val) is less than 0, we’ll use a “set val” block, joining a 0  digit on the left, with. And we need to be

Careful to remove the negative sign from val,  so we’ll use the absolute value (abs) of val. Simple enough! Click the test script and see how  “-10” now becomes “010” preceded by a 3 as it is 3

Digits long including the that 0. And that’s cool  because it passes the cloud rule test. The same goes for -20. No negatives in sight. [Decoding Negative Numbers] Next up, we need to decode these values.  Currently, if we read out the first encoded

Negative number, we get back “010” in the variable  ‘val’. It should have been “-10”. So, all we need to do is watch for that leading 0 and then convert  the number to a negative, resulting in -10. We’ll add this script at the bottom  of the “define READ NUMBER” script.

If the first letter (letter  1) of ‘val’ is equal to 0, then we set ‘val’ to be negative ‘val’ or,  in other words, subtract ‘val’ from zero. Let’s quickly test it, and yes, now we are getting  back -10 just as we hoped. Click on the next READ

NUMBER block, and out pops -20. This is great  news! It means we now have fully functioning encoding and decoding scripts! [Updating our Game to use a single cloud variable] Wow, finally, we can put these to good use. Remember why we were doing this?  Oh yes, our cloud player was moving in steps

Because “Cloud Rule #2” says we shouldn’t update  more than one cloud variables at a time. Well, no problem – Now we can encode both the x & y  positions into a single value. So, back to our original game loop. We begin by setting the  “encoded string” variable to empty, and then

Using our WRITE custom block to encode first the x  position, and then the y position of the sprite. After that, all we need to do is set CLOUD 1 to  the “encoded string”. Super! That sorts player 1,

And the cloud variable will make it’s way over to  player 2’s computer which is running this script. All we need to do is decode it! Begin by setting “encoded string” to the new value from “CLOUD 1”. Then set “encoded idx” to 1 (to start

Decoding from the first letter). Now we use our  READ custom block to get the first value out of the encoded string. This is an “x position”,  so immediately set the “x position” to ‘val’. Then we can do the same again, “read a value”  and this time set y position to val. Excellent!

[Testing] Because THAT my friends is all there is to it! To test this out, make sure the project is  saved, and then get those two browser tabs side by side. Remembering to reload the right  hand page if you kept it open all this time.

Now with both projects running, I’ll click  into the right window, and press the 2 key. When my mouse is over the left hand window,  the cat in the right window follows my motions, but HOW MUCH BETTER IS THIS? We can move the player diagonally

And the cloud player doesn’t glitch sideways  at all, nope – no stepping to be seen. Also, the lag between the left movement and the  right movement is surprisingly small. If you got this far then you can be pretty  chuff with yourself, it’s super cool.

But we are far from perfect yet. You’ll notice the  movement on player 2’s screen is more choppy than on the 1st screen. That’s because cloud rule #2  also states that we can’t update a cloud variable faster than every 1/10th of a second. So even  though we are only updating one cloud variable

Now, we are still updating it at a rate of 30  times a second. The rule is that Scratch will only send 10 changes per second max, so 2 of every  3 animation frames are skipped ☹. This is far from

Ideal, and is not the smooth gameplay action we  might expect from a top class network game. So how do we fix this? [Next Episode] In the next episode of this exciting series,  we will learn how movement buffers and data

Streams can smooth out player motion making  our games look top notch. But in the process we’ll also begin to expand our cloud engine to  take advantage of my latest Massive Multiplayer Online Techniques as seen in MMO Minecraft & my  MMO platformer projects – These can easily handle

Vast number of players and are seriously  a lot of fun. The great thing about these is that they also make joining and leaving a  game way more robust than my previous cloud engines and support testing on a single unshared  project, a huge bonus for us Scratch developers!

[Outro] Well I hope you enjoyed this video, if you did then please, please smash that like  button under the video. Did you click it? And if you don’t want to miss the next exciting  episode, and guys it’s going to be so cool – Then

Make sure you are subscribed to the channel, and  that you’ve clicked the bell icon to be notified. Lastly, if you are interested in supporting this  channel further, then you can join my channel membership, there are some cool perks, and even  the option to get access to the scratch projects

That go along with each episode! So cool. That just leaves me to say thank you for watching, I hope you have a great  week ahead, and… Scratch on guys!

This video, titled ‘Create an Epic Multiplayer Game in Scratch 🐱 Step-by-Step Tutorial!’, was uploaded by griffpatch on 2023-05-27 09:00:02. It has garnered 242833 views and 8171 likes. The duration of the video is 00:20:37 or 1237 seconds.

Upgrade your Scratch Games to be online multiplayer cloud games by following this exciting new Scratch Tutorial series. Whether you want just 2 to 8 players, or over 100 players, I will show you how it can be done using my newly developed fully backpackable cloud MMO engine. Any kind of game can be converted to online from platformers, space shooters, io games, 3d games, tile based scrollers, yes anything! Have you seen my recent MMO platformer or MMO minecraft? or slither.io Cloud Platformer Multiplayer Fun? Well now it’s your turn! Let’s get Scratching 😀

▶️ Watch Episode 1 – https://youtu.be/1JTgg4WVAX8 ▶️ Watch Episode 2 – https://youtu.be/rO61fch_RN4 ▶️ Watch Episode 3 – https://youtu.be/-nmSTdBXwwY ▶️ Full Playlist – https://www.youtube.com/playlist?list=PLy4zsTUHwGJIw6-ra80IMuxiRW4XHiGqf

🐱 Scratch Studio – https://scratch.mit.edu/studios/33558302/comments

🐱 Some of my Cloud Games MMO Platformer – https://scratch.mit.edu/projects/612229554 MMO Minecraft – https://scratch.mit.edu/projects/843162693 Cloud Platformer Fun – https://scratch.mit.edu/projects/12785898 Slither.io – https://scratch.mit.edu/projects/108566337 Taco Burp – https://scratch.mit.edu/projects/478790208

⭐ Support this channel – Join to get access to perks: https://www.youtube.com/griffpatch/join

▶️ More Video Tutorials & Fun! https://www.youtube.com/griffpatch

————–Video Chapters————– 0:00 Intro 0:57 “New Scratcher’s” can’t use cloud? 1:36 Cloud Variables 2:51 Testing with Two Web Browsers 3:49 Cloud Game Done Wrong! 6:14 The Limits of Cloud Variables 7:23 Encoding 2 numbers in a single Cloud Variable 8:45 Coding the basic number encoder 10:56 Coding the basic number decoded 13:42 Negative Numbers 15:17 Decoding Negative Numbers 16:16 Updating our Game to use a single cloud variable 17:40 Testing 19:09 Next Episode 19:52 Outro

#scratch #griffpatch #mmo #cloudgaming #scratch3 #online #codingforbeginners #blockcoding #cloud #cloudgaming #learntocode

  • Love is in the Minecraft Air

    Love is in the Minecraft Air Minecraft Love Server: A Musical Journey in TuneScape Network Embark on a musical adventure with TuneScape Network’s official video, “Minecraft Love Server.” This creative masterpiece brings together the talents of musicians NextTheFox and TuneScape Network, with the brilliant idea and production by TuneScape Network. Exploring the Musical Landscape Immerse yourself in the melodic world of “Minecraft Love Server” as it takes you on a journey through enchanting tunes and captivating rhythms. The collaboration between NextTheFox and TuneScape Network brings a unique blend of sounds that perfectly complement the Minecraft universe. Key Features: YouTube: Watch the official video on TuneScape… Read More

  • Deceiving Minecraft Confession

    Deceiving Minecraft Confession Minecraft: A Journey of Lies and Adventure Embark on a thrilling Minecraft adventure filled with lies and challenges in the icy winter weather. Join the protagonist as they navigate through the game, encountering unexpected twists and turns along the way. Unraveling the Story The protagonist sets out on a quest to find brawl stars’ Aki el primi, facing various obstacles and puzzles. As they progress, they come across intriguing messages that urge viewers to subscribe for a chance to grow old in a beautiful place. However, the protagonist humorously advises against subscribing, adding a playful twist to the gameplay…. Read More

  • Ultimate Cobblestone Generator Hack!

    Ultimate Cobblestone Generator Hack! Minecraft Encrypted_ | ULTRA FAST COBBLESTONE GENERATOR! #2 [Modded Questing Survival] Embark on an exciting Minecraft adventure with Nik and Isaac as they delve into the world of Encrypted_. In this modded questing survival series, they showcase an ULTRA FAST COBBLESTONE GENERATOR that promises to revolutionize gameplay. Let’s dive into the details of this thrilling episode! Exploring Stoneopolis The journey begins in Stoneopolis, a new generation of Stoneblock that challenges players with unique quests and survival mechanics. Nik and Isaac navigate through this innovative world, uncovering hidden treasures and facing formidable challenges along the way. The Power of Modded… Read More

  • 3 Mini Farms in 3 Minutes: Easy Peasy Minecraft Squeezy!

    3 Mini Farms in 3 Minutes: Easy Peasy Minecraft Squeezy! In just 3 minutes, 3 farms to create, Sugarcane, wool, and music discs, don’t wait! Redstone system higher, don’t forget that tip, For efficient farming, don’t let your progress slip. Sugarcane farm, a simple design, Fixing mistakes, I’ll show you in time. Wool farm next, shearing sheep with glee, Collecting resources, for all to see. Music disc farm, a unique feature, Gather those discs, become a Minecraft creature. Like, subscribe, comment, show some love, For these mini farms, sent from above. Read More

  • Building a Modern Underground House in Minecraft

    Building a Modern Underground House in Minecraft Exploring Modern Underground House Building in Minecraft Are you ready to delve into the world of modern underground house building in Minecraft? This unique and creative endeavor allows players to construct a stylish and functional living space beneath the surface of the game world. Let’s uncover the details of this exciting project! Setting the Groundwork When embarking on the construction of a modern underground house, it’s essential to establish the dimensions of the structure. By using the ground level as a reference point, players can create both upper and lower sections of the house. Upper Section: Starting from ground… Read More

  • Crafting a Portal to My Own World – Minecraft

    Crafting a Portal to My Own World - Minecraft Minecraft: Creating the Akudav Exe Portal Join UzeMing in the world of Minecraft as he embarks on a new adventure to create the Akudav Exe Portal. This portal, inspired by the YouTuber Akudab, promises excitement and challenges for all players. Materials Needed To create the Akudav Exe Portal, UzeMing gathers the main materials of obsidian, flint, and steel. Additionally, he prepares white walls and Redstone blocks as supplementary materials for the portal’s construction. Portal Creation With the materials in hand, UzeMing begins constructing the portal with a size of 4×5. Using Redstone blocks in the corners and white walls… Read More

  • Creating an Alliance with Tôi Cùng Ăn Mày | Siro Minecraft Mega SMP Ep. 10

    Creating an Alliance with Tôi Cùng Ăn Mày | Siro Minecraft Mega SMP Ep. 10 Exploring the World of Minecraft with Siro in Mega SMP Episode 10 In the latest episode of Mega SMP, Siro, along with Chiến Tranh Tổng and Tôi Cùng Ăn Mày, embarked on an exciting adventure in the Minecraft universe. The highlight of the episode was the formation of a new alliance by Hồng Kỳ, bringing a fresh dynamic to the gameplay. Forming Alliances and Building Empires As the trio delved deeper into the game, they realized the power of collaboration. Hồng Kỳ’s strategic move to establish a new alliance opened up opportunities for expanded territories and shared resources. This… Read More

  • Mobs vs TNT: Minecraft Logic

    Mobs vs TNT: Minecraft Logic Minecraft Logic (ASMR): Mobs vs TNT In this hilarious and entertaining Minecraft Logic video, we delve into the timeless battle between mobs and TNT in the virtual world of Minecraft. Witness your favorite in-game creatures facing off against explosive blocks in epic showdowns that will keep you on the edge of your seat. The Clash of Titans From creepers and zombies to skeletons and spiders, no mob is safe from the destructive power of TNT in this ASMR-filled adventure. Whether you are a seasoned Minecraft veteran or a newcomer to the game, you will be enthralled by the chaos… Read More

  • Upgrade Galore: EP 3 – Java Joy Ride

    Upgrade Galore: EP 3 - Java Joy Ride In the world of Minecraft, adventures unfold, As Alexa searches for sheep in the jungle so bold. With iron armor and shield, she faces the night, Crafting bread and trading with villagers in sight. Two blacksmiths, a stroke of luck so grand, As she explores the village, with wheat in hand. Donkeys and chickens, a farm to tend, In this Minecraft world, her journey will never end. So join us next time for more fun and delight, As Alexa’s Minecraft playthrough shines bright. Like and subscribe, don’t miss a beat, In this world of blocks, where stories meet. Read More

  • ULTIMATE TNT RUN CHALLENGE! 😱 #minecraft

    ULTIMATE TNT RUN CHALLENGE! 😱 #minecraftVideo Information This video, titled ‘Minecraft TNT 🧨 Run #minecraft’, was uploaded by KING GAMING on 2024-04-07 21:35:46. It has garnered 10204 views and 142 likes. The duration of the video is 00:00:12 or 12 seconds. Minecraft TNT 🧨 Run #minecraft minecraft, minecraft 100 days, minecraft house tutorial, minecraft music, minecraft house, minecraft song, minecraft legends, minecraft 1.20, minecraft jj and mikey, minecraft civilization, minecraft videos, minecraft aphmau, minecraft animation, minecraft april fools 2023, minecraft asmr, minecraft armor trims, minecraft automatic farm, minecraft ancient city, minecraft ambience, minecraft animation movie, minecraft allay, a minecraft parody, a minecraft house, a minecraft… Read More

  • Insane Theory: HoloJustice’s Color Conspiracy!

    Insane Theory: HoloJustice's Color Conspiracy!Video Information This video, titled ‘Calli’s Theory about HoloJustice’s Colors 【HololiveEN】’, was uploaded by Sashimi Clips on 2024-06-19 19:20:00. It has garnered 27642 views and 1788 likes. The duration of the video is 00:01:26 or 86 seconds. Check out the Full Stream source: ◆【HOLOMYTH MINECRAFT】shinigami LOVE golden apples (part 3) https://www.youtube.com/live/_tpb4yN2tmQ?si=Nf0GfPD6fJkhJ9SG Talent: Takanashi Kiara https://www.youtube.com/@TakanashiKiara ● Mori Calliope https://www.youtube.com/@MoriCalliope —————————————————————– Sashimi Twitter https://twitter.com/Sashimi_Clips —————————————————————– #hololive​ #hololiveEnglish​ #holoMyth Read More

  • Escape Deadly Traps Across Time! #minechunk

    Escape Deadly Traps Across Time! #minechunkVideo Information This video, titled ‘Escape Traps in Different Ages #shorts #minechunk #minecraft #minecraftshorts #gaming #gamingshorts’, was uploaded by Mine Chunk on 2024-04-08 10:04:38. It has garnered 11366 views and 250 likes. The duration of the video is 00:00:38 or 38 seconds. 🚀 Dive into a time-traveling Minecraft adventure with “Escape Traps in Different Ages #MineChunk”! 🕰️ From medieval dungeons to futuristic puzzles, watch as we navigate through history’s most cunning traps. Can we survive the test of time? #MinecraftAdventure #TimeTravel #EscapeChallenge #MinecraftTraps #MineChunk #Minecraft #MinecraftShorts #EscapeChallenge #TimeTravelMinecraft #MinecraftTraps #MinecraftPuzzle #MinecraftAdventure #GamingShorts #MinecraftTimeTravel Read More

  • A Minecraft SMP

    A Minecraft SMPStep into ‘A Minecraft SMP’—a realm where adventure and mystery intertwine! Discover enchanted lands, battle formidable foes, and build your empire in our captivating RPG-Survival blend. Unfold your story in a world brimming with endless possibilities and become a legend! play.amcsmp.com Read More

  • Realmportal SMP PVE Magic Dungeons RPG Towny Custom Economy 1.20.4

    A mesmerizing RPGMMO Towny Survival Experience! Embark on an epic journey with classes, skills, mobs, bosses, and more. Enjoy PvE survival with a twist! Descend into massive dungeons, battle mobs, and solve puzzles for exclusive loot. Fly on dragons and explore colorful biomes. Engage in a bustling economy with player shops, auctions, factories, and farms. Protect your fortress with land claims and container locks. Enjoy new textures, models, and sounds without the need for mods. Join us for a free-to-play experience with no P2W elements. Experience a decade-long online presence with active staff and a non-toxic community! Screenshots and more… Read More

  • SMP(Magic, Dungeons, More+) 1.20.1 and Simple VoiceChat(optional)

    SMP(Magic, Dungeons, More+) 1.20.1 and Simple VoiceChat(optional)My server is located in VietNam (Asia): (Cracked)Language: English, VietnameseServer Feature:- Simple voice chat 2.5.15- Mythicmob x ModelEngine and more custom mobs- Be able to become Vampire/ Werewolf- World generation- Realistic Season- Magic, Vampire, Werewolf- Custom ResourcepackImportant: I host this server on my own laptop, so i can open my server up to 16 hours. Hope u have fun!Discord owner: Imokenpii#8209Discord server: discord.gg/7grRgBBZjH Read More

  • Minecraft Memes – It really do be like that sometimes

    Minecraft Memes - It really do be like that sometimesIt’s like Minecraft knows when you need a mental break and just hits you with that peaceful music and scenery to chill out. Read More

  • Unveiling the BREEZE: Ultimate Guide

    Unveiling the BREEZE: Ultimate GuideVideo Information This video, titled ‘Everything you need to know about the BREEZE!’, was uploaded by WisdomOwl on 2024-06-15 19:57:49. It has garnered 417 views and 4 likes. The duration of the video is 00:00:33 or 33 seconds. This guide tells you everything you need to know about the breeze in Minecraft. This mob shoots wind abilities that launch you into the air. And as of uploading this video is a new mob found in the trial chambers. The goal of this video is to educate players that need to learn about this mob. Read More

  • Minecraft’s Satisfying Delight: A Rhyme in Sight

    Minecraft's Satisfying Delight: A Rhyme in Sight In the world of Minecraft, where creativity reigns, Players build and explore, using blocks to gain. From towering castles to intricate designs, Every creation is unique, every detail shines. With each click and each tap, a masterpiece forms, As players craft and shape, in the digital storms. The satisfaction is real, as structures take flight, In the world of Minecraft, where imagination takes flight. So dive into the game, let your creativity soar, In Minecraft, the possibilities are endless, and so much more. Experience the joy, the thrill, the delight, In the most satisfying video, where creativity takes flight. Read More

  • “Enderman: from noob to pro in 98 years” #minecraftmemes

    "Enderman: from noob to pro in 98 years" #minecraftmemes Enderman age 1: accidentally looks at a player and runs away screaming Pro enderman age 99: teleports behind you "Nothing personal, kid." Read More

  • Minecraft Madness: AI-Generated Gaming Fun

    Minecraft Madness: AI-Generated Gaming Fun The Magic of Minecraft Unleashed by AI Exploring the world of Minecraft through the lens of AI can be a fascinating journey. Let’s delve into the realm of creativity and innovation that AI brings to this beloved game. Unleashing Creativity with Invideo AI With the help of Invideo AI, Minecraft enthusiasts can now experience a whole new level of creativity. The AI-generated video showcases the magic of Minecraft in stunning 1080 resolution, bringing the game to life in ways never seen before. Enhanced Visuals and Immersive Gameplay By harnessing the power of AI, players can expect enhanced visuals and… Read More

  • Outrageous New Outro for Let’s Plays!

    Outrageous New Outro for Let's Plays! Exciting Adventures Await with Mad Red Panda in Minecraft! Join Mad Red Panda on thrilling adventures in the world of Minecraft with their brand-new outro for the channel! Get ready to embark on magical journeys and experience enchanting moments like never before. Whether it’s casting spells, playing games, or exploring new worlds, there’s something for everyone to enjoy. What to Expect: Stay tuned for exciting content every Monday, Tuesday, and Wednesday as Mad Red Panda takes you on a whimsical ride through the Minecraft universe. From building magnificent structures to battling fierce creatures, there’s never a dull moment in… Read More

  • Minecraft SMP gets SUS!?

    Minecraft SMP gets SUS!?Video Information This video, titled ‘The Minecraft SMP is Getting SUS’, was uploaded by MxZed on 2024-06-07 16:00:52. It has garnered 2625 views and 171 likes. The duration of the video is 00:37:42 or 2262 seconds. ►For Access To The Exclusive Discord, Monthly Exclusive Videos, Early Access To Videos, Uncensored Versions Of Videos, To Support Me And Much More Join My Patreon: https://www.patreon.com/MxZpatreon ► Join My Discord server here: https://discord.gg/pW9e5N3PPR ►My YouTube Channels • Main Channel: https://www.youtube.com/channel/UCX_aohDsELT4r68oJLudC3A • Extra Gaming Content: https://www.youtube.com/@MxZed • Non Gaming Channel: https://www.youtube.com/@IsaacRose • Solo Gaming Channel: https://www.youtube.com/@mxz.gaming • VOD’s Chanel: https://www.youtube.com/@MxZUncut ► Where I Stream:… Read More

  • Insane Custom Nether Portal Cave Build!

    Insane Custom Nether Portal Cave Build!Video Information This video, titled ‘CUSTOM NETHER PORTAL CAVE! – Minecraft Hardcore Ep 28’, was uploaded by Whistler on 2024-06-16 12:00:56. It has garnered 900 views and 45 likes. The duration of the video is 00:31:11 or 1871 seconds. CUSTOM NETHER PORTAL CAVE! – Minecraft Hardcore Ep 28 In this video, I build a giant custom cave for my spawn nether portal with a volcano theme. I hope you enjoy! Whistler Socials: Twitter: https://twitter.com/Whistlerooo Instagram: https://www.instagram.com/whistlerooo/ Read More

  • INSANE Minecraft Water Logic!! 😯 #shorts

    INSANE Minecraft Water Logic!! 😯 #shortsVideo Information This video, titled ‘😳Minecraft Water Logic…#minecraft #shorts’, was uploaded by Квайт on 2024-06-12 11:01:00. It has garnered 12008 views and 415 likes. The duration of the video is 00:00:29 or 29 seconds. Read More

  • BeezeeBox Minecraft Modpack – Nightmares Unleashed!

    BeezeeBox Minecraft Modpack - Nightmares Unleashed!Video Information This video, titled ‘Minecraft: Horror Of The Night Modpack – Live Stream’, was uploaded by BeezeeBox on 2024-03-01 14:29:36. It has garnered 37 views and 10 likes. The duration of the video is 01:52:41 or 6761 seconds. Join me, BeezeeBox and JaroksPlayz in this live stream as we delve into the terrifying realm of ‘Horror of the Night’ Minecraft modpack. Brace yourself for heart-pounding scares, eerie encounters, and nerve-wracking adventures as we navigate this Minecraft horror mod! Gather your courage and join the stream for an unforgettable experience filled with screams, suspense, and survival against all odds. Dare… Read More

  • 🔥 Royal vs Mr Aabid drama exposed 🔥

    🔥 Royal vs Mr Aabid drama exposed 🔥Video Information This video, titled ‘Aaj ka tazaa khabar 🤣🤣#minecraft #minecraftshorts #shorts #shortsviral #viralshorts’, was uploaded by Royal x Mr Aabid on 2024-02-26 11:05:45. It has garnered 256 views and 13 likes. The duration of the video is 00:00:10 or 10 seconds. Aaj ka tazaa khabar 🤣🤣#minecraft #minecraftshorts #shorts #shortsviral #viralshorts Minecraft is a 2011 sandbox game developed by Mojang Studios and originally released in 2009. The game was created by Markus “Notch” Persson in the Java programming language. Following several early private testing versions, it was first made public in May 2009 before being fully released on November 18,… Read More

  • Monkey Manhwa Recap: 8 Billion People Transmigrated into Minecraft – Only HE Knows Recipes!

    Monkey Manhwa Recap: 8 Billion People Transmigrated into Minecraft - Only HE Knows Recipes!Video Information This video, titled ‘8 Billion People Worldwide Transmigrated into Minecraft, but ONLY HE Knows the CRAFTING RECIPES’, was uploaded by Monkey Manhwa Recap on 2024-06-16 12:45:28. It has garnered 13609 views and 474 likes. The duration of the video is 10:42:17 or 38537 seconds. Eight Billion People Transmigrated into Minecraft Simultaneously. On the First Day of Transmigration, While Everyone Else Starved and Slept on the Grass, This Man Lived in a Mansion, Leisurely Eating Meat. All Because He Had Been a 10-Year Veteran Minecraft Player on Earth #animerecap #manhwaedit #anime #animerecommendations #animerecommendations #manhwareccomendation #manhwaedit #manga #animerecap #mangaunboxing #mangacollection… Read More

  • Mind-Blowing Surprise: Callie’s Insane Ability Revealed! 🤯

    Mind-Blowing Surprise: Callie's Insane Ability Revealed! 🤯Video Information This video, titled ‘Калли Удивила Бибу Своей Способностью [Hololive RU Sub]’, was uploaded by kir on 2024-04-06 16:52:05. It has garnered 3030 views and 380 likes. The duration of the video is 00:00:44 or 44 seconds. Mori Channel: @MoriCalliope Bibu Channel: @KosekiBijou 【MINECRAFT COLLAB】block game with @KosekiBijou !! Stream: https://www.youtube.com/watch?v=FqYOwITnJ68&t=11369s ———————————————————————— [Донатик клиперу] https://www.donationalerts.com/r/vtkir ————————————————– ——————– Subscribe to the channel to watch your favorite Vituber girls every day! ————————————————– ——————— #vtuber #hololive #holoen #hololiveenglish #holoadvent #kosekibijou #calliopemori #moricalliope #vtubers Read More

  • Casual Dude’s Insane Modern House Build #minecraft

    Casual Dude's Insane Modern House Build #minecraftVideo Information This video, titled ‘MODERN HOUSE #minecraft #shorts #casualdude #minecraftbuilding’, was uploaded by Casual Dude on 2024-05-04 14:00:31. It has garnered 554 views and 27 likes. The duration of the video is 00:00:53 or 53 seconds. Welcome to Casual Dude, your go-to destination for laid-back gaming adventures! here to share my gaming experiences and bring you into the world of fun and entertainment. 🎮 Gaming Vibes, Casual Style: Join me as I navigate through various gaming realms, explore new releases, and dive into classic favorites. Whether it’s epic victories or hilarious defeats, you can expect genuine reactions and a… Read More

  • SHOCKING REACTION TO NEW PET ‘Shushu’ in Minecraft Pe 😱

    SHOCKING REACTION TO NEW PET 'Shushu' in Minecraft Pe 😱Video Information This video, titled ‘MEET MY NEW DOST ‘Shushu’ BUT….(This Happened 😱)| Minecraft Pe:-6|#minecraft’, was uploaded by REX Magnus on 2024-04-24 09:51:46. It has garnered 16 views and 6 likes. The duration of the video is 00:14:56 or 896 seconds. Hello guys this is Rex Magnus I hope you Enjoy My Videos and if you and make sure to like the video and subscribe to my channel because this is your brother’s chor barti friend so it is okay to subscribe…;) And share it with your brothers, friends, friends and love everyone… Follow me:- Instagram:-https://www.instagram.com/rex_magnusyt?igsh=NTltOW55ZGMyMjV0 Minecraft pe Survival Series… Read More

  • Axolotl SMP

    Axolotl SMPfun lifesteal server for you and your friends! if you like to play in survival you will have tons of fun please enjoy i will sometimes add update so stay tuned axlotolcraftmc.world Read More

  • MineRealm SMP Semi-Vanilla – Public 1.19-1.20.6 21+ Staff Legit Custom Plugins

    MineRealm Community Since 2010, MineRealm has welcomed over 265,000 unique players. Join now and be part of the third longest running SMP! Get Started: Server: game.minerealm.com Website: minerealm.com Trailer: Watch now Discord: Join server Rules: View rules About MineRealm: MineRealm has been running since Oct 28, 2010, as the second longest running SMP server. We focus on maintaining a close-to-vanilla gameplay experience with optional meta-gameplay features. Key Features: Legit gameplay without spawned items Custom-coded gameplay features Grief prevention system – CoreProtect Custom land protection system Join our Discord server to share your ideas for the future of MineRealm. For more… Read More

  • Minecraft Memes – Where is my luck 😭🙏

    Minecraft Memes - Where is my luck 😭🙏Looks like even in Minecraft, luck just isn’t on your side! Maybe it’s time to start sacrificing some chickens to the RNG gods 🐔🙏 #79scorestruggles Read More

  • POV: The Friend with Lava Ping in Minecraft #HotMeme

    POV: The Friend with Lava Ping in Minecraft #HotMeme POV: When your friend’s ping is so high in Minecraft that they’re basically playing in the year 999. Good luck trying to mine anything without it disappearing into the void! #laggyfriend #minecraftproblems Read More

  • Ultimate Minecraft Iron Factory Build Challenge

    Ultimate Minecraft Iron Factory Build Challenge Building an Iron Factory in Minecraft with Create Mod Embark on a creative journey with Uberswe as they showcase the construction of an impressive iron factory in Minecraft using the Create mod. This project is part of a 30-day build challenge that promises innovation and excitement in the world of Minecraft. 30-Day Build Challenge The 30-day build challenge sets the stage for Minecraft enthusiasts to push their creative boundaries and explore the endless possibilities offered by the game. Uberswe’s iron factory build is a testament to the intricate designs and technical prowess that players can achieve within a limited… Read More

  • Crafting a Bathroom on 2nd Floor!

    Crafting a Bathroom on 2nd Floor! Minecraft Survival Builds: Exploring Creative Construction in the Game Embark on a journey through the world of Minecraft with @ricplayzgamez as they showcase their creative skills in building a simple bathroom on the 2nd floor in this exciting gameplay video. Join in on the fun as they demonstrate their building techniques and share their passion for gaming with their audience. Channel Overview @ricplayzgamez offers a diverse range of gaming content, from classic NES games to modern favorites like Hungry Shark and Hill Climb Racing. With a focus on hidden object games, fighting games, and more, this channel provides entertainment… Read More

  • Mistalunchbox – EPIC Minecraft Live Stream!

    Mistalunchbox - EPIC Minecraft Live Stream!Video Information This video, titled ‘MINECRAFT BEGINNER | 🔴 LIVE’, was uploaded by Mistalunchbox on 2024-06-01 19:22:18. It has garnered 90 views and 11 likes. The duration of the video is 03:50:36 or 13836 seconds. Live on twitch: https://www.twitch.tv/mistalunchbox Live on Kick: https://kick.com/mistalunchbox MERCH: https://store.streamelements.com/mistalunchbox Discord: https://discord.com/invite/f7dVvqcGrj Read More

  • Unveiling the 15th Anniversary Minecraft Map – RedFriendGaming

    Unveiling the 15th Anniversary Minecraft Map - RedFriendGamingVideo Information This video, titled ‘Playing the new 15th anniversary Minecraft Map!’, was uploaded by RedFriendGaming on 2024-05-28 23:58:00. It has garnered 45 views and 2 likes. The duration of the video is 04:42:33 or 16953 seconds. Today I play the new 15th anniversary Minecraft map! Subscribe and you can experience this too. Read More

Create an Epic Multiplayer Game in Scratch 🐱 Step-by-Step Tutorial!