Search the Community
Showing results for tags 'mta', ' error' or ' connect'.
-
Have you played one of these racing maps? Basically, people need to help one person get to the end of the map. Here's a cool example of a teamwork map. Something unique
-
Hello dear forum members, I am deeply interested in a persistent question regarding my shader for the effect of raindrops flowing down the sides of the car, as well as the effect of raindrops (spots) on the surface of the car (roof, bumper). I’ve been struggling with these issues for a long time and still can’t figure out how to solve my two problems. I hope someone can help me and explain to a beginner in HLSL how to properly implement the shader. The first problem is that I don’t understand how to make the raindrops flow down the different sides of the car. Essentially, I have a single texture applied to the car, and I can't figure out how to split it into multiple segments and adapt it to flow around the sides of the car. (I also need to account for the unique features of each car model so that the flow looks realistic on each vehicle.) The second problem is the effect of tiny raindrops on the roof, hood, and bumper of the car (the generation of small droplets that gradually appear and disappear). The issue is that I’m trying to apply both effects in one shader, but the problem is that either only one of them works under certain settings, or nothing works at all. I can't get both effects to work harmoniously together. I’ll also provide an example of the Lua script and the textures used for the shader. I really hope for your help. I've been spending too much time on this, and I can't seem to find a solution. float4x4 gWorld : WORLD; float4x4 gView : VIEW; float4x4 gProjection : PROJECTION; float gTime : TIME; // Rain parameters float gDropSpeed = 0.03; // Speed of droplet flow float2 noiseScale = float2(0.2, 0.8); // Noise texture scale float3 lightDirection = float3(1.0, 1.0, -1.0); // Light direction float gDropSpread = 0.3; // Droplet spread float gDropDepth = 0.3; // Droplet depth texture gTexture; // Main car texture texture texRain; // Raindrop texture texture texNormalRain; // Raindrop normals texture texNoise; // Noise texture // Variables for controlling the effect float gAlpha = 0.01; // Alpha channel for the car float rainAlpha = 1.8; // Alpha channel for raindrops sampler2D gTextureSampler = sampler_state { Texture = ( gTexture ); MinFilter = Linear; MagFilter = Linear; AddressU = Wrap; AddressV = Wrap; }; sampler2D texRainSampler = sampler_state { Texture = ( texRain ); MinFilter = Linear; MagFilter = Linear; AddressU = Wrap; AddressV = Wrap; }; sampler2D texNormalRainSampler = sampler_state { Texture = ( texNormalRain ); MinFilter = Linear; MagFilter = Linear; AddressU = Wrap; AddressV = Wrap; }; sampler2D texNoiseSampler = sampler_state { Texture = ( texNoise ); MinFilter = Linear; MagFilter = Linear; AddressU = Wrap; AddressV = Wrap; }; struct VertexShaderInput { float4 Position : POSITION; // Using standard POSITION semantics for the vertex shader float2 TextureCoordinate : TEXCOORD0; // Passing texture coordinates }; struct PixelShaderInput { float4 Position : POSITION; // Passing position as float4 for proper operation float3 WorldPos : TEXCOORD1; // Passing world coordinates for calculations float2 TextureCoordinate : TEXCOORD0; // Passing texture coordinates }; PixelShaderInput VertexShaderFunction(VertexShaderInput input) { PixelShaderInput output; // Position in world coordinates float4 worldPos = mul(input.Position, gWorld); // Storing position for further projection output.Position = mul(mul(input.Position, gWorld), gView); output.Position = mul(output.Position, gProjection); // Applying projection // Storing world coordinates (for droplet flow) output.WorldPos = worldPos.xyz; // Passing texture coordinates output.TextureCoordinate = input.TextureCoordinate; return output; } float4 PixelShaderFunction(PixelShaderInput output) : COLOR0 { float2 textureCoordinate = output.TextureCoordinate; // Main car texture float4 baseColor = tex2D(gTextureSampler, textureCoordinate); baseColor.rgb = max(baseColor.rgb, 0.1); // Brightening dark areas // Getting noise for random movement float noise = tex2D(texNoiseSampler, textureCoordinate * noiseScale).r; // World coordinates to determine droplet direction float3 worldPos = output.WorldPos; // Using world coordinates // Determining droplet direction based on normals and world position float3 normal = normalize(output.WorldPos); // Normal to the surface // Checking direction by normals to determine which side of the car we're on if (abs(normal.x) > abs(normal.y) && abs(normal.x) > abs(normal.z)) { // Side surfaces textureCoordinate.y += gDropSpeed * gTime; // Flowing down the sides } else if (normal.y > 0.5) { // Top surface (roof) textureCoordinate.y -= gDropSpeed * gTime; // Droplets flow down } else { // Other sides (front and back) textureCoordinate.x -= gDropSpeed * gTime; // Optionally add droplet flow forward/backward } // Reducing random offset for more precise flow float2 offset = gDropSpread * (noise * 4.0 - 0.5) * float2(1.0, 2.5); // Using float2 for offset textureCoordinate -= offset; // Applying deviation in both axes // Raindrop texture float4 rainColor = tex2D(texRainSampler, textureCoordinate); // Adjusting droplets to the car color rainColor.rgb = baseColor.rgb * 0.8 + float3(0.1, 0.1, 0.1); // Adding body tint to droplets rainColor.a = rainAlpha; // Alpha channel of droplets // Normals for droplets float4 tempRainNormal = tex2D(texNormalRainSampler, textureCoordinate); // Explicitly using float4 float3 rainNormal = normalize(tempRainNormal.rgb * 2.5 - 0.75); // Normalizing normals // Lighting on droplets float diffuse = saturate(dot(normalize(rainNormal), normalize(lightDirection))); // Correct lighting // Combining colors float4 finalColor = lerp(baseColor, rainColor, rainAlpha * diffuse); finalColor.a = lerp(gAlpha, rainAlpha, diffuse * 0.9); // Adding droplet depth finalColor.rgb += gDropDepth * 0.9; // Depth effect of droplets float3 v = float3(0.0, 0.0, 0.0); float Tr2 = gTime * 11000.0; float2 n = tex2D(texNoiseSampler, textureCoordinate * 0.5).rg; for (float r = 4.0; r > 0.0; r--) // Reducing the number of iterations { float2 x = 2100.0 * r * 0.015; float2 p = 6.28 * textureCoordinate * x + (n - 0.5) * 2.0; float4 d = tex2D(texNoiseSampler, round(textureCoordinate * x - 0.25) / x); float t = (sin(p.x) + sin(p.y)) * max(0.0, 1.0 - frac(Tr2 * (d.b + 0.1) + d.g) * 2.0); if (d.r < (2.0 - r) * 0.08 && t > 0.5) { v += normalize(float3(-cos(p.x), lerp(1.2, 2.0, t - 0.5), 0.0)); } } finalColor.rgb += v * rainAlpha; return finalColor; } technique Replace { pass P0 { DepthBias = -0.0001; AlphaBlendEnable = TRUE; SrcBlend = SRCALPHA; DestBlend = INVSRCALPHA; VertexShader = compile vs_1_1 VertexShaderFunction(); PixelShader = compile ps_3_0 PixelShaderFunction(); } } LUA CODE: local shader = dxCreateShader("fx/shader.fx", 2, 300, true, "vehicle"); local zapylyayushiesyaDetali = { "remap_body", }; local rainTexture = dxCreateTexture("assets/RainCar.png") local normalRainTexture = dxCreateTexture("assets/RainNormal.png") local noiseTexture = dxCreateTexture("assets/enbnoise.png") dxSetShaderValue(shader, "texRain", rainTexture) dxSetShaderValue(shader, "texNormalRain", normalRainTexture) dxSetShaderValue(shader, "texNoise", noiseTexture) -- Применение шейдера к машине local vehicle = getPedOccupiedVehicle(localPlayer) if vehicle then --engineApplyShaderToWorldTexture(shader, "vehiclegrunge256", vehicle) for _, name in ipairs(zapylyayushiesyaDetali) do engineRemoveShaderFromWorldTexture(shader, name, localPlayer.vehicle) engineApplyShaderToWorldTexture(shader, name, localPlayer.vehicle) end end renderTarget = dxCreateRenderTarget(512, 512, true) addEventHandler("onClientRender", root, function() iprint(shader) if shader then if renderTarget then dxSetRenderTarget(renderTarget, true) dxDrawImage(0, 0, 512, 512, shader) dxSetRenderTarget() dxDrawImage(50, 50, 256, 256, renderTarget) end end end)
-
- shader mta
- shader hlsl
-
(and 6 more)
Tagged with:
-
Gente eu to criando um script e sou novato com programação em Lua queria saber se existe algum codigo, algum jeito de mudar o estilo de segurar da arma no caso o estilo de mira. Um exemplo seria fazer o jogador segurar a colt 45 como se fosse a desert eagle. Nessa foto ai o policial segura uma COLT como se fosse uma DESERT eu queria algo assim pros players
-
I have a server bulit on 1.6.0 MTA version, it works well, no lags etc, but it has many cars and maps, the problem is that you can play it well for 30 - 40 minutes, then game unfortunately crash, or else, freeze. It happens not only to me as host, but also for players who just join and play their sessions in solo, is there a way to make car/map models unload when player is away from them? or atleast when player goes into carshop, garage, to make models reload and extract them from buffer memory? Im not so skilled at coding such things, i want to see if its possible, because i played on few servers that maybe uses it, through Loading-Screens, which is i think makes all the job behind, unloading-loading txd/dff. IF i delete the car resource, it runs good, up to hours of playthrough, but when i boot resource up, it will start like a countdown. Resource is nearly 400 - 500 MB, and reaches somewhat 45 cars.
-
Coopera San Andreas Online Gang War And Police Server Main Language: Arabic (Other languages could be spoken through our language-chat) Server Game-mode: Gang War Server IP: mtasa://23.88.73.88:35369 Discord Link: Click Here :سيرفر حرب العصابات تبع ميمون كاش https://www.youtube.com/@MimounX Gangs: { 11 Gangs } https://i.postimg.cc/2j4LsQ3X/Gangs.png Gangs Clothes: https://i.postimg.cc/Ss9VFnz7/Gangs-Clothes.png Some Gangs Headquarters: Police: https://i.postimg.cc/PJ4WTYfZ/Police1.png https://i.postimg.cc/sf99YdPX/Police2.png Vagos: https://i.postimg.cc/26jjgZtg/Vagos.png Triads: https://i.postimg.cc/bJ6YPvcr/Triads.png Rifa: https://i.postimg.cc/8P7c1LCS/Rifa.png Jobs: Cleaner Job Dustman Job Icecream Job Pizza Job Towtruck Job https://i.postimg.cc/xdvqwY1N/Pizza-Job1.png https://i.postimg.cc/J40DG9PS/Pizza-Job2.png Rob Bank: https://i.postimg.cc/VvpYSHNc/Bank-rob1.png https://i.postimg.cc/gJ0dgPXW/Bank-rob2.png Clothes Store: https://i.postimg.cc/RCXJCMQc/Clothes-Store1.png https://i.postimg.cc/J0D8Wc5Y/Clothes-Store2.png Ammunition Store: https://i.postimg.cc/gJBp5B86/Ammunition-Store1.png https://i.postimg.cc/J0GrzWMq/Ammunition-Store2.png Pizza Shop: https://i.postimg.cc/W1r4ZjrY/Pizza-Shop.png and you can to play DeathMatch: https://i.postimg.cc/QCyMQd0w/Death-Match.png Map DeathMatch: https://i.postimg.cc/Gms4jv0Q/Death-Match-Map1.png https://i.postimg.cc/zfZV2381/Death-Match-Map2.png https://i.postimg.cc/8c2SkJyp/Death-Match-Map3.png "والمزيد من الاشياء رح اخليكم تستكشفونها في سيرفر اتمنى ان يعجبكم محتوى السيرفر ورح تكون هناك تحديثات قوية ومستمرة انشاء الله " |* مع السلامة *| --
-
I downloaded today the Launcher of a game based on MTA, more specifically "MTA Province", it is a game on Russian servers. After installing and trying to run it, I got the error "AC 4 TURN OFF VPN...". After contacting the support of this game, I found out that the problem is in the MTA Anti-Cheat, that's why I'm here. I am very much asking for help in solving this error, because because of it I simply can not even connect to the server. It is strange that with such a problem from my environment faced only me, but my friend, on whose computer and account I played just a couple of hours ago, can safely use the game together with VPN. I want to pay attention that it is simply impossible to play without VPN, because I am on the territory of Ukraine, and here all servers are blocked in any way related to Russia, and the servers of MTA Province are in Russia. Screenshot of the error in the game
-
Я скачал сегодня Лаунчер игры, основанной на базе MTA, а точнее "MTA Province", это игра на российских серверах. После установки и при попытке запуска я получил ошибку "AC 4 TURN OFF VPN"... Обратившись к поддержке этой игры, я выяснил, что проблема в Анти-Чите МТА, поэтому, собственно, я здесь. Я очень прошу помощи в решении этой ошибки, поскольку из-за неё я попросту не могу даже подключиться к серверу. Странно, что с такой проблемой из своего окружения столкнулся только я, а вот мой товарищ, на компьютере и аккаунте которого я играл буквально пару часов назад, может спокойно использовать игру вместе с ВПН. Хочу обратить внимание, что играть без ВПН попросту невозможно, поскольку я нахожусь на территории Украины, а здесь заблокированы все сервера как-либо связанные с Россией, а сервера МТА Провинции находятся именно в России. Скриншот ошибки в игре
-
☣ Balkan DayZ[EUROPE|ZM SHOP|ISLANDS|MISSIONS] ☣© IP: 191.96.94.101:22003 Features: Zombie kills shop English Blips on map for Hospital,High loot,fuel stations More Guns Mission System Group System Zombie System Discord server: https://discord.gg/XCtHGsXT8g Radar in A51 F1 Group system panel F2 User Control Panel F6 Leaderboard Panel F9 Help Panel NO LAG
-
☣ Balkan DayZ[EUROPE|ZM SHOP|ISLANDS|MISSIONS] ☣© IP: 191.96.94.101:22003 Features: Zombie kills shop English Blips on map for Hospital,High loot,fuel stations More Guns Mission System Group System Zombie System Discord server: https://discord.gg/XCtHGsXT8g Radar in A51 F1 Group system panel F2 User Control Panel F6 Leaderboard Panel F9 Help Panel NO LAG
-
W!CK3D G@M1NG DayZ[EN|RU|LV|GLOBAL|HIGH LOOT|150+VEHICLES] IP: 191.96.94.101:22003 Features: Zombie Shop English More Guns Mission System Airdrop Systm Group System Zombie System Radar in A51 NO LAG Discord: https://discord.gg/NTSkHh6W9M
-
Venho por meio desta mensagem Alertar todos do grupo sobre um picareta chamado Punk ou PunkStudios, se diz programador de MTA infelizmente eu caí em um golpe com esse malandro que fica Oferecendo Mods de escadas no Discord, que fiquem de alerta para você ou outras pessoas não caírem no mesmo golpe, cuidado com quem vocês realizam suas compras. https://ibb.co/Sxd4mt0 (imagem da loja dele), cuidado rpz!
-
W!CK3D G@M1NG DayZ[EN|RU|LV|GLOBAL|HIGH LOOT|150+VEHICLES] IP: 191.96.94.101:22003 Features: Zombie Shop English More Guns Mission System Group System Zombie System Radar in A51 NO LAG Discord: https://discord.gg/q2A7EnTv
-
Anoyone please
-
Anoyone please
-
hi guys Is it possible to add a sound effect like this video to the sound of the player? I want to make a megaphone for police video : megaphone voice
-
Currently, I'm trying to extract the D_Modu function from the client.lua file within the freeroam module and use it within the TurfSistem module. The purpose is as follows: when a player enters a turf area (onPlayerEnterTurf), their immortality should be disabled, and when they exit, it should remain disabled. That's all I'm asking for. I've been trying to fix this for about a week but haven't been able to find a solution. The file path for the TurfSistem module is [umoKlan]/TurfSistem, and for the freeroam module, it's [umoKlan]/freeroam. Additionally, there's another script named exports.lua, which is likely left there for adding new exports. Just to be thorough, I'll include the code blocks for all of them. My errors are as follows: [02:56:06] ERROR: [umoKlan]\TurfSistem\exports.lua:2: call: failed to call 'freeroam:D_Modu' [string "?"] [02:56:09] ERROR: [umoKlan]\TurfSistem\server.lua:146: attempt to call global 'D_Modu' (a nil value) [02:56:09] ERROR: [umoKlan]\TurfSistem\server.lua:179: attempt to call global 'D_Modu' (a nil value) My codes ; The server.lua file within the TurfSistem module function onColShapeHit(hit,dim) if not isElement(hit) or not dim then return end if getElementType(hit) ~= "player" then return end triggerClientEvent(hit,"TurfSistem:onClientPlayerEnterTurf",hit,id) triggerEvent("TurfSistem:onPlayerEnterTurf",hit,id) D_Modu(hitElement, true) removePedJetPack(hit) if isPedInVehicle(hit) then return end local klan = getPlayerKlan(hit) if not klan then return end local data = getElementData(source,"TurfBilgi") if not data then return end local id = data.id local klanlar = turfs[id].klanlar if not klanlar[klan] then klanlar[klan] = 1 else klanlar[klan] = klanlar[klan] +1 end if not data.saldiran then if klan ~= data.sahip then data.saldiran = klan end end -- triggerClientEvent(hit,"TurfSistem:onClientPlayerEnterTurf",hit,id) -- triggerEvent("TurfSistem:onPlayerEnterTurf",hit,id) if not isTimer(turfs[id].timer) then timerOlustur(id,hit) end end function onColShapeLeave(hit,dim) if not isElement(hit) or not dim then return end if getElementType(hit) ~= "player" then return end triggerClientEvent(hit,"TurfSistem:onClientPlayerExitTurf",hit,id) triggerEvent("TurfSistem:onPlayerExitTurf",hit,id) D_Modu(hitElement, false) local klan = getPlayerKlan(hit) if not klan then return end local data = getElementData(source,"TurfBilgi") if not data then return end local id = data.id local klanlar = turfs[id].klanlar if klanlar[klan] then klanlar[klan] = klanlar[klan] -1 end end The exports.lua file within the TurfSistem module local D_Modu = exports["freeroam"]:D_Modu() --local player = player-- oyuncu değişkenini belirtin --call(getResourceFromName("[umoKlan]"), "freeroam", player, "02") function D_Modu() return exports["freeroam"]:D_Modu(player) end The client.lua file within the freeroam module. -------------------- -----Player Godmode----- -------------------- ozellik1 = guiCreateCheckBox(5, 30, 130, 25, "Ölümsüzlük", false, false, panel) guiSetFont(ozellik1, "default-bold-small") -------------------------------------- -----Godmode Function----- ------------------------------------- local D_Modu = {} function D_Modu() if guiCheckBoxGetSelected(ozellik1) == true then triggerServerEvent("Alpha_Olma", getRootElement(), localPlayer) outputChatBox("#0066ffÖlümsüzlük Modu #FFFFFFAktif", 255, 255, 255, true) addEventHandler("onClientPlayerDamage", localPlayer, nodamage) addEventHandler("onClientRender", root, render) triggerServerEvent("Olumsuz_olma", getRootElement(), localPlayer) else outputChatBox("#0066ffÖlümsüzlük Modu #ffffffKapatıldı", 255, 255, 255, true) triggerServerEvent("Alpha_Olmama", getRootElement(), localPlayer) removeEventHandler("onClientPlayerDamage", localPlayer, nodamage) removeEventHandler("onClientRender", root, render) triggerServerEvent("Olumsuz_Olmama", getRootElement(), localPlayer) end end exports["freeroam"]:D_Modu() addEventHandler("onClientGUIClick", ozellik1, D_Modu, false) function nodamage() cancelEvent() end function render() if getPedWeaponSlot(localPlayer) ~= 0 then setPedWeaponSlot(localPlayer,0) end end I'm awaiting your comments on the codes provided. Please assist me.
-
Sky Project The server about the Ukrainian city of Chernihiv was created on the basis of the MTA. Map of the real city, RP, detailed transport models, job system, factions, fun atmosphere We are waiting for everyone!!! Discord:https://discord.gg/erDSHhyn TikTok:https://www.tiktok.com/@sky_project_mta?is_from_webapp=1&sender_device=pc -------------------------------------------------------------------------------------------- Sky Project Сервер про українське місто Чернігів створений на базі МТА. Мапа реального міста, РП, деталізовані моделі транспорту, система робіт, фракції, весела атмосфера Чекаємо усіх охочих!!! Discord:https://discord.gg/erDSHhyn TikTok:https://www.tiktok.com/@sky_project_mta?is_from_webapp=1&sender_device=pc
-
Gamemode Servidor MTA: https://www.mediafire.com/file/hyeoz8ct4xa6wj5/Compton+Roleplay.rar/file Gamemode Compton Roleplay con base de chicago roleplay y otra en downtown SQLLITE y la otra version tiene MYSQL Planilla Del Servidor Compton RolePlay: https://discord.new/7r2fqxVvaxKT
- 1 reply
-
- compton roleplay
- roleplay
- (and 9 more)
-
Hey Gamers, yes i am making a new server and yes its sound dumb because there are alot of servers now but im gonna do it. Guys im planing to make an international server, and i got some questions to ask from you guys because you guys are experts in this. 1.What host you recommend me to start? I need some cheap hosting. 2.Is there any other website where i can get resources for MTA rather than this website? 3.i couldn't find a character makimg system, can someone please tell me where i can get a character making system?. 4.is there a readymade RP server resources? Is available can i please get a link?.
-
IP: mtasa://147.135.199.149:20268[/b] Wstęp Witajcie! Mamy zaszczyt przedstawić Wam nowoczesny serwer RPG na platformie MTA. Serwer jest tworzony z myślą o Graczach, którzy poszukują nowoczesnej rozgrywki, na dość wysokim poziomie. Prace Dorywcze Tutaj postanowiliśmy postawić na prostotę - lecz nie zabraknie innowacyjnych prac Naszym zadaniem jest, dostarczenie dużo rozgrywki, aby po kilku godzinach, bądź dniach - serwer nie znudził Wam się. W delikatnym stopniu pojawią się współczynniki RP (Role Play) ale nie będziemy kłaść na to duży nacisk, Użytkownik na naszym serwerze, ma czuć się swobodnie oraz czerpać radość z rozgrywki. Gospodarka Spędziliśmy sporo czasu, aby stworzyć model gospodarki, który zadowoli największych wyjadaczy Zarobki zostały zbilansowane tak, aby czerpać przyjemność z rozgrywki. Przychody będą oscylować w granicach od 6.5k do 8.5k na godzinę. Cele Nasze zasoby będą dość rozbudowane, lecz nadal proste w działaniu, aby Użytkownik nie był zakłopotany i intuicyjnie wiedział, jak ma wykonać daną czynność na serwerze. Chcemy odbiec od typowych schematów, które występują na serwerach RPG. Rozgrywka Głównym miastem zostało wybrane Las Venturas. Początkowo w tym mieście będzie kręciła się rozgrywka - ale spokojnie, w przyszłości planujemy poszerzyć ją o kilka pozostałych miast i wsi. Tekstury oraz modele Przede wszystkim prostota! Stawiamy na proste modele jak i tekstury, które pojawią się na serwerze. Nie chcemy przede wszystkim tego, aby serwer zbędnie był obciążony i powodował spadki FPS’ów u Graczy. Dodajemy modele tylko wtedy, gdy są one konieczne – wiadomo, Gracze cenią sobie modele i ich wygląd, my również będziemy je wprowadzać, ale nie w nadmiernej ilości – i przede wszystkim nie na obiekty, które naszym zdaniem są zbędne. Socialmedia Discord: https://discord.gg/pPY6Td4qYK Serdecznie zapraszamy!
-
se busca scripters para este servidor que sepa programar en lua de forma voluntaria si quiere puede unirse al proyecto estamos con la gamemode de chicago roleplay / pop life / life stealh roleplay son de la misma base las 3 se maneja algo similar por lo que tengo entendido el que este interesado entre al servidor de discord, verifiquense y abran un ticket para hablarme de forma privada adamas buscamos nuevos usuarios que sean activos para poder poner en pie el servidor, gracias. Discord: https://discord.gg/Ecjn6AyUQN
-
- scripter
- araboth roleplay
-
(and 7 more)
Tagged with:
-
se busca scripters para este servidor que sepa programar en lua de forma voluntaria si quiere puede unirse al proyecto estamos con la gamemode de chicago roleplay / pop life / life stealh roleplay son de la misma base las 3 se maneja algo similar por lo que tengo entendido el que este interesado entre al servidor de discord, verifiquense y abran un ticket para hablarme de forma privada adamas buscamos nuevos usuarios que sean activos para poder poner en pie el servidor, gracias. Discord: https://discord.gg/Ecjn6AyUQN
-
- scripter
- desarollador
-
(and 5 more)
Tagged with:
-
Beyler selamın aleyküm, Normalde mta oynarkan böyle bir sorun olmazdı fakat 26 ocak cuma gününden itibaren fpsim 80-90dan birden 1 düşüyor ve bu oyunda 4-5 saniyelik takılmalara neden oluyor. Çözümü nedir acaba?