Jump to content

Search the Community

Showing results for tags 'roleplay'.

  • Search By Tags

    Type tags separated by commas.
  • Search By Author

Content Type


Forums

  • Multi Theft Auto: San Andreas 1.x
    • Support for MTA:SA 1.x
    • User Guides
    • Open Source Contributors
    • Suggestions
    • Ban appeals
  • General MTA
    • News
    • Media
    • Site/Forum/Discord/Mantis/Wiki related
    • MTA Chat
    • Other languages
  • MTA Community
    • Scripting
    • Maps
    • Resources
    • Other Creations & GTA modding
    • Competitive gameplay
    • Servers
  • Other
    • General
    • Multi Theft Auto 0.5r2
    • Third party GTA mods
  • Archive
    • Archived Items
    • Trash

Find results in...

Find results that contain...


Date Created

  • Start

    End


Last Updated

  • Start

    End


Filter by number of...

Joined

  • Start

    End


Group


Member Title


Gang


Location


Occupation


Interests

  1. buenas ~ tengo un error con la gm de roleplay [ paradise ] es un error de mysql y no se mucho de mysql y ya cambie lo del sql [ lo del host y user, etc ] y tambien el settings, me crea todas las tablas menos la que dice characters [xx-xx-xx xx:xx:xx] ERROR: sql\layout.lua:91: Unable to create table characters [ soy nuevo en el foro ] ~gracias de antemano.
  2. Hello, the following conversation bubble does not appear by other people. The writer see at the person c_chat local bubbles = {} -- {text, player, lastTick, alpha, yPos} local fontHeight = 22 local characteraddition = 50 local maxbubbles = 5 local selfVisible = true -- Want to see your own message? local timeVisible = 5000 local distanceVisible = 20 function addText(source, text, color, font, sticky, type) if getElementData(localPlayer, "graphic_chatbub") == "0" then return end if not bubbles[source] then bubbles[source] = {} end local tick = getTickCount() local info = { text = text, player = source, color = color or {255, 255, 255}, tick = tick, expires = tick + (timeVisible + #text * characteraddition), alpha = 0, sticky = sticky, type = type } if sticky then table.insert(bubbles[source], 1, info) else table.insert(bubbles[source], info) end if #bubbles[source] > maxbubbles then for k, v in ipairs(bubbles[source]) do if not v.sticky then table.remove(bubbles[source], k) break end end end end addEvent("addChatBubble", true) addEventHandler("addChatBubble", root, function(message, command) if source ~= localPlayer or selfVisible then if command == "ado" or command == "ame" then addText(source, message, { 255, 51, 102 }, "default-bold", false, command) else addText(source, message) end end end ) function removeTexts(player, type) local t = bubbles[player] or {} for i = #t, 1, -1 do if t[i].type == type then table.remove(t, i) end end if #t == 0 then bubbles[player] = nil end end -- Status addEventHandler("onClientElementDataChange", root, function(n) if n == "chat:status" and getElementType(source) == "player" then updateStatus(source, "status") end end) addEventHandler("onClientResourceStart", resourceRoot, function() for _, player in ipairs(getElementsByType("player")) do if getElementData(player, "chat:status") then updateStatus(player, "status") end end end) function updateStatus(source, n) removeTexts(source, n) if getElementData(source, "chat:status") then addText(source, getElementData(source, "chat:status"), {136, 87, 201}, "default-bold", true, n) end end -- -- outElastic | Got from https://github.com/EmmanuelOga/easing/blob/master/lib/easing.lua -- For all easing functions: -- t = elapsed time -- b = begin -- c = change == ending - beginning -- d = duration (total time) -- a: amplitud -- p: period local pi = math.pi function outElastic(t, b, c, d, a, p) if t == 0 then return b end t = t / d if t == 1 then return b + c end if not p then p = d * 0.3 end local s if not a or a < math.abs(c) then a = c s = p / 4 else s = p / (2 * pi) * math.asin(c/a) end return a * math.pow(2, -10 * t) * math.sin((t * d - s) * (2 * pi) / p) + c + b end local function renderChatBubbles() if getElementData(localPlayer, "graphic_chatbub") ~= "0" then local square = getElementData(localPlayer, "graphic_chatbub_square") ~= "0" local tick = getTickCount() local x, y, z = getElementPosition(localPlayer) for player, texts in pairs(bubbles) do if isElement(player) then for i, v in ipairs(texts) do if tick < v.expires or v.sticky then local px, py, pz = getElementPosition(player) local dim, pdim = getElementDimension(player), getElementDimension(localPlayer) local int, pint = getElementInterior(player), getElementInterior(localPlayer) if getDistanceBetweenPoints3D(x, y, z, px, py, pz) < distanceVisible and isLineOfSightClear ( x, y, z, px, py, pz, true, not isPedInVehicle(player), false, true) and pdim == dim and pint == int then v.alpha = v.alpha < 200 and v.alpha + 5 or v.alpha local bx, by, bz = getPedBonePosition(player, 6) local sx, sy = getScreenFromWorldPosition(bx, by, bz) local elapsedTime = tick - v.tick local duration = v.expires - v.tick if sx and sy then if not v.yPos then v.yPos = sy end local width = dxGetTextWidth(v.text:gsub("#%x%x%x%x%x%x", ""), 1, "default-bold") local yPos = outElastic(elapsedTime, v.yPos - 20, (sy - fontHeight*i ) - v.yPos - 10, 1000, 5, 500) if square then dxDrawRectangle(sx - (12 + (0.5 * width)), yPos - 2, width + 23, 19, tocolor(20, 20, 20, 200)) dxDrawRectangle(sx - (12 + (0.5 * width)), yPos + 16, width + 23, 1, tocolor(v.color[1], v.color[2], v.color[3], 255)) -- All but /say --(v.type == "ado" or v.type == "ame" or v.type == "status") and tocolor(v.color[1], v.color[2], v.color[3], 255) or tocolor(0, 0, 0, 255)) else dxDrawRectangle(sx - (3 + (0.5 * width)),yPos - 2,width + 5,19,tocolor(0,0,0,bg_color)) dxDrawRectangle(sx - (6 + (0.5 * width)),yPos - 2,width + 11,19,tocolor(0,0,0,40)) dxDrawRectangle(sx - (8 + (0.5 * width)),yPos - 1,width + 15,17,tocolor(0,0,0,bg_color)) dxDrawRectangle(sx - (10 + (0.5 * width)),yPos - 1,width + 19,17,tocolor(0,0,0,40)) dxDrawRectangle(sx - (10 + (0.5 * width)),yPos + 1,width + 19,13,tocolor(0,0,0,bg_color)) dxDrawRectangle(sx - (12 + (0.5 * width)),yPos + 1,width + 23,13,tocolor(0,0,0,40)) dxDrawRectangle(sx - (12 + (0.5 * width)),yPos + 4,width + 23,7,tocolor(0,0,0,bg_color)) end dxDrawText(v.text, sx - (0.5 * width), yPos, sx - (0.5 * width), yPos - (i * fontHeight), tocolor(unpack(v.color)), 1, "default-bold", "left", "top", false, false, false) end end else table.remove(bubbles[player], i) end end if #texts == 0 then bubbles[player] = nil end else bubbles[player] = nil end end end end addEventHandler("onClientPlayerQuit", root, function() bubbles[source] = nil end) addEventHandler("onClientRender", root, renderChatBubbles) -- s_chat.lua triggerClientEvent(source,"addChatBubble",source,message) Help me please...
  3. California roleplay has simple roleplay script but unique mapping and vehicle models, we have a friendly administartor team and we are also looking new admins to our team - Unique Mapping - Friendly Admins - Simple Script - Unique Mods ( mainly low poly mods 115 mods = 70mb download off mods ) - Custom Wheels - Plenty off other stuff Come check it out!
  4. Velo Gaming Roleplay might not be the server whic has unique scripts comparing to other servers but what we do have is a awsome community by that i mean the admins are nice and kind and mostly even the players, the server is pretty new and has coming plenty off new stuff in future to make it even better. Even the server started just couple days ago it already has over 15 players so its growing fastly, in Velo Gaming Roleplay every new player is welcome to join us. Discord : https://discordapp.com/invite/dN8ByBP Forums : http://forum.vgnrp.com/ UCP : http://www.vgnrp.com/main/home/ (( SOME PLAYERS AN ADMINS POSING FOR A PIC ))
  5. Que tal a todos! Soy No!z3, fundador y dueño de BiXsquen Studios, comunidad que luego de un tiempo se dedico a su objetivo principal que era el Desarrollo de contenido audiovisual, websites y gráfico. BiXsquen Studios contaba con una rama que se llamaba BiXsquen Gaming, con el tiempo se dividió ya que no podía funcionar más, lo cual se fusionó con una de las comunidades amigas que tenemos en la plataforma de juegos, y con la que con varias personas hemos trabajado en conjunto... si bien BXS Gaming tenia una iniciativa buena y buenos proyectos en mano, pensamos que a veces es mejor trabajar en conjunto y manos de obra nos hacia falta, para un proyecto tan serio como el que se tenia pensado realizar, por lo que decidimos fusionarnos y comenzar proyectos aún más grandes de los que ya teníamos pensado. Y fue ahí que nos fusionamos con Global Gaming Community, comunidad reconocida dentro de la plataforma de MTA:SA por varios de los trabajos que se realizaron en conjunto con @CiBeR Hoy les traigo algo que a lo mejor estuvo muy en debate dentro de la Comunidad de MTA:SA, diciendo que los RP no tenían éxito y como tal y después de ver las estadísticas de vida que tiene un RolePlay en la comunidad de MTA:SA Hispana y en Ingles, la cuál se decidió plantear de miles de formas para poder cumplir con las expectativas del usuario, del roler y las personas conocedoras de esta Gamemode. OneROL, es un proyecto de Roleplay que se basa en la unión de todas las lenguas, un Roleplay diferente a los que se tenia pensado o los que se ven en SA-MP, en esta comunidad es posible que su organización sea un poco diferente a las que se ven normalmente en proyectos pequeños, donde el único objetivo que se tiene es comenzar, aquí apunta a algo más a el trabajo en conjunto y poder crear un servidor Roleplay en excelencia, que guste a todos y este a la comodidad de cada uno. Hay que estar conscientes que estos servidores de estás características llevan un trabajo detrás, y las personas que se integraron a este proyecto fue por interés personal y sin fines monetarios, pudiendo así crear algo que guste a todos, más en especial apuntando aquellos usuarios de la comunidad de SA-MP que actualmente algunas comunidades tanto de habla hispana y inglesa se encuentran en conflicto interno por STAFF o por problemas de Normativas, la cual no deja a los usuarios exprimir la esencia de un verdadero Roleplay, un buen simulacro de la vida real y a esto apunta, a una comunidad exquisita en ROL y que cada uno pueda encontrar su entretenimiento, su comodidad y estabilidad en un servidor, que apuntará a un gran futuro y no a un proyecto que luego terminará cerrando en un mes por X motivo. Comencemos con el recorrido del proyecto... Nuestro primer servidor cuenta con el Mapa Personalizado de Vice City (100% y con futuras modificaciones), y San Andreas se encuentra borrada en su totalidad. (Las descargas no se encuentran por servidor) Se esta trabajando en el desarrollo de una Gamemode Roleplay de 0 (No se está usando ningún tipo de GM filtrada/subida/gratuita/o antigua de la comunidad MTA:SA) El proyecto consta con una visión más allá de las que se piensa normalmente (Esta apunta al público general y a cualquier tipo de persona de cualquier habla, permitiendo la interacción y la jugabilidad dentro de la misma) Nuevas normativas y conceptos para jugar dentro de esta nueva GM Roleplay (Aún manteniendo las clásicas y aplicando nuevos conceptos y comandos para una excelencia en interpretación) Vamos a contar con 2 servidores (Utilizando la misma base de datos + Gamemode desarrollada compartida en el Servidor #2, para que no hayan diferentes cuentas) El servidor está conectado por los Aeropuertos (Cuentan con un checkpoint de re-dirección al otro servidor, si un usuario toma un vuelo a otro mapa, en este caso "Liberty City") El servidor 2 contará con un sistema tipo de Whitelist, y no tendrás acceso si entras directamente por la IP. (De este modo se evita que si un usuario esta a punto de morir o en persecución, sale del servidor, entra en el 2 y su cuenta cambia totalmente sus coordenadas y se salvo del rol, es decir se telestransporto a LC cambiando de servidor) para ingresar en el 2 debes entrar primero al 1 (Seleccionar en el menú principal el 2 como comunidad Inglesa primaria o el servidor 1 como comunidad de habla hispana) Si se habrán fijado, mencione que no va a contar con 1 servidor y llevo casi en todo el post apuntando a que será "Multilenguaje", lo cuál por ese lado va a ir... Pero con la diferencia que los proyectos se abrirán en determinado tiempo, no se abrirán los dos juntos, habrán un margen de tiempo para asi ir estableciendo la comunidad Hispana y luego de unas semanas abrir el segundo servidor para el público general, si bien en el primer servidor, ya se va a permitir gente de otro habla por el selector de lenguaje que estára habilitado. Pero se piensa tener todo muy bien organizado en STAFF ya desde el primer día de su inauguración. Aquí hago una pequeña pausa del Servidor #1 y paso a comentar lo que será la transformación y la base compartida entre estos dos servidores y el funcionamiento de está comunidad roleplay. ¿Un Staff? No... Está comunidad va a contar con un Staff General que son sólo los desarrolladores del proyecto "OneRol" y otro tipo de comunidades de Roleplay que decidan integrarse al proyecto con todo su personal y todas las ideas/proyectos etc, se busca integrar todo tipo de persona con conocimiento y decisión de expandir el modo de Roleplay en lo que es SA-MP y MTA:SA y este grupo luego de una charla con el staff de ambas partes y la negociación correspondiente, pertenecerán a esta cabeza del proyecto, como "staff general" permitiendo así a los dueños/fundadores de otros proyectos, convertirse también en Fundador y Dueño de un % del proyecto ¿Por que? Por que este proyecto va a contar con más de una cabeza, no es un trabajo que se lo lleva una sola persona, o competencia de a ver quien la tiene más larga en pocas palabras, aquí se busca integrar y desarrollar y por supuesto crear algo nuevo y diferente de lo que ya se ve en MTA:SA. INTEGRIDAD y TRABAJO EN EQUIPO (Es la regla obligatoria de la comunidad) Y luego va a estar lo que es el Cuerpo de la Administración, lo anteriormente mencionado sería la "Cúpula" y toda decisión, futura actualización se decidirá con cada uno de los cabecillas de el proyecto, y se discutirá que se agrega y que no se agrega, en votación por mayoría, como un senado. (De este modo blanqueamos que entre la cúpula, no haya mayor o menor, dentro de la cúpula son todos del mismo rango, nadie es menos) Básicamente explique lo que seria el funcionamiento interno y el pensamiento de como va a organizarse está comunidad... Sigamos Cuerpo Administrativo, integrado por otros sub-staff's ¿Que tareas tienen? Las mismas que un moderador/administrador, controlar el servidor y la gente, tanto las normativas que se aplicarán y por supuesto reportes, etc todo lo normal de un Servidor de Roleplay (Tanto SA-MP como MTA:SA) con la única diferencia que dentro de cada lenguaje oficial (Ingles, Español...) va a haber un Sub-Staff de su propio lenguaje. (Contando con una persona dada por nosotros y autorizada para poder traducir un contra-reporte) Antes de explicar ésto, creo que es muy necesario explicarte la distribución de nacionalidades que se van a permitir dentro de los servidores. SERVIDOR #1: Vice City, principalmente llevada por el Habla Hispana (Y con pequeños grupos de otro tipo de habla: Ingleses por ejemplo) SERVIDOR #2: Liberty City, principalmente llevado por el Habla Ingles (Y con grupos de Hispanos, etc) Cada habla va a contar con su staff, y en cada staff va a haber una persona autorizada (O grupo si se integran más personas en el futuro) por nosotros (Ya están elegidos) que tienen estudios en traducción de Idiomas (Fuera del juego) y estás mismas van a servir para poder llevar una buena administración multilenguaje dentro del servidor, ejemplo: Un ingles reporta a un Español por un mal rol o algo, va a su staff y reporta, en cada reporte va a pasar un filtro (Si habla otro idioma) entonces ahí el administrador de lenguaje atiende y se dirige con el Staff de habla Español para traer al usuario y conversar de lo mismo, ahora normalmente como se resuelve en un servidor de SA-MP o RP en MTA:SA. Para... ¿Pero como vas a traducir una conversación o un rol con personas de otro habla? TRADUCCIÓN DE CONVERSACIONES El servidor va a contar con dos servidores ¿Eso quedo claro?, y va a contar con comunidades de otro habla en su interior, es decir compartirán mapa TODOS y por supuesto comandos con su respectivo lenguaje seleccionado en el menú de registro... ¿Pero una conversación en tiempo real como lo traducirías? El servidor va a contar con una facción IC/IG de Traductores, una escuela de Idiomas donde las personas con esa capacidad OOC (Fuera del Personaje/Fuera del Juego) van a poder contratar un Traductor de la misma forma que harías para ir a otro país y poder traducir una conversación entre ambas partes (Tanto para el otro idioma y el tuyo) La escuela de Idiomas, será manejada por profesores de idioma reales (Varios jugadores que hablan otro idioma y quieren ayudar en ROL a esta iniciativa) para aprender, aunque sea unas frases o unas palabras para poder meterlas en una oración y mantener su comprensión en una conversación. (Tanto para todas las comunidades de otro habla) Ejemplo: Viene una mafia de la comunidad inglesa del Servidor #2 (Liberty City) al Servidor #1 de habla Hispana, mediante el Aeropuerto pero ellos ya contrataron un traductor en la otra ciudad y quieren negociar con un grupo de Narcos en VC (En la negociación, conversación estará presente un traductor) Aclarando también que entre los dos servidores, tendrán un cierto tiempo para "vivir, caminar" por la otra comunidad de otro habla, es decir como si fueses Turista/Extranjero de otro país, permitiendo así que el usuario que habla otro idioma pueda regresar a su ciudad original (Servidor #2 o Servidor #1), en pocas palabras una VISA. TRADUCCIÓN DE LINEAS DE ROL Ambos servidores van a contar con un traductor de lineas definidas en ciertos comandos /me, /ame, /intentar (En cada idioma) y traducirá automáticamente todo eso Contará con sistema de lineas de rol predeterminadas, un selector de lineas de rol definidas y básicas (Sentarse, comer, mirar, etc... etc..etc... todo tipo de acciones y reacciones) y avisará al usuario que la persona que colocó esa linea, no habla tu mismo idioma (Es decir, tiene definido en su cuenta que habla Ingles u otro idioma) manteniendo una alerta al otro usuario que la persona que está por rolear con él, es de otro idioma y tiene que estar atento a lo que se va hablar o realizar en sus lineas. (La traducción de Conversaciones, ya no es problema) Esto es un resumen del proyecto que se está trabajando, como verán no es algo simple y hay muchos detalles que omití ya que si no se haría demasiado largo el post y no lo leería nadie. De este modo se está haciendo un llamado a todas las comunidades que trabajan Gamemode en Roleplay o tienen un servidor abierto, para poder unificar y hacer algo entretenido para todos, como dije anteriormente, no se busca quien la tiene más larga y perdón la expresión... se busca el trabajo en equipo y a veces el asunto monetario o el beneficio personal no es tan necesario, eso llega luego con un gran trabajo dedicado y llegará cuando el usuario aprecie bien tus creaciones o este interesado en aportar por la causa. Todas las personas que están integrando este gran proyecto, están aportando a la causa y inclusive sin fin de lucro, con posibilidad de una paga a futuro por su trabajo realizado en la comunidad y su estadía aún en la misma y en un proyecto que piensa INTEGRAR, no EXCLUIR al usuario se está haciendo realidad y todo por el trabajo en equipo y con desarrolladores. No somos Vice City Roleplay, No somos Liberty City Roleplay, somos OneRol Aquella comunidad o proyecto, o programador, o persona interesa en pertenecer a este proyecto, puede enviarme un MP por privado y organizar una reunión por TS3 con mi persona o CiBeR que somos los que están tomando las entrevistas para poder acceder a todos los beneficios que les va a ofrecer GGC y los correspondientes cargos que se les asignara a cada miembro de su staff en caso de integrarse a la misma. Muchas comunidades grandes,pequeñas y medianas de SA-MP están afiliándose y cerrando para integrarse a este proyecto en MTA:SA por el mismo motivo, SA-MP promete y nunca cumple, o falla y su último desastre acabo de cerrar las expectativas de muchos. Los invito a participar de este proyecto el que quiera y el que no le quiera o no le agrada visualmente esta idea, no haga una polémica totalmente innecesaria. Si se va a permitir la critica constructiva, para que tengamos en cuenta todos los puntos necesarios. Desde ya un saludo general y esperamos que este proyecto les sea de su agrado. TS3 IP: globalgaming WEBSITE: https://www.globalgaming.xyz/ Pronto también información de trabajos audiovisuales y gráficos en www.bixsquenstudios.com (Esto no tiene nada que ver con el apartado gaming el cual es "GGC") FASE ACTUAL DEL PROYECTO EN DESARROLLO
  6. Olá pessoal! Irei compartilhar com vocês um servidor que não se desenvolve á mais de um ano. Porém, agora em 2018 decidimos voltar com esse desenvolvimento. Nosso entuito é fazer um servidor que seja no modo play, baseado no rpg e roleplay. Estamos no inicio, poucas coisas foram feitas, vou citar algumas e com o tempo vou atualizando o tópico. Desejamos incentivar a comunida brasileira á inovar em seus servidores, infelizmente os servidores brasileiros não possui algum diferencial e estamos na missão de trazer isso. Obrigado pela paciência em ler esse tópico. Contamos com uma equipe formada por seis membros Blowid, harper, Strikergfx, davila, DaeRon e Fellow. - Sistema GangWar – Concluído. - Sistema de Grupos – Concluído. - Sistema de Base – Concluído. - Sistema de Radar com GPS –Concluído, porém em breve terá atualizações. - Sistema de skins de armamento customizados e acessorios – Concluído. - Heits no Estilo GTA V – Concluído. - Concessionária e gerenciamento de veículos – Concluído. - Assalto a caixa eletrônico [ATM] – Concluído. Site | Discord | Facebook
  7. Hola Buenas, Tengo una GM de roleplay que no uso y me gustaría venderla porque esta muy avanzada, la GM esta hecha desde la base de Paradise, si queréis ver la GM (entrar en el servidor para verlo) mandarme mensaje privado en el foro. Esta GM cuenta con los Sistemas de Armas, Drogas, De venta de vehículos, Sistema de policía, Sistema de radio.mp3, Sistema de necesidades, Nuevos ITEMS, Nuevas tiendas, Velocímetro, etc... Esta GM esta a un precio de 35$, si queréis verla contactar conmigo mandándome mensaje privado. Muchas Gracias, Atentamente Drenesitoooh.
  8. Connection: mtasa://158.69.101.207:22003 This is a fun role-play server on MTA. This server is great in many ways because there are players across the globe. This game also would love to add more players to its player base to help everyone out to engage in more role-play making everyone happier. If role-play is your thing, we got you covered!
  9. U n t i t l e d ( n e x t - g e n ) R o l e p l a y S e r v e r P r o j e c t https://discord.gg/aY9TWK9 Me: Used to play on Roleplay servers on SA-MP and MTA years ago, both as an admin and a casual player, but eventually quit due to to time constraints. Recently I got some free time and got interested in returning. I looked around on couple of servers, but all of them seem to lack in many ways, especially on how they approach to a fresh player. The gameplay and roleplay has barely evolved back from the days of LS-RP, although the technology has become much better. I would like to launch development of a next generation of MTA Roleplay server, to offer the San andreas RP community something much more immersive and unique in terms of roleplay and gameplay, to what we've seen before, to create server from perspective of what a regular player looks for in a script, and I need your help. I am looking for any people who are interested in joining to develope this script, concept, story and a server together. After it is ready, we will release it for free to all, though we will still run our own server. I will pay for server costs, and can possibly pay for scripting, if you are especially skilled and experienced. For rest people who will help, you will be made member of the staff and will get some kinda benefits at the star of the server. We are most likely not starting from scratch, as that would take too long. We will take one of the better releases and modify it to our needs. Some concepts: - Permanent death, mortality of your character. To truly immerse yourself into your character, you should be afraid of dying and losing everything at any given time. You should fear danger and conflict like in real life, but this is missing in pretty much every server. By introducing permanent death in a smart way, you will make people act much more committed and protective toward their character. In this concept, when a person "dies" they will fall unconscious on the ground, and unless saved by a paramedic or taken to hospital in time, they will permanently die. This would make paramedic an extremely important job. And to prevent deathmatching, murderers should be made to fear murdering someone as well, with sentences for murders varying anywhere from a couple of days in self-defense cases to life-sentence, ie. forever, so as bad as permanent death if you get caught and convicted, in premeditated murders. This would require a huge in-game prison as immersive as the outside world, with an ability to break out with help from outside as well. To prevent deaths from bugs and trolls, every permanent death would still have to be approved by a specific admin or helper, to ensure it was according to rules, and only people with 10 hours or so on the server could commit a permanent kill. - Realistic economy, political system and fairness. Players want to feel like currency and property has value and is not created endlessly from an infinite supply. When a player gets a paycheck, they should feel accomplished for earning it and optimistic for what it can be spend on or saved towards. They should feel like they can move forward in the world, not too fast, not too slow, and increase the amount on that paycheck bit by bit through job advancement. Player should not feel she has inferior opportunity to earn money in comparison to others, or that wealth creation is being abused by corrupt admins and their firends who drive around deathmatching on their LSPD neon turismos while you work the pizza delivery job. By script, everyone should have the equal opportunity to earn. And since anyone could lose everything they have at any moment, they would probably be compelled not to act so greedy. OOC Economy should be controlled and adjusted for equality. IC economy should be chaotic. Players running stores can set their own prices for their products and services. There should be an elaborate political system that gives players the ability to affect how their city functions, ability to change laws and taxes and tariffs, whether justly or unjustly. To make sure the city is really run by the players, admins would be permanently banned from participation in politics and business. And to ensure fairness, all admin and moderation actions, including creation of wealth and property, is recorded and made publicly available. - Truly player run world Running into a convenience store and typing /buy to get what you want is how most do it. But in this server, most businesses, including gas stations, convenience stores and banks are only open when the owners or players employed there have opened them. The owner can hire employees, from cashier to security guards, and employees will have to maintain the business, keep up the inventory, prevent shoplifting, order more materials if needed, set up prices for services and products, and much more. No useless unused placeholder businesses. If businesses do not produce profit, they can go bankrupt - Alluring and immersive to a new player. New player should be made to feel as if they are important to the world they just entered. The player must feel like the world they are in is populated and they can interact with others in it right from the start. Most servers just dump you into some empty street nowhere with no players around, and so you start running around aimlessly trying to figure out what to do or where everything and everyone is. On this server, an admin aproved helper will get a notification when a new player joins, can spawn themselves as a namesless cab driver near the entrance of the new player spawn, inviting the player for a fare and show them around; where's a cheap hotel to stay at, where you can apply for a job, etc, immersing the player in roleplay and the world, from the moment they enter. - Storyline and lore. Every fictional world must have a story to be truly immersive, and every story must have it's heroes, villains. Every player should feel immersed by the story, and they should feel that they can become important actors, villains or heroes, in that story, or at least in the sub-plots. Storylines such as these should be encouraged: Street gangs striking a cease-fire to rally against a notorious mafia organization and destroy it. Crazy cult that wants to take over the city. The people electing a mayor who goes dictator and puts everything under martial law. Everything should be possible, nothing restricted, all things should be subjet to changes and conclusions. All characters and factions, no matter how big and powerful, should acknowledge their mortality, like a new player who just joined. - Keeping people busy and invested. While roleplaying, people should be kept occupied. A hunger and thirst system will make people feel involved with their character's maintenance. In-game Radio station with actual people covering happenings and news. Many, MANY jobs, at least 30 jobs to choose from off the base, excluding jobs offered by player run businesses and faction jobs. Sometimes a player may want to take a break from roleplaying and want to just shoot around, and for this we need unique minigames with a sense of progression, accomplishment and reward to the character. Community events, global and local roleplaying instances. - True freedom Roleplaying whatever you want; A nazi, rapist, terrorist, serial murderer, whatever. GTA is an 18+ rated game and not meant to be played by little kids or people without the mental capabilities to handle mature subjects. It's funny how many servers try to act morally righteous by imposing restrictions on things which you can act out in a game where people murder each other all the time. This is extremely hypocritical and destructive when it comes to immersion. The expression of play should be as chaotically creative as possible and all roles should be allowed , because they're pretended and not real. - Marketing of the server to outside MTA community. The MTA Roleplay playerbase feels like it's dying. Apart from bunch of Russian servers with huge populations, there is hardly any truly popular and active Roleplay servers, maybe a handful with medium popularity of around 60 players, we would be aiming for 100+. New people are not coming in because the game is so old. The people that still play MTA Roleplays are leaving now because the roleplay servers are too balkanized and there is nothing new being offered to them. However, I think we could create something special, and unify the remaining RP community to one place. If we will reach outside MTA, to new players who are not aware of MTA, and make them aware of what they could get from this server, they could come, just to play on this server, but only if it's special and fulfills all it promises. And more ... Looking for following people : - Scripters / Developers - Designers / Writers - Helpers / Testers / Mappers U n t i t l e d ( n e x t - g e n ) R o l e p l a y S e r v e r P r o j e c t https://discord.gg/aY9TWK9
  10. Here are some details about the RWS Server - Available jobs in the server: - Officer job officer - Farmer function - Fireman Job - Fish trap function - Mechanical function - Physician function - Miner job - Cleaner function - Bus driver function - Truck driver function - Woodcutter function - Factory worker function - FBI function - Military function (army) - Pilot job ------ How do I get one of these jobs? First you go to the job place you specify via F4 After 2 press F11 to receive a specific Line position - After two days walk with the red line to you was determined to go to the place of the job - After that opens a panel with information about the job and how it works After this Congratulations Congratulations you become an employee take your car or depending on the nature of work --- Some general explanations How do I change the language to Arabic instead of English? Go to F1 and enter on Server Settings Choose Arabic and then Save and Congratulations ------------ How to take a driver's license? Press F11, and go to the D marker - There will be 2 training and 1 final test The first training would have a specific share for you if you came out of it The second training If you skip the signal or line that you have chosen to return The test re-training the former if a small error was missed once again from the first training - Side of some images on the server ----- Some side effects of the server: There are fats + salts, obesity and others If your fat is high You'll be fat, of course, and you'll need a sport - There is a shop in the server and you can build a house full of this shop - There is a system of shops incomplete, you can buy goods for your hand and you will receive within 24 hours By closing some of the information you may be interested in: - mtasa://134.119.177.122:22003 [email protected] - The server was opened the first time 2012 (on behalf of the second) and was changed to RWS2014 -------
  11. Hey guys, I am part of a team that are aiming to get feedback from the roleplaying community of MTA, or those who have any sort of roleplaying background from similar sort of games. The point of the survey is to see what people think of roleplaying communities and servers that have popped in the past, and those that are currently present. Overall with the previous roleplaying communities that have cropped up in MTA, not many have stuck around and generally lasted a few months, if not weeks. We are planning on releasing a new roleplaying community over the coming months that is built from the ground up, using scripts that have been in development over the past few years and never publicized. It would be really great if we can get as much feedback as possible to ensure that we begin the right way, and that is getting the feedback of the community, especially those who have past roleplay experience - we want to revolve our server around what the players want. The survey takes only a few minutes, it is completely confidential and will only be reviewed by a small team. Link To Survey: https://goo.gl/forms/r3JMKsuZb6rLOmya2 We want to make it absolutely clear that this community will revolve around what the players want, and giving each and everyone a fair chance just as the next. We promise the most healthy criminal roleplaying biome, and a fair share of concentration put into legal roleplay to keep everyone happy. Past and present communities in our opinion have failed in keeping all sides happy, or focusing too much on one end, this is where the voice of the players will help in making sure we stick to the right track. A system will be put in place to ensure continuous development of the community and community rules based on player feedback to maintain stability and prevent an unhealthy or provocative environment. At the end of the day, we roleplay for fun and a lot of communities in the past have lost touch with that grasp and it has become too much about competition, assets, social status, or superiority over another. This topic should serve as a discussion ground for what you think about a new community being started. Considering the fact that MTA is an old game and we're seeing GTA:V clients in continuous development, do you think it's still possible for a new community to take off? Is a new roleplay server ideal for MTA, or are you comfortable with what there already is? What would you like to see in a roleplay server that hasn't been attempted before, or previously never worked out? What are your experiences with roleplaying on MTA? What did you like/dislike? Thanks for reading!
  12. Muy buenas, hoy les vengo a mostrar un proyecto en el cual he estado trabajando hace algunas semanas, un servidor Roleplay. El servidor cuenta con trabajos, casas, clanes, turf, VIP, sistema de vehículos, shaders realistas de bajos recursos. Antes de empezar a describir las cosas que tiene el servidor, quisiera dejar en claro que está en CONSTANTE mejoramiento. Dicho esto... Trabajos: -Taxista. -Conductor de trenes. -Conductor de autobús. -Barrendero. -Médico. -Piloto. -Pescador. -Ladrón. -Policía. -Mecánico. Compras: Vehículos, casas, clanes, armas, comida, reparo de vehículo. Sistema de clanes, sistema de casas, sistema de vehículos y mejoras, sistema de robo, panel del servidor (de usuario), Pay'n'Spray, turfing. Extra: Shaders. sistema de mensajes privados con número de ID (NO con nombre de jugador). Gimnasio (estilo de pelea) Cambio de skin (tiendas binco) Clues, (maletínes random, con pistas). PayDay. Banco (depositar, extraer, transferir) GHOSTS: Mucha gente dirá que esto no tiene mucho que ver con servidores RPG, pero anda, que hay que agregar algo irreal y divertido que sino, pa algo está la vida real jaja, es broma. El sistema de ghosts es realmente muy sencillo, puedes ir a Verdant Meadows y matar fantasmas, ganaras POCO dinero, puesto que no es la idea vivir de esto. IMAGENES Contacto e información: Nombre: ✘ | RolStar 1.0 | Roleplay ES 24/7 | Latino | Trabajos | Clanes | Turf | Eventos | RPG | ✘ IP: mtasa://45.58.126.46:22033 Muchísimas gracias por tomarse el tiempo de leer y espero apoyen mi proyecto, saludos y buenos días, tardes, noches.
  13. Предисловие: Давно еще думал,году там в 2011м играя на всяких самп рп,как бы выглядел рп сервер в мире пост апокалипсиса,вдохновляясь играми вроде дейз,сталкер,фаллаут.И был уверен что такой сервер увидит своё рождение.И что-то вроде того и увидело,такие проекты как ластлайф,сектор 2 и просто серверы дейз МТА.Но мне по факту Дейз'а в МТА хватает минут на 15,при любом раскладе,будь то полный лут и куча друзей,либо же смерть за смерть,а в сампе меня просто не устраевает функционал игры.Проблема в том что в МТАшных Дейз не хватает развития,ты просто лутаешь ради лута,и всё.А на проектах по типо ластлайф и сектора просто кривовато всё,и странно ввиду того что это самп,и дух пост апокалипсиса тяжело передать даже с маппингом и ветерсэтом,и я стал размышлять о сервере который возьмет в себя всё хорошое с проектов для выживания,и не будет представлять себя тупые пострелушки ради лута,либо ради того что-бы доказать,мол:"я тебя убил ха-ха" и вот около 2х месяцев,стал думать о том как должен выглядеть сервер который вобрал бы в себя и выживание и РП,ну и выдумал баланс,вообще смысл и тд,объясню на поверхности об особенностях сервера,но всё дописывать не буду(И оно понятно почему). Сервер: В изначальной идеей планировал сделать открытыми все 3 города,но ввиду того что скорее всего первое время,даже с рекламой людей будет не особо много,да и пост апокалиптический мир и не нуждается в 1000+ игроках,решил оставить на первое время только Лас Вентурас и его окрестности(Деревни).Но не от количества повышения онлайна на сервере будут открываться другие города,а при определенном выполнении тайного квеста.Таким образом любые игроки которые его пройдут будут известны как герои сервера,а сами города,такие как Сан Фиеро и Лос Сантос,будут покрыты большым уровнем радиации,и ядов.Над самим игровым лором еще думаю,но могу точно сказать что акцент будет сделан не на зомби апокалипсисе,а на выживании после ядерной войны. Изначально будет 2 спауна,спаун для новичков.Зона 51 переделанная по лору под бомбоубежище-Где от различных НПС вы будете ознакомляться с механикой сервера,лором и тд,путём выполнения квестов по работе,и квеста по которому вы выйдите на пустошь,и спаун для более опытных игроков,он будет в рандомном более менее безопасном месте.(Со своим балансом,т.е. в убежище есть оружие и броня,но они имеют слабый урон и прочность,а на поверхости у вас есть больше шансов найти хороший пистолет,броню,одижду и тд.) У игроков будет несколько жизней,убив того или иного игрока из его инвентаря вы сможете взять только 2 вещи(До среднего качества).Когда количество жизней у игрока кончится то из его инвентаря можно будет взять до 5 вещей любого качества.Таким образом,урезав лут с смерти,я думаю что ДМа станет меньше,да и масс дм без определенных отыгровок,либо биографии рейдера будет наказано.Суть всего сервера,не только выжить,но и отстроить новую цивилизацию на руинах старой,а что-бы это сделать,игроки должны будут собираться в группы,но одних групп мало,для создания своей фракции нужно будет сделать специальную процедуру,по заполнению таких пунктов как:1)Название фракции 2)Идеология 3)Дипломатия.Создание фракции поможет вам захватывать новые территории,на которых будут различные ресурсы(вода,провизия,оружие,патроны,броня,одежда и тд.) В своей фракции вы можете отыгрывать любых персонажей,и представлять любые принципы нового мира(В рамках разумного).Баланс по системе с завоеванием территорий уже есть,он готов на 95% но его я оглашу только будущей команде,как и другое. Локации,карта территорий,ресурсов,спавнов,опасных зон и тд есть,и по поводу доната...Я понимаю что если даже сервер можно сделать на энтузиазме,то держать его на энтузиазме долго не получиться,по этому и донатские фишки,которые никак не портят игровой процесс,а лишь дополняют возможности вашего персонажа,либо фракции есть. Послесловие: Буду честен,и не уверен даже что кто-то откликнется,разве что найдется единомышленник,я для начала хотел бы работать на энтузиазме,и по этому,в первую очередь я жду людей,которые хотели бы увидеть данный сервер в стадии - жизни.Я не моддер,не коддер,у меня просто полно идей,которые я сам не в состоянии воплотить,насчет хостинг,первое время у меня есть идея насчет бесплатного хостинга,я знаю кто бы мог мне помочь в этом(тут вопросов нету).Да и деньги хотелось бы оставить,для грамотной рекламы,и у людей которые не испортят аудиторию сервера,приводя за собой недекватов,а наоборот,есть на примете пара таких людей,но боюсь с МТА они не особо связанны.По сути:Нужен в команду человек в состоянии написать нормальный мод,маппер,возможно "скинодел".Думаю такой командой мы в состоянии будем сделать ядерную пост апокалиптическую конфетку,либо как вариант,я могу вступить в имеющуюся команду разработчиков и если им моя идея пришлась по душе,я оглашу её в полной мере,так как я тут затронул лишь поверхность,и написал около 15% имеющегося материала,связаться со мной можно по ссылке в контакте: https://vk.com/g15ya
  14. howdy.i just hosted my server "RP" and i dont know why i cant connect with Mysql.i tired to put Mysql.so and lib in Modules but it didnt work on windows works. If u dont know how to help me i can give my PHP because anything i have there ist special
  15. Community's Website:( http://www.Infinity-Roleplay.com) || Discord: (https://discord.gg/jrSypBY) || Forums:(http://infinity-roleplay.com/forums/index.php) Our community welcomes every roleplayer out there - roleplay veterans, casual roleplayers, even those who have never roleplayed before. Our community is astonishingly active - staff and players will help you if you have any questions, any time of the day. The server has come a long way from it's development launch in June, 2017. During this incredible journey we have had as a community, we have finally found our place, and you will as well. If you don't know where to even begin roleplaying, guess what - that is OK. We will help you through the process of learning, we will guide you into the direction of awesome and memorable roleplay. We're all about being a community, a family. Here, new roleplayers aren't treated in a negative manner. Instead, new roleplayers are treated like students who have a passion to learn and improve. From the very moment you join, you have a way of contacting our staff momentarily in-game and they will answer any questions you need answers to. It's not necessarily staff who can answer your questions either - the vast majority of players will help you with whatever you need help with, you just need to ask. And remember - there are no "stupid questions" in Infinity Roleplay. The server receives constant updates, who are made by talented and passionate developers. Updates are always polished, and if something does break, the developers make sure it is fixed before the majority of the players even become aware that something was broken. Our script is leaning to make a advanced turn with us heading into a great year so far, when compared to other Multi Theft Auto Roleplay servers, which means there is a LOT of stuff to try and do. Our staff is comprised of an active administrator team, vehicle management team, and our support team, which will happily answer any questions or help with technical issues. Anything ranging from Poker to Drug Dealing, from Garbage Delivery to being a Mechanic, from Evading the Police to Chasing a Crook with your Police Interceptor - you will find it here. Alongside the standard government factions such as the San Andreas Sheriff Department and EMS, you will also find opportunities to become a Taxi Driver, a Mechanic or even a News Reporter. There are a ton of different ways you can partake in roleplay, and even more ways to develop your character. If you can think of it - you can do it here. We pride ourselves that we give the best experience possible in Grand Theft Roleplay. We know what features everyone likes to have and what they want to see, throwing in some unexpected ones too. New Updated Help Center For Roleplayers New Updated Right Click Interface & Smooth Dynamic Map Texture For GPS New Updated Scoreboard
  16. Hello guys, i know there are outside ar a lot of people who domt know how to set up a server so i am offering help to those who need it.
  17. Muy buenas gente. Actualmente estoy buscando jugadores de roleplay interesados en participar en el equipo administrativo de un proyecto que se encuentra bajo desarrollo. Para más información pueden emplear las siguientes vías para contactarme: Skype: killer.68x Discord: Simple01#2215 Foro MTA: @Simple01
  18. Hola. Les vengo a recomendar un servidor RolePlayGame (RPG) SANG:RPG IP: mtasa://190.100.29.160:22003 FORO: http://sangrpg.foro.la/ STAFF El equipo STAFF Actualmente esta compuesto por dos jugadores, Podrás encontrarlos en el juego como: SANG>Funs SANG>Rucio SANG>Juan SANG>Moises CONTENIDO En SANG:RPG podrás encontrar una gran cantidad de contenido, como los siguientes Civiles Camionero: Deberás llevar tus Trailes a distintas zonas de San Andreas, La cantidad de dinero Varia según: La lejanía desde donde te encuentres y si la carga es Legal o No. Piloto: Al spawnear de Piloto deberás transportar tu avión a diferentes Aeropuertos en San Andreas, Nuevamente la ganancia de dinero variara dependiendo la lejanía, pero No ganaras estrellas. Mecánico: Tu deber es reparar los vehículos, Los jugadores solicitaran tu ayuda a través del chat. (Hay aun mas trabajos de civil, solo que estos se están modificando u desarrollando, Los podrás encontrar dentro del juego pero no tendrán impacto sobre ti) Criminales Vendedor de armas: Si quieres conseguir dinero de una forma independiente al Houserob (Robo de Casa) Puedes usar el comando /Vender, Distintos criminales o civiles compraran Armamento para Defensa de los Policías. Vendedor de droga: Para vender droga se utiliza nuevamente el comando /Vender, Cada droga tiene su efecto y su precio. Podrás usar Algunas drogas para tu beneficio y otras podrán afectar a tu desempeño como criminal. Ladrón: Con tu arma recibida al spawnear podrás asaltar a distintos jugadores de distintos roles, Sacando le una significante cantidad de dinero, mientras mas "apuntes" con tu arma mas dinero le arrebataras al otro jugador. (Podrás encontrar mas trabajos de criminal dentro del servidor, entra y encuentralos) Policías Hay un una gran variación de policías como, Policía oficial, Policía de transito, Sheriff, Jefe de policía, etc. Pero tu principal objetivo es impedir a los criminales que roben casas, maten, asalten o vendan u compren mercancías ilegales. Con tus elementos dados en el spawn (Tazer, Porra y escopeta) Deberás arrestar a los criminales y civiles que lleven con sigo Estrellas. La cantidad de estrellas que tenga el arrestado influirá en tus ganancias (ejemplo: 46 estrellas son equivalentes a $46.000) Recomendacion Si estas en una persecución fuera de vehículos y el perseguido esta muy alejado de ti y sigue corriendo, aturdelo con la escopeta, esto ocasionara que pare de correr durante unos segundos, Cuando lo tengas mas cerca utiliza tu Tazer para electrocutarlo, Esto hará que caiga por unos segundos. Luego de este proceso cuando lo tengas en tu lugar utiliza la porra, golpealo con esta, así lo mandaras directo a prición. Gangs Son una variante de los criminales, estos estarán mas armados y con mejor equipacion que un criminal normal. Si quieres crear el tuyo utiliza el comando /create e introduce el nombre que llevara. Squads Los Squads o Escuadrones son una variante mejorada de la policía, actualmente no hay Squad operando, si quieres crear un escuadrón utiliza el comando /create y el nombre de este Compañías Estas son una variante de los civiles, con mas herramientas. Si quieres crear una nuevamente utiliza el comando /create y el nombre Fuerzas Élite Esta es una fuerza bélica fuertemente armada encargada de combatir a la fuerza terrorista "Atlant Terrorist" Atlant Terrorist Como se menciono antes, esta es una fuerza terrorista cuyo objetivo es atacar a las fuerzas elite. Gobierno Se encarga de establecer reglas en distintas ciudades de San Andreas, Esta conformado por: Presidente: Es el mayor cargo político, este creara las reglas principales. Vicepresidente: Se encarga de ayudar al presidente para crear nuevas leyes. Alcaldes Las principales ciudades (Los santos, Las venturas y San fierro) Tienen un alcalde al cual se encarga de tomar la decisión de si su ciudad permitirá las leyes creadas por el presidente. Esto y mucho mas en SANG:RPG, Te esperamos hay junto a los jugadores y el equipo STAFF, seras muy Bienvenido. Únete a nuestro grupo de Facebook: SANG:RPG Original. Link: https://www.facebook.com/groups/337541010024256/ Si te quedo alguna duda antes de entrar puedes contactar con el administrador a través de la red social "Facebook" . Te dará un buen y respetuoso servicio. Contacto: https://www.facebook.com/NahuelCerdaGD?fref=gc&dti=337541010024256
  19. Hola, soy un jugador que está en el último año de mi año y todo ese tiempo estoy tratando de hacer un juego de rol del servidor y estoy planeando hacer un servidor. pero necesito un scripter que me haga unos scripts del tipo: Policia Basurero Camionero Taxista, etc. Sistema de venta de vehiculos Y otros scripts mas SI quieres contactarme mi skype es: [AlexLycan] Y si no tienen skype el discord es:https://discord.gg/zQbp3e
  20. @ I Need A Scripter Roleplay MTA | احتاج الى مبرمج حياة واقعية مُحترف. @ I Will Pay To the scripter If help me | وبدفع اذا ساعدني المبرمج.. @ Thanks "| شككراًء.
  21. How can I add music to the login panel. My english :~, I apologize for this.
  22. Merhaba Türk kardeşlerim. Başlıkta da yazdığı gibi owl scriptleri üzerine login panele nasıl müzik koyabilirim.
  23. Hello I created this program that will detect files/script that may have backdoor commands such as making your self admin if you type it, it is still in an early stage I will keep updating this program so it can find more backdoors. Download Program Thank you
×
×
  • Create New...