How to make loading screen in roblox studio
How to make loading screen in roblox studio
Using Images in GUIs
In the Articles/Intro to GUIs guide, you learned the basics of GUIs, how to create a screen GUI canvas for all players that enter your game, and how to position and resize a TextLabel GUI object on the screen. If you did not read through the Articles/Intro to GUIs guide, please do so first!
Let’s expand on those concepts and explore how to insert images into the screen GUI space. This is a great way to display icons, logos, background images, and other cool designs on the screen!
Adding Images to a Screen GUI
Adding an image to a screen GUI is very similar to adding a text label.
This will add an empty image label to the top-left corner of the game view.
Upload an Image
This placeholder is a good start, but obviously we need a real image to put on the screen. Let’s upload an image now.
Change the Label Properties
The image is now uploaded and applied to the ImageLabel object. However, there are some properties which we can change to make it look even better!
Layering Images in a Screen GUI
Great! Now you understand how to upload images to Roblox and put them on the screen. When you start adding more than one image, though, you’ll probably need to start thinking about layering.
Think about layering objects on the screen GUI space just like putting stickers on a piece of paper. If you stick one sticker on top of another sticker, it will hide that sticker behind it. Sometimes, however, you’ll want to arrange stickers in a different way, perhaps moving those behind to the very front.
Create a Second Image Label
Let’s place another image on the screen to demonstrate how layering works.
When the image is finished uploading, you should see the following result:
Change the Label Properties
The initial properties don’t look good for this image, so let’s fix them.
That should correct everything and the image label should now look like this:
Change the Layering Order
As you can see, the new image label was placed behind the first one. If you don’t like how this looks, you can move the object to the front by changing its Z-index.
Since the ZIndex of the first label (icon) is 1, our setting of 2 for the blue shape pushes it in front.
Now you know how to create image labels in your game, upload your own images to Roblox, position labels on the screen GUI canvas, and layer them with Z-indexing.
Intro to GUIs
A GUI, which stands for Graphical User Interface, is used to display information about the game to the player. GUIs can be used to show the player what their character’s level, health, and gold are, and also to create in-game buttons for menus and inventory systems. In the image below, the game developers of Hexaria use GUIs to both show information about the player and to create an in-game menu.
How GUIs Get Into a Game
The most common type of GUI is a screen GUI which behaves like a 2D place to put stickers on the player’s screen. When the player moves the camera or explores the game world, a screen GUI stays in the same place (on the screen).
When you make a new Roblox game, this screen GUI space doesn’t exist — it’s your job to add it. The easiest way is to add it to the StarterGui service so that it gets copied to a player’s local game session when they join the game.
Adding Items to a Screen GUI
Currently the new screen GUI is empty — it’s just a blank canvas that spans the entire width and height of the player’s screen.
Add a Text Label
All sorts of things can be added to the screen GUI. Let’s start with a basic text label.
This will add a very basic text label to the top-left corner of the game view.
Customize the Label
We have a text label on the screen, but a white box with the word Label isn’t very useful. Let’s customize it to look like a “version number” GUI, a display element usually found on the menu/intro screen which shows the current version of the game.
Great! The GUI object looks much better now! If you want to get even more creative, try changing properties like TextColor3, BackgroundColor3, BackgroundTransparency, and others.
Positioning Items in a Screen GUI
Now that we have a basic text object on the screen, let’s move it to a new position. Every 2D object in Roblox has a Position property which determines where it will be drawn in relation to its parent object. This position is set by X and Y coordinates where X is the horizontal position and Y is the vertical position.
When first created, all 2D objects start with an X and Y position of 0 which is the top-left corner of the screen, but what if you want to move it? Let’s look at the Position property of the text label and learn how!
Scale Property
The Scale property represents a percentage of the parent object’s width or height. Remember that the screen GUI “canvas” spans the full width and height of the 3D game view — that means the Scale property can be used to position an object directly at the center of the view, against the left or right edge, or anywhere between based on a percentage of the screen’s full width or height.
Although Scale indicates a percentage, the range of values that you enter should usually be between 0 and 1, where 0 equals 0% and 1 equals 100%. For example:
Now let’s move the text label to the horizontal center of the screen. Simply enter 0.5 for the Scale value of X and press the Enter/Return key to confirm.
The text label should now be positioned more toward the center of the game view.
Offset Property
The second property in each set is called Offset. Instead of moving the element by a percentage of the parent’s size, it moves it by a specific number of pixels. This can be useful if you want to place a GUI element slightly inside any edge of the game view.
Let’s move the text label just slightly inside the top edge of the screen. Enter 50 for the Offset value of Y and press the Enter/Return key to confirm.
Now the text label should be inset just slightly from the top edge of the screen.
Anchor Point
This is because of the object’s default anchor point. An anchor point is a specific point on the object to align with the screen position you set. Imagine the anchor point like a pin stuck through a piece of paper — the pin can be put through any place on the paper, and Roblox will align that pin point with the Position value(s) you set for the object.
In the game editor window, the anchor point is shown by the small square outline on the object (when it’s selected). When you create a new GUI object, the anchor point is set to the top-left corner — this is why that exact point on the object is aligned to the X and Y position values set earlier.
The anchor point is based on an X and Y value which is a percentage of the object’s size: 0 equals 0% and 1 equals 100%.
You can use this concept to center the GUI object in the exact middle of the screen.
The text label should now be positioned exactly in the center of the game view.
Resizing Items in a Screen GUI
As you can see, the Position and AnchorPoint properties let us put elements anywhere we need to within a screen GUI. We can also change the size of any element using its Size properties.
Scale Property
For setting the size of a GUI object, the Scale property works the same as it does for positioning, representing a percentage of the parent object’s width or height. If you set Size → X → Scale to 0.5 (50%), the object will be exactly half of the screen width.
Let’s experiment and see what happens!
The text label should now take up exactly 75% of the screen width.
Offset Property
As you noticed above, Size also has a property called Offset. For sizing, Offset is useful if you want to create buttons, labels, or other objects which stay the same number of pixels (width or height) no matter what screen they’re being viewed on.
To increase the height of the text label, simply enter 150 for the Offset value of Y and press the Enter/Return key to confirm.
Now the text label should be quite a bit taller than before!
Using Negative Offsets
Some GUI layouts are only possible with creative combinations of Scale and Offset values. You can explore this by making the TextLabel object fill the entire screen with a small margin of 20 pixels around all four edges.
Challenge
AnchorPoint | Value |
---|---|
X | 0.5 |
Y | 0.5 |
Position | Value | |
---|---|---|
X | Scale | 0.5 |
Offset | 0 | |
Y | Scale | 0.5 |
Offset | 0 |
Size | Value | |
---|---|---|
X | Scale | 1 |
Offset | -40 | |
Y | Scale | 1 |
Offset | -40 |
Great! That covers the basics of GUIs, how to create a screen GUI canvas for all players that enter your game, and how to position and resize GUI objects on the screen.
How to make a LOADING SCREEN in Roblox Studio (2021)
Показать панель управления
Комментарии • 1 068
I’m so sorry!! I forgot to add this to the video!! CREDITS: clip-share.net/video/vHrGXPgB5Hw/видео.html
@TheGamingGuySlo me tooo
@TheGamingGuySlo Check that did u did it right cuz mine works
how do you get into that menu when you do the UIgradient cuz me i cant
Bro, the percentage only goes up to 1% and then suddenly stops. What is that? I’m unsubscribing, sorry.
I don’t suggest using wait( ) for the script since it doesn’t load the assets. The main purpose of loading screen is to cover your screen while the whole game is loading, if you put wait time in it, it will just load in that specific time and the game might not load properly
@The Boy Down The Road Bruh
@Art1moose that’s not only about the pc but also about internet connection
Yeah but if a pc can run roblox then it would load in time for the loading screen
How do you load assets? I need help
Thank you! I absolutely done it without mistakes! It really made my game professional kind of! Thanks for the tutorial, you earned a new sub!
Thank you so much!! You helped me make my loading screen much better.
Works great, first time I had to fix some problems but after it worked like a charm
This is really great, although I was having a tough time getting the size correct lol but this is really good
tysm. It worked perfectly and explain it so easily that i can understand everything that is going on! Earned a New Sub. Keep Up The Good Work Man!
when i was scripting i was feeling like a proffesional dev
TYSM You have made my Game Twice as Better Keep it up Bud! 🙂
I couldn’t figure out on how to do the Brackets. Could you please do a tutorial for the Rackets? Furthermore, you’ve really helped me on my game.
Really Works. Thanks!
Thank you ever so much! You helped me greatly!
Thanks, This really helps with my game 😵😎
Man This Helped Me So Much You Don’t Even Know. Thanks Alot Keep Up The Good Work I subscribed
thanks glad it helped
thanks! first i had some errors but then i viewed the script someone commented and i saw it and now it’s fixed! thanks man!
Thank you so much, keep up the good work my guy!
this must have been the best loading screen tutorial i have ever seen keep it up 😀
This is really cool! But, there is one problem. When the loading screen finishes, it deletes the chat button, the leaderboard button and the mouse. It ruins my game and i cant press any gui buttons on the screen. It also deletes al the gear in the game. Is there a way you can fix this?
@RojuReal Thanks! Saved me twice!
At the end, I made some fixing, 24:38 that should do if not, let me know
The text label doesn’t work, when I change the size it gets overlapped
Great video! Helped out alot!
Very, very helpful! Tysm.
Thanks! This is very useful! I will be using this for shooting game.
Thank you very much.First time i did some mistakes in the script and it didnt worked but then i watched again and now my game is perfec!
Great video! I really like how you explained it Roju, I am sure your going to get somewhere in the future and make a successful game, Thank you!
I cant stop admiring ur profile picture of Wilbur Soot.
thanks it helped me fix my loading screen
how do you make it so that it will load with the assets loading at the same time with the bar?
Thank you so much! When I completed the script, I had by far many mistakes and it didn’t work but when I had the uncopyblocked game, I checked the difference and I fixed it. Once I was done again, everything worked! This is the only tutorial that makes my loading work. You deserve a sub and one day, you will reach 1 million! This took me a day to make and the working script was worth it. The tutorial is remarkable! Thanks so much again and make sure somebody cares about you.
-YourLocalScorpio :3
@Arcadia Sammy go to the game link in desc and click the 3 dots it the game and go edit then go to the script/client U should then be able to see it
@Ollie the ukulele drumer Dog how to see ot
@Ollie the ukulele drumer Dog pls tell me plsss
how to check the script in the uncopyblocked game? (EDIT: I just found out how!)
i loved this video! its the simplest one i could find you just earned a sub rojoreal!
Not gonna lie,I haven’t tried it yet but it looks pretty real and working,Good video!
Thank you so so much! This is exactly what I needed! I’m Subscribed!
@The Boi idk whats happening either i have the same issue
thanks perfect good and working
I didn’t even know it was possible to script videos like that. Thanks for the video
My loading bar doesn’t work. I did everything you did but it wont load. Is there any way
to fix this?
FOR WHOEVER IS SAYING IT’S NOT WORKING:
It does work you probably copied and pasted a script from the description that doesn’t work. Or you skipped through some of the steps and missed something. I’m here to say it DOES work so if it doesn’t for you, you did something wrong.
uhh when i scripted it myself still not working bruh
uhh i fixed everything and still not working soo..
Btw if you see you’re whole gui dissapearing after loading just change the line : game.StarterGui:SetCoreGuiEnabled(Enum.CoreGuiType.All, false) : To : game.StarterGui.Loading:SetCoreGuiEnabled(Enum.CoreGuiType.All, false)
THANK YOU THIS HELPED SO MUCH!!
Hey, I wanted to add this to my game. but my game has a menu screen which breaks the entire operation; sometimes the loading screen won’t show up and sometimes the menu doesn’t show up; is there a fix?
have you done the fixing at 24:38?
Thanks so much. I was making a training center that takes so long to load and this really helped! 😀
@SpeedDemon The lag for me was a mirrored roof that had a glitch in it, I had to find the roof and delete it.
@The Boi Make sure nothing in your game causes mega lag, it didn’t work for me because of the lag before either.
same a training center
Thank you my game will be so good keep up the good work bud!
I don’t know what I did wrong but the percentage + the filler frame isn’t moving at all. I copied every last line and it doesn’t move
Roju, for some reason when it reaches 100% and it fades, the black screen still appears there. Do you have a fix? I checked the script a million times already
this guy is a legend, finally im next step closer to a simulator, thank you
THIS HELPED SO MUCH THIS DESERVERS A SUB
After I finished scripting it th testing part didn’t work, the filler didn’t move at all and it didn’t fade so it’s basically just stuck at 0%
Thank you so much, I’m subscribing
Question : While you’re loading in the game apparently my fade doesn’t work. It has the fade effect but the screen turns black instead of the game, how do I fix that?
@Jordan Barrett Well idk how to do that
@Ck_Epik dog mine just stays on 100 and doesn’t do anything
the screen is supposed to turn black then fade
for me it doesnt go off the screen and it also doesnt do the loading percentage. (please comment the script below so i can try it)
i did the script but i might have got something wrong
@Upcoming RobloxCreator same for you
do the fixing at 24:38
thank you sooo sooo soooo so much bro you don’t know how much this means to me i even have a great roblox game idea i only need to finish making it. Thanks man!
24:05 it shows the screen but my percentage doesnt load, can someone pls help? I spent an hour on this and had to do it twice because my game crashed near the end the first time
did you manage to fix it
The top bar is not filled, someone help me please
Also how do i make the fade go away faster
everything was working perfectly fine until when I die the loading screen comes back and loads again like its annoying af
Edit: Works fine now, all I did was go to the properties of the main gui (which is my loading gui) and unchecked reset on spawn
THX U SAVED ME SO MUCH TIME
thanks I had the same problem XD
It doesn’t work for me. Can someone explain what I’m doing wrong? Everyone works ok but it doesn’t do the fade, and it just stays on the completed loading screen thingy
for me, the screen didn’t fade and then dissapear, but the percentage and the bar worked!
can anyone find out how to fix this?
The loading didn’t work, it’s just staying at 0%
It worked from the studio (test play) but if I joined the game via roblox client it was all of a sudden uncentered
Thank you very much! It is very easy to do, most of the people I watched on how to do this didn’t explain it very well and doesn’t show some important stuffs, again thank you so much! I hope your channel will grow. I am now your 681th Subscriber continue making this kind of stuffs. Good luck on your journey to 1K
@RojuReal mine is not fadeing out of the loading screen maybe I messed it up or something changed
when I load in the game the bar doesn’t load at all and the screen doesn’t fade away. What did I do wrong?
tysm this helped me on my game 😀
So I watched the whole video and even tried to fix things but the loading screen still does not work does anybody have any advice?
thanks a lot!
it really helped me a lot i wish you good luck for your journey to 1k likes
OMG thanks so much. I had to recheck the script at least 4 times but it was worth it!
Whats the script
This is cool. Good job.
This actailly worked! thanks c:
So, I’m guessing eveyone who makes a loading screen tutorial, always make a loading screen that actually doesn’t load anything.
@pizzaman Sure I guess, but I guess I’m the only one who would use the PreloadAsync rather faking it.
@Touche yeah, but its just to have something over ur screen while the rest of the assets loads so it wont be as much buggy
@pizzaman In the code, it didn’t show anything being loaded. Just some code to make the UI functional to give the authentic look of a loading screen but all it does is just covers the screen.
I wanna see some actual assets being loaded from the script.
@Henry The Coolerest no its a loading so the game wont bug, it loads every asset first thats what loading is not just for design
no its a loading so the game wont bug, it loads every asset first thats what loading is not just for design
You helped me much. I subscribed you and liked your video 👍
Thank you dude your the best it helped 1 million times thanks thankss here’s your new subscriber and liker
I was scripting and accidently deleted the script. Looks like I have to restart. And also this works
MAKE SURE TO WATCH TO THE END BECAUSE PEOPLE ARE TELLING ME IT DOESNT WORK BECAUSE I DO FIXING AT THE END AND YOU ALL SKIP IT!😀
CANT YOU PUT YOUR SCRIPT AND PUT IT IN THE DESCRIPTION AND WE CAN COPAY AND PASTED
i did not skip it i did not work what i do wrong
@BarneyHunter12’s Biggest Fan same with me
It’s still not working
Does not work still (I watched to the end)
Hello! I need some help.
I did every step (till to the end) and my loading screen won’t load?? I checked the script and there was nothing wrong. I even did the fixing you did
@Zero2Ten I tried the one from the game (in description if you’re in the game click on the 3 dots then just click edit, copy the whole script, go to your game, delete YOUR script then paste it from the game)
@Kit Kat No problem🙂
NVM! I’ts all fixed now! Thank you for the tutorial!
I have a problem with the fade. I tested it and the fade is stuck it shows a dark screen with the title name and won’t get out. How do i fix this? it’s like 24:16 except it has title name. How do I fix this problem?
after the loading screen, why the chat, leaderboards, inventory are gone? is there any fix to this?
Update: I followed the tutorial and it is stuck on the loading screen.
I did it but it didn’t load the percentage and stayed on the screen.
thats what happend to me!
tysm this helped a lot.
THATS WORKED TY
thanks bro your AMAZING i still cant script you r a big help love ya
for me its just glitching by adding it still after it goes black
If this isn’t working for you REMEMBER
Scripting is very sensitive, so make sure everything is spelled correctly and is capitalized as needed. If one letter is out of place or capitalized wrong it won’t work.
Here is the script. local gui script.parent
local background = gui:Waitforchild («background»)
local bar = background:WaitForchild («bar»)
local filler = bar:Waitforchild(«Filler»)
local percentage = bar:Waitforchild(«percent»)
wait (5)
game.StarterGui:SetCoreGuiEnabled(enum.coreguitype.all, false)
for i = 1, 100 do
wait (0.o4)
percentage.text = 1..»%»
local formula = i/100
filler:TweenSize(UDim2.new(formula, 0, 1, 0,), enum.easingdirection.out, enum.easingstyle.linear, 0.1, true)
if i == 34 or i == 67 or i == 91 then
wait (1)
end
end
local tween = game.TweenService:Create(gui.fade, tweeninfo.new(1.5), enum.easingstyle.linear, enum.easingdirection.out),) <["backgroundtransparency"] = 0>)
tween.play()
tween.completed:Wait()
gui.background.visible = false
wait (2)
tween = game.TweenService:Create(gui.fade, tweeninfo.new(1.5), enum.easingstyle.linear, enum.easingdirection.out),) <["backgroundtransparency"] = 1>)
tween:Play()
tween.completed:Wait()
game.StarterGui:SetCoreGuiEnabled(enum.coreguitype.all, true)
wait (1)
gui destroy() local gui script.parent
local background = gui:Waitforchild («background»)
local bar = background:WaitForchild («bar»)
local filler = bar:Waitforchild(«Filler»)
local percentage = bar:Waitforchild(«percent»)
wait (5)
game.StarterGui:SetCoreGuiEnabled(enum.coreguitype.all, false)
for i = 1, 100 do
wait (0.o4)
percentage.text = 1..»%»
local formula = i/100
filler:TweenSize(UDim2.new(formula, 0, 1, 0,), enum.easingdirection.out, enum.easingstyle.linear, 0.1, true)
if i == 34 or i == 67 or i == 91 then
wait (1)
end
end
local tween = game.TweenService:Create(gui.fade, tweeninfo.new(1.5), enum.easingstyle.linear, enum.easingdirection.out),) <["backgroundtransparency"] = 0>)
tween.play()
tween.completed:Wait()
gui.background.visible = false
wait (2)
tween = game.TweenService:Create(gui.fade, tweeninfo.new(1.5), enum.easingstyle.linear, enum.easingdirection.out),) <["backgroundtransparency"] = 1>)
tween:Play()
tween.completed:Wait()
game.StarterGui:SetCoreGuiEnabled(enum.coreguitype.all, true)
wait (1)
gui destroy()
@RojuReal ok that does work but the admin feature doesn’t show up on the previous like update. Yeah I’m just gonna put it like that.
@Samuel’s GamingStudio 2020 R.S. The video is divided into different chapters, watch the fixing part. Tell me if it works then.
So everything works fine like this video says but it corrupted my other updates and made my game passes useless. Do you have any suggestions on how to make the had admin and the chat not disappear? His screen also has that problem
@AliBlox YT I had the same problem, turned out that one of the words involving the fade was misspelled, so go back through and make sure.
ПРЯТКИ на ТАЧКАХ в городе
Показать панель управления
Комментарии • 2 912
Парни, это была честная победа!
Спасибо за возможность потягаться с вами
Информатора не ругайте, у него были абсолютно благие мотивы.
Мы вернёмся сильнее и рады будем реваншу в любом виде!
А пока возвращаемся к работе над нашими тачками и готовимся к Чёрному Списку Блогеров
И это, скоро у нас в серии офигенная тачка, которой удивитесь даже вы 😉
Фарсаш для синдикат как новая волна для моря эмоций
Достойно бились, ребята!
@Hot Wheels Drive да победа не чистая…
Миша который чуть ли не единственный раз появляется за всю серию, выходит со стороны мусорок и говорит «обожрался»😂
Я тоже угарнул с этого😁
хахахахах серия ТОП, на одном дыхании))
Антон молодец, хоть и проиграл 30к но делает себе отличную рекламу😂
Синдикат молодцы, что обыграли ситуацию и решили поиграть в прятки а не просто забрали тачку 👍😃
хахахахах серия ТОП, на одном дыхании))
Антон молодец, хоть и проиграл 30к но делает себе отличную рекламу😂
Синдикат молодцы, что обыграли ситуацию и решили поиграть в прятки а не просто забрали тачку 👍😃
Серия 💣. Потихоньку всё скатывалось по наклонной вниз как у камеди,а тут 40 минут на одном дыхании. Так держать. Парням с форсажа скажите спасибо за взбучку!!
Реально движевая серия!! Очень прикольно Серёга замутил, поэтому сильно не наказывайте его!)) Ткач у вас вообще лютый! И технарь, и гонщик, и суетолог, и выходы нужные имеет!! Синдикат раскрывается новыми навыками!! Очень интересно за этим наблюдать!)
Все таки наша полиция может, если захочет. Парни молодцы. Ткач не забудь поблагодарить содрудника полиции!
@Lorenso Grand потому что у него всё настроено и скачано, и он знает как этим пользоваться
@Halgnar Mishok какой молодец? тебе понравится если инфу о твоих перемещениях будут сливать хер пойми кому? как меленький.
@Простой Человек а что за сайт пруфы есть?
Это смотря кто просит ))
@Lorenso Grand сливает не сливает но если в реале украдут машину то это поможет быстро найти
Серия 💣. Потихоньку всё скатывалось по наклонной вниз как у камеди,а тут 40 минут на одном дыхании. Так держать. Парням с форсажа скажите спасибо за взбучку!!
это самый ахринительный выпуск) синдикат в очередной раз всем все доказал! Антоха тоже молодец,дал ребятам возможность проявить себя)
это самый ахринительный выпуск) синдикат в очередной раз всем все доказал! Антоха тоже молодец,дал ребятам возможность проявить себя)
С Антоном периодически пересекайтесь, это всем идёт на пользу. Видео огонь!
Реально движевая серия!! Очень прикольно Серёга замутил, поэтому сильно не наказывайте его!)) Ткач у вас вообще лютый! И технарь, и гонщик, и суетолог, и выходы нужные имеет!! Синдикат раскрывается новыми навыками!! Очень интересно за этим наблюдать!)
Неужели твой комментарий не набрал 1к лайков😹
Как ни странно, но 2 победы Синдикату приносит Саня, респект ему!
это самый ахринительный выпуск) синдикат в очередной раз всем все доказал! Антоха тоже молодец,дал ребятам возможность проявить себя)
С самого начала и до конца видос держал в напряжении, развязка вообще 🔥. Победителей всегда ждут новые победы. Лайк слету. Ждем побыстрее следущее видео.
Гамза красава, все очень классно, с Антоном хорошое видео получается и второй раз, контент збс
супер крутая серия! респект чувакам с форсажа за движ)) снимите какую-нибудь коллабу или восстановление культового авто типо скайклайна брайана из форсажа)) а лучше весь парк с лансером, цивиками и главное с супрой А80))
Форсаж молодцы, дают свежие поводы для роликов синдикату. И себя раскручивают! Ролик класс)
Серега, молодчина! Реально расшевелил и компанию, и контент! Самому захотелось попасть в эту движуху! Отдельный респект за монтаж видоса!)
Бля, самое охуенное в этой серии это как Серега играет😂 Жалко что мистер Бич не пошёл, это был бы отдельный жанр ютуба😩 Серёга, если читаешь этот коммент знай- ты реально крутой чел за которым интересно наблюдать с нелегальных игр👍Удачи тебе!
Как всегда топовый оригинальный контент. Спасибо, всегда поднимаете настроение
Вы просто короли контента! Получил огромное удовольствие! Антохе «@форсаж»респект за то что не унывает, и продолжает пробовать бросать вызовы
Я уверен что в следующий серии это Тойота марк2, потому что Женя про неё много говорит и знает а на сколько я знаю и помню марк любимая машина была
Офигеный видосик получился. Спасибо ребят за то что радуете людей своим контентом
Как много вы знаете людей, которые не просто «хотят» делать контент с Синдикатом, а которые реально делают контент. Антон отлично разбавляет ваш привычный ритм жизни и видео. Вам нужно с ними что-нибудь придумать!
В очередной раз Саня доказал, что он в одного способен затащить всю движуху
P.S Сергей тоже красавчик
30к?))) Одна вставка от поллимона стоит в каналах с похожим охватом) если и пиарят, то по дружбе
Серега это ты написал сам себе отзыв )?
Ну теперь вашей команде нужно снять полноценный художественный фильм. Я уверен что успех будет шикарный.
Серия вышка. Саня красава) улыбка до пола))))
Спасибо! Крутая серия! Спасибо информатору и форсажу 😀
Выражаю огромную благодарность Гамзе,Менту,Ткачу и Димасу за поиски:)
Отдельный респект Гамзе! Тащет весь синдикат))
Видос, Огонь! Сюжет, Огонь! Снято очень круто и на драйве! Это один из лучших видосов синдиката который в дальнейшем можно пересмотреть. И не раз =) Все молодцы! Даже если наиграно. То всё равно очень круто получилось. Что то подобное я бы ещё посмотрел с большим удовольствием! Удачи ребята! P.S Заранее видел спойлер на канале Форсаж =) Ждал видоса от Вас. Соответственно ЛАЙК!
Отдельный респект Гамзе! Тащет весь синдикат))
@Лёха Лайк ну я что то не видел что бы Жеких такой стоял, в машине ковырялся 🤣 сказал как есть.
@Gregor ATOM Видимо да,ну если вы считаете,что Гамза тащит весь синдикат😂
@Лёха Лайк 🤔 видимо ты самый умный комментатор. 😆 и тебе не зачем тягаться с нами тупыми. 😂😂
Чё он там тащит,о чём ты,обычный автослесарь,электрик,таких много.А вот Жекич с его харизмой,умением держаться перед камерой,придумать историю и её правильно подать,вот таких оч.мало.
На самом деле это он владелец Синдиката, а это просто его очередной канал )
Красавчики! Каждая серия как праздник🤣🤣
Это один из идеальных выпусков, начало затянуто, но шикарно, на одном дыхании
аххахахахах то как Женя в конце описывает машину из следующей серии, сразу наталкивает на мысли о том что это легендарный волчара! одно только напоминание об ушатанной уади и вечно вылетающем колесе говорит само за себя.
Парням с форсажа удалось. Лайк вам поставил за эмоции. Давно не было таких выпусков.
Понравился контент,все взбодрились, интрига до конца серии)))
Все было на высшем уровне,спасибо вам за такой контент
Отдельная благодарность операторам и монтажерам за данную серию, получилось профессионально и с крутыми вставками. До последнего момента в интриге!
Серия огонь!
Антоха это гениальный суперзлодей, а команда синдиката это агент 007.
Парни, замутите ещё какую нибудь тему с Антохай. У вас получаются отличные противостояния.
Антохах молодец на самом деле, взбодрил синдикат 🤟 А Миша как отдельный вид искусства, спокойствие и невозмутимость 😎😹
Максимально положительные эмоции вызвала серия, спасибо Антону.
Форсажевцы молодцы, задали интересную сюжетную линию 😎👌🏼
Ну что, благодаря Сане Синдикат вновь выиграл! Серия шикарная!
⬆️⬆️⬆️⬆️⬆️⬆️⬆️⬆️⬆️⬆️⬆️⬆️
🍇🔥девочки🥰тех самых лет😍
✅на сайте из названия канала✅
🍉🍉🍉♥️♥️♥️🍉🍉🍉♥️♥️♥️
Ещё не досмотрел, в процессе, но серия очень очень классная. Прям детектив, в восторге.
Было прикольно 😂😂😂 особенно с того как Серёга врал))))
Как же круто, Синдикат молодцы. Форсаж афигенные. Кайфанул
Встряски вам по нужны, да по чаще) Вышло оч круто, Форсаж молодцы за кипишь и движ) Буэно буэно)
как же это круто. топ серия 🔥
особенно лайк нашему бравому сотруднику который оперативно нашел по камерам.Удивил, Респект 👍👍👍🔥🔥🔥
хахахахах серия ТОП, на одном дыхании))
Антон молодец, хоть и проиграл 30к но делает себе отличную рекламу😂
Синдикат молодцы, что обыграли ситуацию и решили поиграть в прятки а не просто забрали тачку
Евгений пожалуйста не затягивай так, очень долго ждём тебя.
ПРЯТКИ на ТАЧКАХ в городе
Показать панель управления
Комментарии • 2 912
Парни, это была честная победа!
Спасибо за возможность потягаться с вами
Информатора не ругайте, у него были абсолютно благие мотивы.
Мы вернёмся сильнее и рады будем реваншу в любом виде!
А пока возвращаемся к работе над нашими тачками и готовимся к Чёрному Списку Блогеров
И это, скоро у нас в серии офигенная тачка, которой удивитесь даже вы 😉
Фарсаш для синдикат как новая волна для моря эмоций
Достойно бились, ребята!
@Hot Wheels Drive да победа не чистая…
Миша который чуть ли не единственный раз появляется за всю серию, выходит со стороны мусорок и говорит «обожрался»😂
Я тоже угарнул с этого😁
хахахахах серия ТОП, на одном дыхании))
Антон молодец, хоть и проиграл 30к но делает себе отличную рекламу😂
Синдикат молодцы, что обыграли ситуацию и решили поиграть в прятки а не просто забрали тачку 👍😃
хахахахах серия ТОП, на одном дыхании))
Антон молодец, хоть и проиграл 30к но делает себе отличную рекламу😂
Синдикат молодцы, что обыграли ситуацию и решили поиграть в прятки а не просто забрали тачку 👍😃
Серия 💣. Потихоньку всё скатывалось по наклонной вниз как у камеди,а тут 40 минут на одном дыхании. Так держать. Парням с форсажа скажите спасибо за взбучку!!
Реально движевая серия!! Очень прикольно Серёга замутил, поэтому сильно не наказывайте его!)) Ткач у вас вообще лютый! И технарь, и гонщик, и суетолог, и выходы нужные имеет!! Синдикат раскрывается новыми навыками!! Очень интересно за этим наблюдать!)
Все таки наша полиция может, если захочет. Парни молодцы. Ткач не забудь поблагодарить содрудника полиции!
@Lorenso Grand потому что у него всё настроено и скачано, и он знает как этим пользоваться
@Halgnar Mishok какой молодец? тебе понравится если инфу о твоих перемещениях будут сливать хер пойми кому? как меленький.
@Простой Человек а что за сайт пруфы есть?
Это смотря кто просит ))
@Lorenso Grand сливает не сливает но если в реале украдут машину то это поможет быстро найти
Серия 💣. Потихоньку всё скатывалось по наклонной вниз как у камеди,а тут 40 минут на одном дыхании. Так держать. Парням с форсажа скажите спасибо за взбучку!!
это самый ахринительный выпуск) синдикат в очередной раз всем все доказал! Антоха тоже молодец,дал ребятам возможность проявить себя)
это самый ахринительный выпуск) синдикат в очередной раз всем все доказал! Антоха тоже молодец,дал ребятам возможность проявить себя)
С Антоном периодически пересекайтесь, это всем идёт на пользу. Видео огонь!
Реально движевая серия!! Очень прикольно Серёга замутил, поэтому сильно не наказывайте его!)) Ткач у вас вообще лютый! И технарь, и гонщик, и суетолог, и выходы нужные имеет!! Синдикат раскрывается новыми навыками!! Очень интересно за этим наблюдать!)
Неужели твой комментарий не набрал 1к лайков😹
Как ни странно, но 2 победы Синдикату приносит Саня, респект ему!
это самый ахринительный выпуск) синдикат в очередной раз всем все доказал! Антоха тоже молодец,дал ребятам возможность проявить себя)
С самого начала и до конца видос держал в напряжении, развязка вообще 🔥. Победителей всегда ждут новые победы. Лайк слету. Ждем побыстрее следущее видео.
Гамза красава, все очень классно, с Антоном хорошое видео получается и второй раз, контент збс
супер крутая серия! респект чувакам с форсажа за движ)) снимите какую-нибудь коллабу или восстановление культового авто типо скайклайна брайана из форсажа)) а лучше весь парк с лансером, цивиками и главное с супрой А80))
Форсаж молодцы, дают свежие поводы для роликов синдикату. И себя раскручивают! Ролик класс)
Серега, молодчина! Реально расшевелил и компанию, и контент! Самому захотелось попасть в эту движуху! Отдельный респект за монтаж видоса!)
Бля, самое охуенное в этой серии это как Серега играет😂 Жалко что мистер Бич не пошёл, это был бы отдельный жанр ютуба😩 Серёга, если читаешь этот коммент знай- ты реально крутой чел за которым интересно наблюдать с нелегальных игр👍Удачи тебе!
Как всегда топовый оригинальный контент. Спасибо, всегда поднимаете настроение
Вы просто короли контента! Получил огромное удовольствие! Антохе «@форсаж»респект за то что не унывает, и продолжает пробовать бросать вызовы
Я уверен что в следующий серии это Тойота марк2, потому что Женя про неё много говорит и знает а на сколько я знаю и помню марк любимая машина была
Офигеный видосик получился. Спасибо ребят за то что радуете людей своим контентом
Как много вы знаете людей, которые не просто «хотят» делать контент с Синдикатом, а которые реально делают контент. Антон отлично разбавляет ваш привычный ритм жизни и видео. Вам нужно с ними что-нибудь придумать!
В очередной раз Саня доказал, что он в одного способен затащить всю движуху
P.S Сергей тоже красавчик
30к?))) Одна вставка от поллимона стоит в каналах с похожим охватом) если и пиарят, то по дружбе
Серега это ты написал сам себе отзыв )?
Ну теперь вашей команде нужно снять полноценный художественный фильм. Я уверен что успех будет шикарный.
Серия вышка. Саня красава) улыбка до пола))))
Спасибо! Крутая серия! Спасибо информатору и форсажу 😀
Выражаю огромную благодарность Гамзе,Менту,Ткачу и Димасу за поиски:)
Отдельный респект Гамзе! Тащет весь синдикат))
Видос, Огонь! Сюжет, Огонь! Снято очень круто и на драйве! Это один из лучших видосов синдиката который в дальнейшем можно пересмотреть. И не раз =) Все молодцы! Даже если наиграно. То всё равно очень круто получилось. Что то подобное я бы ещё посмотрел с большим удовольствием! Удачи ребята! P.S Заранее видел спойлер на канале Форсаж =) Ждал видоса от Вас. Соответственно ЛАЙК!
Отдельный респект Гамзе! Тащет весь синдикат))
@Лёха Лайк ну я что то не видел что бы Жеких такой стоял, в машине ковырялся 🤣 сказал как есть.
@Gregor ATOM Видимо да,ну если вы считаете,что Гамза тащит весь синдикат😂
@Лёха Лайк 🤔 видимо ты самый умный комментатор. 😆 и тебе не зачем тягаться с нами тупыми. 😂😂
Чё он там тащит,о чём ты,обычный автослесарь,электрик,таких много.А вот Жекич с его харизмой,умением держаться перед камерой,придумать историю и её правильно подать,вот таких оч.мало.
На самом деле это он владелец Синдиката, а это просто его очередной канал )
Красавчики! Каждая серия как праздник🤣🤣
Это один из идеальных выпусков, начало затянуто, но шикарно, на одном дыхании
аххахахахах то как Женя в конце описывает машину из следующей серии, сразу наталкивает на мысли о том что это легендарный волчара! одно только напоминание об ушатанной уади и вечно вылетающем колесе говорит само за себя.
Парням с форсажа удалось. Лайк вам поставил за эмоции. Давно не было таких выпусков.
Понравился контент,все взбодрились, интрига до конца серии)))
Все было на высшем уровне,спасибо вам за такой контент
Отдельная благодарность операторам и монтажерам за данную серию, получилось профессионально и с крутыми вставками. До последнего момента в интриге!
Серия огонь!
Антоха это гениальный суперзлодей, а команда синдиката это агент 007.
Парни, замутите ещё какую нибудь тему с Антохай. У вас получаются отличные противостояния.
Антохах молодец на самом деле, взбодрил синдикат 🤟 А Миша как отдельный вид искусства, спокойствие и невозмутимость 😎😹
Максимально положительные эмоции вызвала серия, спасибо Антону.
Форсажевцы молодцы, задали интересную сюжетную линию 😎👌🏼
Ну что, благодаря Сане Синдикат вновь выиграл! Серия шикарная!
⬆️⬆️⬆️⬆️⬆️⬆️⬆️⬆️⬆️⬆️⬆️⬆️
🍇🔥девочки🥰тех самых лет😍
✅на сайте из названия канала✅
🍉🍉🍉♥️♥️♥️🍉🍉🍉♥️♥️♥️
Ещё не досмотрел, в процессе, но серия очень очень классная. Прям детектив, в восторге.
Было прикольно 😂😂😂 особенно с того как Серёга врал))))
Как же круто, Синдикат молодцы. Форсаж афигенные. Кайфанул
Встряски вам по нужны, да по чаще) Вышло оч круто, Форсаж молодцы за кипишь и движ) Буэно буэно)
как же это круто. топ серия 🔥
особенно лайк нашему бравому сотруднику который оперативно нашел по камерам.Удивил, Респект 👍👍👍🔥🔥🔥
хахахахах серия ТОП, на одном дыхании))
Антон молодец, хоть и проиграл 30к но делает себе отличную рекламу😂
Синдикат молодцы, что обыграли ситуацию и решили поиграть в прятки а не просто забрали тачку
Евгений пожалуйста не затягивай так, очень долго ждём тебя.
Источники информации:
- http://developer.roblox.com/en-us/articles/Intro-to-GUIs
- http://clip-share.net/video/BL_u_gv1ZV8/how-to-make-a-loading-screen-in-roblox-studio-2021.html
- http://clip-share.net/video/GnO7FdwFaJI/roblox-studio-how-to-make-a-loading-screen.html
- http://clip-share.net/video/xoMHVeSPvM4/roblox-studio-tutorial-how-to-make-loading-screen-gui.html