Results 1 to 5 of 5
  1. #1
    Lystic's Avatar
    Join Date
    May 2013
    Gender
    male
    Location
    'Murica
    Posts
    498
    Reputation
    31
    Thanks
    4,717
    My Mood
    Bashful

    Exclamation Script Dump - Dumping Scripts

    Rear View Camera:
    Code:
    [] spawn {
            _SOURCE = (typeOf player) createVehicleLocal (position player);
            _SOURCE hideObject true;
            [_SOURCE,player,player] call BIS_fnc_LiveFeed;
            vehicle player disableCollisionWith _SOURCE;
            while{true} do {
                    detach _SOURCE;
                    if(vehicle player == player) then {
                            _SOURCE attachTo [vehicle player,[0,2,3]];
                    } else {
                            _SOURCE attachTo [vehicle player,[0,5,5]];
                    };
                    _oldVeh = vehicle player;
                    waitUntil{_oldVeh != vehicle player};
            };     
    };
    Arma Bitwise Operations:
    Code:
    /*
    	Get the number of bits a decimal uses
    */
    TA_fnc_bitCount = {
    	private["_number","_log","_bits"];
    	_number = _this;
    	if(typeName _number != typeName 0) exitWith {0};
    	_log =  log(_number)/log(2);
    	_bits = if([".",str(_log)] call BIS_fnc_inString) then {floor(_log) + 1} else {round(_log) + 1};
    	_bits;
    };
    
    /*
    	Convert Decimal typenameo Binary(array)
    */
    TA_fnc_toBinary = {
    	private["_num","_max","_check","_binary","_val"];
    	_num = _this;
    	if(typeName _num != typeName 0) exitWith {[]};
    	_binary = [];
    	_max = (_num call TA_fnc_bitCount)-1;
    	for "_i" from _max to 0 step -1 do {
    		_check = 2^_i;
    		_val = if(_num >= _check) then {_num = _num - _check;1} else {0};
    		_binary = _binary + [_val];
    	};
    	_binary;
    };
    
    /*
    	Convert Binary Array to Decimal
    */
    
    TA_fnc_toDecimal = {
    	private["_binary","_count","_decimal"];
    	_binary = _this;
    	if(typeName _binary != typeName []) exitWith {0};
    	_count = count(_binary)-1;
    	_decimal = 0;
    	for "_i" from _count to 0 step -1 do {
    		if((_binary select (_count-_i)) == 1) then {
    			_decimal = _decimal + (2^_i);
    		};
    	};
    	_decimal;
    };
    
    /*
    	Logical AND (Positive Numbers)
    */
    TA_fnc_AND = {
    	private["_numOne","_numTwo","_numThree","_binaryOne","_binaryTwo","_binaryThree","_min","_indexOne","_indexTwo","_valOne","_valTwo"];
    	_numOne = _this select 0;
    	_numTwo = _this select 1;
    	_numThree = 0;
    	_binaryOne = _numOne call TA_fnc_toBinary;
    	_binaryTwo = _numTwo call TA_fnc_toBinary;
    	_binaryThree = [];
    	_min = count(_binaryOne) min count(_binaryTwo);
    	for "_i" from (_min-1) to 0 step -1 do {
    		_indexOne = (count(_binaryOne)-1)-_i;
    		_indexTwo = (count(_binaryTwo)-1)-_i;
    		_valOne = _binaryOne select _indexOne;
    		_valTwo = _binaryTwo select _indexTwo;
    		if(_valOne == 1 && _valTwo == 1) then {
    			_binaryThree = _binaryThree + [1];
    		} else {
    			_binaryThree = _binaryThree + [0];
    		};
    	};
    	_numThree = _binaryThree call TA_fnc_toDecimal;
    	_numThree;
    };
    
    /*
    	Logical OR (Positive Numbers)
    */
    TA_fnc_OR = {
    	private["_numOne","_numTwo","_numThree","_binaryOne","_binaryTwo","_binaryThree","_min","_indexOne","_indexTwo","_valOne","_valTwo"];
    	_numOne = _this select 0;
    	_numTwo = _this select 1;
    	_numThree = 0;
    	_binaryOne = _numOne call TA_fnc_toBinary;
    	_binaryTwo = _numTwo call TA_fnc_toBinary;
    	_binaryThree = [];
    	_min = count(_binaryOne) min count(_binaryTwo);
    	for "_i" from (_min-1) to 0 step -1 do {
    		_indexOne = (count(_binaryOne)-1)-_i;
    		_indexTwo = (count(_binaryTwo)-1)-_i;
    		_valOne = _binaryOne select _indexOne;
    		_valTwo = _binaryTwo select _indexTwo;
    		if(_valOne == 1 || _valTwo == 1) then {
    			_binaryThree = _binaryThree + [1];
    		} else {
    			_binaryThree = _binaryThree + [0];
    		};
    	};
    	_numThree = _binaryThree call TA_fnc_toDecimal;
    	_numThree;
    };
    
    /*
    	Logical XOR (Positive Numbers)
    */
    TA_fnc_XOR = {
    	private["_numOne","_numTwo","_numThree","_binaryOne","_binaryTwo","_binaryThree","_min","_indexOne","_indexTwo","_valOne","_valTwo"];
    	_numOne = _this select 0;
    	_numTwo = _this select 1;
    	_numThree = 0;
    	_binaryOne = _numOne call TA_fnc_toBinary;
    	_binaryTwo = _numTwo call TA_fnc_toBinary;
    	_binaryThree = [];
    	_min = count(_binaryOne) min count(_binaryTwo);
    	for "_i" from (_min-1) to 0 step -1 do {
    		_indexOne = (count(_binaryOne)-1)-_i;
    		_indexTwo = (count(_binaryTwo)-1)-_i;
    		_valOne = _binaryOne select _indexOne;
    		_valTwo = _binaryTwo select _indexTwo;
    		if(_valOne != _valTwo) then {
    			_binaryThree = _binaryThree + [1];
    		} else {
    			_binaryThree = _binaryThree + [0];
    		};
    	};
    	_numThree = _binaryThree call TA_fnc_toDecimal;
    	_numThree;
    };
    
    
    /*
    	Arithmetic RIGHT SHIFT (Positive Numbers)
    */
    TA_fnc_rightShiftArith = {
    	private["_newBinary","_max","_binary","_number","_timesToShift"];
    	_number = _this select 0;
    	_timesToShift = _this select 1;
    	_binary = _number call TA_fnc_toBinary;
    	_max = count(_binary)-1;
    	for "_i" from 1 to _timesToShift do {
    		_newBinary = [_binary select 0];
    		for "_i" from 0 to _max-1 do {
    			_newBinary = _newBinary + [_binary select _i];
    		};
    		_binary = _newBinary;
    		systemChat str(_binary);
    	};
    	_number = _binary call TA_fnc_toDecimal;
    	_number;
    };
    
    /*
    	Arithmetic LEFT SHIFT (Positive Numbers)
    */
    TA_fnc_leftShiftArith = {
    	private["_newBinary","_max","_binary","_number","_timesToShift"];
    	_number = _this select 0;
    	_timesToShift = _this select 1;
    	_binary = _number call TA_fnc_toBinary;
    	_max = count(_binary)-1;
    	for "_i" from 1 to _timesToShift do {
    		_newBinary = [_binary select 1];
    		for "_i" from 2 to _max do {
    			_newBinary = _newBinary + [_binary select _i];
    		};
    		_newBinary = _newBinary + [0];
    		_binary = _newBinary;
    	};
    	_number = _binary call TA_fnc_toDecimal;
    	_number;
    };
    
    /*
    	Logical RIGHT SHIFT (Positive Numbers)
    */
    TA_fnc_rightShiftLogic = {
    	private["_newBinary","_max","_binary","_number","_timesToShift"];
    	_number = _this select 0;
    	_timesToShift = _this select 1;
    	_binary = _number call TA_fnc_toBinary;
    	_max = count(_binary)-1;
    	for "_i" from 1 to _timesToShift do {
    		_newBinary = [0];
    		for "_i" from 0 to _max-1 do {
    			_newBinary = _newBinary + [_binary select _i];
    		};
    		_binary = _newBinary;
    		systemChat str(_binary);
    	};
    	_number = _binary call TA_fnc_toDecimal;
    	_number;
    };
    
    /*
    	Logical LEFT SHIFT (Positive Numbers)
    */
    TA_fnc_leftShiftLogic = {
    	private["_newBinary","_max","_binary","_number","_timesToShift"];
    	_number = _this select 0;
    	_timesToShift = _this select 1;
    	_binary = _number call TA_fnc_toBinary;
    	_max = count(_binary)-1;
    	for "_i" from 1 to _timesToShift do {
    		_newBinary = [_binary select 1];
    		for "_i" from 2 to _max do {
    			_newBinary = _newBinary + [_binary select _i];
    		};
    		_newBinary = _newBinary + [0];
    		_binary = _newBinary;
    	};
    	_number = _binary call TA_fnc_toDecimal;
    	_number;
    };
    Enemy Aiming Detection:
    Code:
    [] spawn {
    	while{true} do {
    		{
    			if(alive _x && _x != player) then {
    				_line = lineIntersects [eyePos player,eyePos _x];
    				_terrain = terrainIntersectASL[eyePos player,eyePos _x];
    				if(!_line && !_terrain) then {
    					_array = _x weaponDirection (currentWeapon _x);
    					_weapon = (_array select 0) atan2 (_array select 1);
    					if(_weapon < 0) then {_weapon = 360+_weapon};
    					_aiming = [_x,player] call BIS_fnc_dirTo;
    					_numerator = _weapon min _aiming;
    					_denominator = _weapon max _aiming;
    					_accuracy = round((_numerator / _denominator)*100);
    					_maxPercent = _maxPercent max _accuracy;
    				};
    			};
    		} forEach allUnits;
    		uiSleep 2;
    		cutText["","PLAIN"];
    		if(_maxPercent > 70) then {
    			_text = format["Enemy Aiming At You: %1",_maxPercent];
    			_text = _text + "%";
    			cutText[_text,"PLAIN"];
    		};
    	};	
    };
    Road Path Generator:
    Code:
    /*
    	Name: Random Road Selector Version 1.0
    	Desc: Generates a random path of roads (array starting with the first and ending with the last)
    
    	Parameters:
    		_this select 0 (int): number of roads to select (default 20)
    		_this select 1 (array): center of the search zone (default 0,0)
    		_this select 2 (int): radius of the serach zone (default 100000)
    */
    
    _numRoads = [_this, 0, 20,[0]] call BIS_fnc_param;	
    _center = [_this,1,[0,0],[[]],[2,3]] call BIS_fnc_param;
    _radius = [_this,2,100000,[0]] call BIS_fnc_param;
    
    _roads = _center nearRoads _radius;
    _road = _roads select (floor(random(count(_roads))));
    _roadList = [_road];
    for "_i" from 1 to _numRoads do {
    	_connected = roadsConnectedTo _road;
    	_foundVal = false;
    	{
    		if !(_x in _roadList) exitWith {
    			_road = _x;
    			_roadList = _roadList + [_road];
    			_foundVal = true;
    		};
    	} forEach _connected;
    	if (!_foundVal) exitWith {};
    };
    _roadList;
    Will Dump More As I Find Stuff (this is not everything just what i want 2 share)
    Last edited by Lystic; 09-14-2014 at 10:37 PM.

  2. The Following User Says Thank You to Lystic For This Useful Post:

    MiriwethV2 (09-15-2014)

  3. #2
    Lystic's Avatar
    Join Date
    May 2013
    Gender
    male
    Location
    'Murica
    Posts
    498
    Reputation
    31
    Thanks
    4,717
    My Mood
    Bashful
    Hacker Scanner (v2)
    Code:
    
    
    
    if(isNil "Scanner_Hacker_List") then {
    	Scanner_Hacker_List = [];
    	Scanner_HintText = "";
    	_clients = {
    		Listener_Connect = {
    			_obj = _this;
    			if(!(_obj in Listeners_Connected)) then {
    				Listeners_Connected = Listeners_Connected + [_obj];
    			};
    		};
    		Listener_Disconnect = { 
    			_obj = _this;
    			if(_obj in Listeners_Connected) then {
    				Listeners_Connected = Listeners_Connected - [_obj];
    			};
    		};
    		Listeners_Notify = { 
    			{
    				_obj = _x;
    				{
    					_cArr = _x;
    					_type = _cArr select 0;
    					_var = _cArr select 1;
    					[[player,_var,_type],"Scanner_Hacker_Found",_obj,false]call BIS_fnc_MP;
    				} forEach Scanner_Cheats;
    			} forEach Listeners_Connected;
    		};
    		Scanner_Run_Checker = { 
    			_badDir = ['jestersMENU\infiSTAR\setup\startup.sqf','\jestersMENU\jester@main.sqf','LoganNZL0\LoganNZL@start.sqf','\LoganNZL\LoganNZL@scripts\Lhotk.sqf', 'wuat\screen.sqf', 'scripts\defaultmenu.sqf', 'menu\initmenu.sqf', 'scripts\exec.sqf', 'menu\exec.sqf', 'wuat\exec.sqf', 
    						'crinkly\keymenu.sqf', 'scripts\ajmenu.sqf', 'startup.sqf', 'wookie_wuat\startup.sqf', '@DevCon\DevCon.pbo', 'addons\@DevCon\DevCon.pbo', 'DevCon.pbo', 
    						'ShadowyFaze\exec.sqf', 'jestersMENU\exec.sqf', 'vet@folder\vet@start.sqf', 'LystoArma3\start.sqf', 'scr\start.sqf', 'Wookie_Beta\start.sqf', 'ShitMyNigga\StartUp.sqf','youtube.dll','Settings312.ini','gible\tp.sqf','gible\gible.sqf',
    						'vg\Run.sqf','vg\Custommenu.sqf','vg\RunAH.sqf','vg\Startup.sqf','gible.sqf',
    						'scr\Run.sqf','scr\Custommenu.sqf','scr\RunAH.sqf','\uhx_menu_first_ed\menu\logoblue.paa',
    						'Expansion\beta\dll\RayHook.dll','RayHook.dll',
    						'scr\Startup.sqf','scr\ahbypass.sqf','cset.sqf','crawdaunt\crawdaunt.sqf','\hangender\start.sqf',
    						'Scripts\ajmenu.sqf','wuat\screen.sqf','TM\menu.sqf','TM\screen.sqf','Scripts\menu.sqf','crinkly\keymenu.sqf','ASM\startup.sqf',
    						'RSTMU\scr\startMenu.sqf','scr\startMenu.sqf','scr\STrial.sqf','wuat\vet@start.sqf','TM\keybind.sqf','startup.sqf','start.sqf','startupMenu.sqf',
    						'yolo\startup.sqf',
    						'xTwisteDx\menu.sqf','wuat\start.sqf','TM\startmenu.sqf','infiSTAR_Menu\setup\startup.sqf','startMenu.sqf','custom.sqf','WiglegHacks\mainmenu.sqf',
    						'bowenisthebest.sqf','Scripts\Menu_Scripts\empty.sqf','@mymod\Scripts\ajmenu.sqf','i_n_f_i_S_T_A_R___Menu\setup\scrollmenu.sqf',
    						'yolo\w4ssup YoloMenu v2.sqf','Menus\infiSTAR_SEVEN\startup.sqf','Menus\battleHIGH_Menu\startup.sqf',
    						'infiSTAR_EIGHT\startup.sqf','infiSTAR_SSH\startup.sqf','TM\start.sqf','TM\DemonicMenu.sqf','Scripts\screen.sqf','Scripts\start.sqf',
    						'i_n_f_i_S_T_A_R___Menu\list.sqf','battleHIGH_Menu\startup.sqf','infiSTAR_SEVEN\startup.sqf',
    						'Scripts\list.sqf','Scripts\mah.sqf','Menu\start.sqf','Menu\startup.sqf','i_n_f_i_S_T_A_R.sqf',
    						'infiSTAR_Confin3d_edit\infiSTAR.sqf','infiSTAR_Confin3d_edit\startup.sqf','Startup.sqf','startup.sqf',
    						'YoloMenu Updated v6.sqf','Scripts\YoloMenu Updated v6.sqf','Scripts\startmenu.sqf','run.sqf',
    						'ASM\_for_keybinds\mystuff.sqf','wookie_wuat\startup.sqf','gc_menu\starten.sqf','yolo\YoloMenu Updated v6.sqf',
    						'gc_menu\uitvoeren.sqf','tm\starthack.sqf','scr_wasteland\menu\initmenu.sqf','exec.sqf','start.sqf',
    						'infiSTAR_chewSTAR_Menu\infiSTAR_chewSTAR.sqf','infiSTAR_chewSTAR_Menu\scrollmenu\addweapon.sqf',
    						'Demonic Menu\scr\startMenu.sqf','Demonic Menu\TM\STARTMENU.sqf','scr\scr\keybinds.sqf','DayZLegendZ Scripts\mah.sqf',
    						'Pickled Menu 3.0\Scripts\ajmenu.sqf','@mHlopchik\Menu_Scripts\menu\keybind\funmenu','invisible.sqf',
    						'RustleSTAR_Menu\menu\initmenu.sqf','RustleSTAR_Menu\setup\startup.sqf','RustleSTAR_Menu\menu\initmenu.sqf',
    						'Scripts\mpghmenu.sqf','DevCon.pbo','DayZLegendZ Scripts\startMenu.sqf','DayZLegendZ Scripts\mah.sqf','EASYTM\start.sqf',
    						'TotalInjector.exe','Rusterl.exe','drhack.dll','drhack.exe','DayZ-Injector cracked by vovanre.exe',
    						'dayz-injector.sqf','DayZ-Injector.dll','HackMenu.exe','d3d199.dll','Scintilla.dll','DayZ-Injector.dll',
    						'DayZ-Injector v0.4.exe','CFF-Hook.sqf','CFF-Hook.dll','skriptexecuter2.exe','PEWPEWPEWPEW.dll','Injector.exe',
    						'@SPX\Spawn Weapon.sqf','@SPX\3b.sqf','MK\Scripts\startup.sqf','Obama Drone 0.5.2.1.exe',
    						'NewDayZ.dll','ss3.dll','dll\MyHack.dll','Radar_NewR.exe','YoloHack.dll','BESecureJect.exe','YoloMenu.sqf',
    						'hidden.exe','ssl3.dll','DayZNavigator.exe','Spawner.exe','EmptyDll.dll','yolo\startup.sqf',
    						'script loader Warrock.exe','infiSTAR.sqf','VX DAYZ.exe','CE_Engine-v5.exe','kenhack\alltome.sqf',
    						'kenhack\SM\AH6X_DZ.sqf','kenhack\veshi.sqf','skriptexecuter2.ini','lcc.exe','scripts\new.sqf','new.sqf',
    						'Dayz Hack v 1.0.exe','dayz cheat\lcc.exe','Scripts\@Hak_script\1.GLAVNOYE\000.sqf','@Hak_script\1.GLAVNOYE\000.sqf',
    						'cheater.sqf','scripts\2dmap.sqf','2dmap.sqf','scripts\addweapon.sqf','addweapon.sqf','scripts\ammo 2.sqf',
    						'ammo 2.sqf','DayZ-Injector v.0.2.2.exe','DayZ **********.exe','CheatDayZUniversal.exe',
    						'DayZ Private AIM,MAP,WH v1.2.exe','**********.exe','FABISDayZLauncher.exe',
    						'gluemenu.sqf','DayZ Item spawner.exe','Dayz AIM ESP Shield.exe','Scripts\Menu_Scripts\ChernoNuke.sqf',
    						'Menu_Scripts\ChernoNuke.sqf','ChernoNuke.sqf','Nuke.sqf','Scripts\Menu_Scripts\NWAFNuke.sqf','NWAFNuke.sqf',
    						'Scripts\Menu_Scripts\newsbanner.sqf','newsbanner.sqf','Scripts\Menu_Scripts\ElektroNuke.sqf','ElektroNuke.sqf',
    						'Scripts\Nuke.sqf','Scripts\different_AK\AKS-74 Kobra.sqf','Scripts\ESP\esp_TEST.sqf','ESP\esp_TEST.sqf',
    						'esp_TEST.sqf','esp.sqf','Scripts\GodMode.sqf','GodMode.sqf','Scripts\God mode 1.sqf','God mode 1.sqf',
    						'MapHack.sqf','infiSTAR_chewSTAR_Menu\all_misc\nukes\nuke.sqf','@Hak_script\1.Teleport.sqf',
    						'@Hak_script\3.Glom_Hits\6.Mass_?ill.sqf','Mass_?ill.sqf','TheBatmanHack v2.6.exe','X-ray.exe','Project1.exe',
    						'Dayz injector-by vovan.exe','explode_all.sqf','explode.sqf','Ubu5Ukg3.sqf','scripts\ajmenu.sqf'];
    
    			_badVar = [ 'abcd', 'abcdefGEH', 'abox1', 'activeITEMlist','Wookie_Pro_RE', 'activeITEMlistanzahl', 'addgun', 'aesp', 'antiantiantiantih4x', 'antiloop', 'ARGT_JUMP', 'atext', 
    						'battleHIGH_vehpub', 'boost', 'bowen', 'bowonky', 'byebyezombies', 'cargod', 'changebackpack', 'changestats', 'ChangingBullets_xx', 'ctrl_onKeyDown', 'dayzRespawn2', 
    						'dayzRespawn3', 'dayzSetDate', 'dayzSetFix', 'DAYZ_CA1_Lollipops', 'dayz_godmode', 'debugConsoleIndex', 'debug_simple', 'debug_star_colorful', 'delaymenu', 
    						'DEV_ConsoleOpen', 'dontAddToTheArray', 'drawic', 'dwarden', 'enamearr', 'ESP', 'fffffffffff', 'firstrun', 'footSpeedIndex', 'footSpeedKeys', 'fuckmegrandma', 'g0d', 
    						'g0dmode', 'gluemenu', 'god', 'godall', 'godlol', 'hacks', 'hangender', 'HaxSmokeOn', 'HDIR', 'helpmenu', 'HMDIR', 'hotkeymenu', 'iBeFlying', 'igodokxtt', 'img', 
    						'InfiniteAmmo', 'infi_STAR_exec', 'inf_ammo_loop_infiSTAR', 'initarr', 'initarr2', 'initarr3', 'inv', 'invall', 'j', 'keymenu', 'keymenu2', 'letmeknow', 'Listw', 
    						'list_wrecked', 'lmzsjgnas', 'LOKI_GUI_Key_Color', 'mahcaq', 'maphalf', 'mapm', 'marker', 'markPos', 'mehatingjews', 'mk2', 'monky', 'monkytp', 'Monky_funcs_inited', 
    						'Monky_hax_toggled', 'moptions', 'morphtoanimals', 'musekeys', 'MV', 'MY_KEYDOWN_FNC', 'namePlayer', 'nb', 'nd', 'omgwtfbbq', 'p', 'pathtoscrdir', 'pbx', 'pic', 
    						'playerDistanceScreen', 'playericons', 'playershield', 'plrshldblckls', 'plrshldblcklst', 'ptags', 'pu', 'qofjqpofq', 'qopfkqpofqk', 'reinit', 'rem', 'rSPAWN', 'rspwn', 
    						'sbp', 'sbpc', 'scode', 'selecteditem', 'shnmenu', 'skinmenu', 'slag', 'smag', 'spawnitems1', 'spawnweapons1', 'surrmenu', 'swpn', 'TAG_onKeyDown', 'take1', 'tempslag', 
    						'TentS', 'testIndex', 'theKeyControl', 'thingtoattachto', 'toggle_keyEH', 'TTT5OptionNR', 'Ug8YtyGyvguGF', 'unitsmenu', 'v', 'vehicleg0dv3_BushWookie', 
    						'vehiclegooov3ood_BushWookie', 'ViLayer', 'VL', 'vm', 'vspeed', 'weapFun', 'wierdo', 'wl', 'wuat_fpsMonitor', 'xdistance', 'xtags', 'xtags_star_xx', 'xyzaa', 
    						'xZombieBait', 'zeus', 'zeusmode', 'zombieDistanceScreen', 'zombieshield','LtToTheRacker','Lhacks','tracker','pathtoscrdir','pathtoscrdir1','pathtoscrdir2','exstr102',
    						'Lystic_Init','lystobindkeys','Lystic_Re','lysto_veh','adminlite','adminlitez','antihacklite','bp','inSub','scroll_m_init_star','markerCount','zombies',
    						'Admin_Lite_Menu','admingod','adminESPicons','adminicons','BIS_MPF_remoteExecutionServer4','adminadd','shnext',
    						'adminZedshld','adminAntiAggro','admin_vehicleboost','admin_low_terrain','admin_debug','admincrate','exstr','nlist',
    						'PVDZ_Hangender','fn_filter','vehiList','Remexec_Bitch','zeus_star','ZombieShield','igodokxtt','tmmenu','AntihackScrollwheel',
    						'lalf','toggle','iammox','telep','dayzlogin3','dayzlogin4','changeBITCHinstantly','antiAggro_zeds','BigFuckinBullets',
    						'fn_esp','aW5maVNUQVI_re_1','passcheck','isInSub','qodmotmizngoasdommy','ozpswhyx','xdistance','wiglegsuckscock','diz_is_real__i_n_f_i_S_T_A_R',
    						'pic','veh','list_wrecked','addgun','ESP','BIS_fnc_3dCredits_n','dayzforce_save','ViLayer','blackhawk_sex','activeITEMlist',
    						'adgnafgnasfnadfgnafgn','Metallica_infiSTAR_hax_toggled','activeITEMlistanzahl','xyzaa','iBeFlying','rem','DAYZ_CA1_Lollipops','HMDIR',
    						'HDIR','YOLO','carg0d','init_Fncvwr_menu_star','altstate','black1ist','ARGT_JUMP','ARGT_KEYDOWN','ARGT_JUMP_w','ARGT_JUMP_a','bpmenu',
    						'p','fffffffffff','markPos','pos','marker','TentS','VL','MV','monky','qopfkqpofqk','monkytp','pbx','nametagThread','spawnmenu','sceptile15',
    						'mk2','i','j','v','fuckmegrandma','mehatingjews','TTT5OptionNR','zombieDistanceScreen','cargodz','R3m0te_RATSifni','wepmenu','admin_d0',
    						'omgwtfbbq','namePlayer','thingtoattachto','HaxSmokeOn','testIndex','g0d','spawnvehicles_star','kill_all_star','sCode','dklilawedve',
    						'selecteditem','moptions','delaymenu','gluemenu','g0dmode','zeus','zeusmode','cargod','infiSTAR_fillHax','nuke','itemmenu','sandshrew',
    						'spawnweapons1','abcd','skinmenu','playericons','changebackpack','keymenu','godall','theKeyControl','infiSTAR_FILLPLAYER','whitelist',
    						'custom_clothing','img','surrmenu','footSpeedIndex','ctrl_onKeyDown','plrshldblcklst','DEV_ConsoleOpen','executeglobal','cursoresp',
    						'teepee','spwnwpn','musekeys','dontAddToTheArray','morphtoanimals','aesp','LOKI_GUI_Key_Color','Monky_initMenu','tMenu','recon',
    						'playerDistanceScreen','ihatelife','debugConsoleIndex','MY_KEYDOWN_FNC','pathtoscrdir','Bowen_RANDSTR','ProDayz','idonteven','walrein820',
    						'TAG_onKeyDown','changestats','derp123','heel','rangelol','unitsmenu','xZombieBait','plrshldblckls','ARGT_JUMP_s','ARGT_JUMP_d',
    						'shnmenu','xtags','pm','lmzsjgnas','vm','bowen','bowonkys','glueallnigga','hotkeymenu','Monky_hax_toggled','espfnc','playeresp',
    						'atext','boost','nd','vspeed','Ug8YtyGyvguGF','inv','rspwn','pList','loldami','T','bowonky','aimbott','Admin_Layout','markeresp',
    						'helpmenu','godlol','rustlinginit','qofjqpofq','invall','initarr','reinit','byebyezombies','admin_toggled','fn_ProcessDiaryLink','ALexc',
    						'Monky_funcs_inited','FUK_da_target','damihakeplz','damikeyz_veryhawt','mapopt','hangender','slag','jizz','kkk','ebay_har','sceptile279',
    						'tell_me_more_infiSTAR','airborne_spawn_vehicle_infiSTAR','sxy_list_stored','advert_SSH','antiantiantiantih4x','Flare8','Flare7',
    						'bl4ck1ist','keybinds','actualunit','mark_player','unitList_vec','yo2','actualunit_vec','typeVec','mark','r_menu','hfghfg','gible1',
    						'yo3','q','yo4','k','cTargetPos','cpbLoops','cpLoopsDelay','Flare','Flare1','Flare2','Flare3','Flare4','Flare5','Flare6','kanghaskhan','palkia',
    						'eExec_commmand','cockasdashdioh','fsdandposanpsdaon','antiloop','anti','spawn_explosion_target_ebay','whatisthis4','ratingloop_star',
    						'PVAH_AdminRequest','PVAH_WriteLogRequest','PVAH_admin_rq','PVAH_writelog_rq','sandslash','muk','pidgeotto','charmeleon','pidgey','lapras',
    						'raichu','infiSTAR_chewSTAR_dayz_1','infi_STAR_output','infi_STAR_code_stored','keybindings','keypress','menu_toggle_on','dayz_godmode',
    						'vars','MENUTITLE','wierdo','fnc_allunits','runHack','Dwarden','poalmgoasmzxuhnotx','ealxogmniaxhj','firstrun','ohhpz','fn_genStrFront',
    						'kickable','stop','possible','friendlies','take1','hacks','main','mapscanrad','maphalf','DelaySelected','SelectDelay','GlobalSleep',
    						'jopamenu','ggggg','tlm','Listw','toggle_keyEH','infammoON','pu','chute','dayzforce_savex','PVDZ_AdminMenuCode','PVDZ_SUPER_AdminList',
    						'PVDZ_hackerLog','BP_OnPlayerLogin','material','mapEnabled','markerThread','addedPlayers','playershield','spawnitems1','sceptile27',
    						'ESPEnabled','wpnbox','fnc_temp','MMYmenu_stored','VMmenu_stored','LVMmenu_stored','BIS_MPF_ServerPersistentCallsArray'];
    			
    			_badDisplays = [3030,155,17,19000];
    			
    			[_badDir] spawn {
    				_true = true;
    				loadFile 'Bad Script Files';
    				{
    					_text = loadFile _x;
    					_arr = toArray(_text);
    					_arr = _arr + [1];
    					_first = _arr select 0;
    					if(_first != 1) exitWith {
    						Scanner_Cheats = Scanner_Cheats + [["Bad File",_x]];
    					};
    				} forEach (_this select 0);	
    			};
    			[_badVar] spawn {
    				_true = true;
    				while{_true} do {
    					{
    						if(!isNil _x) exitWith {
    							Scanner_Cheats = Scanner_Cheats + [["Bad Var",_x]];
    							_true = false;
    						};
    					} forEach (_this select 0);
    				};
    			};
    			[_badDisplays] spawn {
    				_true = true;
    				while{_true} do {
    					{
    						if(!isNull (findDisplay _x)) exitWith {
    							Scanner_Cheats = Scanner_Cheats + [["Bad Display",str(_x)]];
    							_true = false;
    						};
    					} forEach (_this select 0);
    				};
    			};
    		};
    		if(isNil 'Scanner_Cheats') then {
    			Scanner_Cheats = [];
    			Listeners_Connected = [];
    			["Random Notify"] spawn {
    				while{true} do {
    					sleep (10 + random(20));
    					[] call Listeners_Notify;
    				};
    			};
    			[] spawn Scanner_Run_Checker;
    		};
    	};
    	Scanner_Hacker_Found = {
    		_obj = _this select 0;
    		_var = _this select 1;
    		_type = _this select 2;
    		_arr = [_obj,_var,_type];
    		if(!(_arr in Scanner_Hacker_List)) then {
    			Scanner_Hacker_List = Scanner_Hacker_List + [_arr];
    		};
    	};
    	[_clients,"BIS_fnc_Spawn",true,true]call BIS_fnc_MP;
    	Scanner_Connect = {
    		[player,"Listener_Connect",true,false]call BIS_fnc_MP;
    	};
    	Scanner_Disconnect = {
    		[player,"Listener_Disconnect",true,false]call BIS_fnc_MP;
    		Scanner_Hacker_List = [];
    	};
    	Scanner_UpdateDisplay = {
    		_color = _this;
    		_hint = format["<t size='1.4' color='%1'>Hacker Scanner 2.0</t><br/>",_color];
    		{
    			_arr = _x;
    			_obj = _x select 0;
    			if(!isNull _obj) then {
    				_var = _x select 1;
    				_type = _x select 2;
    				_hint = _hint + format["<t size='0.8'>%1 - %2: %3</t><br/>",name _obj,_type,_var];
    			};
    		} forEach Scanner_Hacker_List;
    		_hint = _hint + format["<t size='1.4' color='%1'>Created By Lystic</t>",_color];
    		Scanner_HintText = _hint;
    	};
    };
    
    [] spawn {
    	if(isNil "Scanner_On") then {Scanner_On = false;hintSilent "Loading Hacker Scanner 2.0...";sleep 5;};
    	Scanner_On = !Scanner_On;
    	if(Scanner_On) then {
    		call Scanner_Connect;
    		_colors = ["#FF0000","#FF0004","#FF0011","#FF0022","#FF002F","#FF003C","#FF0040","#FF004C","#FF0059","#FF0066","#FF006A","#FF0077","#FF0084","#FF0095","#FF00A2","#FF00BB","#FF00CC","#FF00D9","#FF00E1","#FF00EA","#FF00F7","#FF00FF","#F700FF","#EA00FF","#E100FF","#D400FF","#C800FF","#BF00FF","#B700FF","#AA00FF","#A200FF","#9900FF","#9000FF","#8400FF","#7B00FF","#6F00FF","#6200FF","#5500FF","#4800FF","#4000FF","#3700FF","#2B00FF","#2200FF","#1500FF","#0000FF","#0008FF","#001EFF","#0026FF","#0033FF","#0044FF","#0051FF","#0062FF","#006EFF","#0088FF","#0095FF","#00A6FF","#00B3FF","#00C3FF","#00D0FF","#00E1FF","#00E5FF","#00FBFF","#00FFFB","#00FFF2","#00FFE5","#00FFD0","#00FFBF","#00FFB3","#00FFA2","#00FF95","#00FF80","#00FF6A","#00FF4C","#00FF2F","#00FF15","#00FF00","#15FF00","#2BFF00","#40FF00","#55FF00","#66FF00","#73FF00","#7BFF00","#84FF00","#9DFF00","#AEFF00","#BBFF00","#C8FF00","#D9FF00","#E5FF00","#F6FF00","#FFFB00","#FFEE00","#FFE100","#FFDD00","#FFBB00","#FFA600","#FF9D00","#FF8400","#FF7300","#FF6600","#FF6200","#FF5500","#FF4800","#FF3C00","#FF2F00","#FF1E00","#FF1100","#FF0000"];
    		_count = count _colors;
    		_c = 0;
    		_color = "#FFFFFF";
    		while{Scanner_On} do {
    			if(_c == _count) then {
    				_c = 0;		
    			};
    			_color = _colors select _c;
    			_color call Scanner_UpdateDisplay;
    			hintSilent parseText Scanner_HintText;
    			_c = _c + 1;
    			sleep 0.01;
    		};
    	} else {
    		hintSilent "Scanner Off!";
    		call Scanner_Disconnect;
    	};
    };

  4. The Following User Says Thank You to Lystic For This Useful Post:

    MiriwethV2 (09-15-2014)

  5. #3
    Lystic's Avatar
    Join Date
    May 2013
    Gender
    male
    Location
    'Murica
    Posts
    498
    Reputation
    31
    Thanks
    4,717
    My Mood
    Bashful
    Rainbow ESP:
    Code:
    if(isNil 'RGB_ESP_LOOP') then {RGB_ESP_LOOP = false;};
    RGB_ESP_LOOP = !RGB_ESP_LOOP;
    [] spawn {
    	_r = 255;
    	_g = 0;
    	_b = 0;
    	RGB = [0,0,0,1];
    	onEachFrame {
    		{
    			if((isPlayer _x) && ((side _x) == (side player)) && ((player distance _x) < 1500) && (getPlayerUID _x != "")) then {
    				_pos = getPosATL _x;
    				_eyepos = ASLToATL eyePos _x;
    				_1 = _x modelToWorld [-0.5,0,0];
    				_2 = _x modelToWorld [0.5,0,0];
    				_3 = _x modelToWorld [-0.5,0,0];
    				_4 = _x modelToWorld [0.5,0,0];
    				_1 set [2,_pos select 2];
    				_2 set [2,_pos select 2];
    				_3 set [2,(_eyepos select 2)+0.5];
    				_4 set [2,(_eyepos select 2)+0.5];
    				_HP = (damage _x - 1) * -100;
    				drawIcon3D["",RGB,_eyepos,0.1,0.1,45,format["%1(%2m) - %3HP",name _x,round(player distance _x),round(_HP)],1,0.04,'EtelkaNarrowMediumPro'];
    				drawLine3D[_1,_2,RGB];
    				drawLine3D[_2,_4,RGB];
    				drawLine3D[_4,_3,RGB];
    				drawLine3D[_3,_1,RGB];
    			};
    			if((isPlayer _x) && ((side _x) != (side player)) && ((player distance _x) < 1500) && (getPlayerUID _x != "")) then {
    				_pos = getPosATL _x;
    				_eyepos = ASLToATL eyePos _x;
    				_1 = _x modelToWorld [-0.5,0,0];
    				_2 = _x modelToWorld [0.5,0,0];
    				_3 = _x modelToWorld [-0.5,0,0];
    				_4 = _x modelToWorld [0.5,0,0];
    				_1 set [2,_pos select 2];
    				_2 set [2,_pos select 2];
    				_3 set [2,(_eyepos select 2)+0.5];
    				_4 set [2,(_eyepos select 2)+0.5];
    				_HP = (damage _x - 1) * -100;
    				drawIcon3D["",[1,0,0,1],_eyepos,0.1,0.1,45,format["%1(%2m) - %3HP",name _x,round(player distance _x),round(_HP)],1,0.04,'EtelkaNarrowMediumPro'];
    				drawLine3D[_1,_2,[1,0,0,1]];
    				drawLine3D[_2,_4,[1,0,0,1]];
    				drawLine3D[_4,_3,[1,0,0,1]];
    				drawLine3D[_3,_1,[1,0,0,1]];
    			};
    		} forEach playableUnits;
    	};
    	while{RGB_ESP_LOOP} do {
    		_done = false;
    		if(_r == 255 && _g < 255 && _b == 0 && !_done) then {
    			_g = _g + 1;
    			_done = true;
    		};
    		if(_r > 0 && _g == 255 && _b == 0 && !_done) then {
    			_r = _r - 1;
    			_done = true;
    		};
    		if(_r == 0 && _g == 255 && _b < 255 && !_done) then {
    			_b = _b + 1;
    			_done = true;
    		};
    		if(_r == 0 && _g > 0 && _b == 255 && !_done) then {
    			_g = _g - 1;
    			_done = true;
    		};
    		if(_r < 255 && _g == 0 && _b == 255 && !_done) then {
    			_r = _r + 1;
    			_done = true;
    		};
    		if(_r == 255 && _g == 0 && _b > 0 && !_done) then {
    			_b = _b - 1;
    			_done = true;
    		};
    		sleep 0.001;
    		RGB = [_r/255,_g/255,_b/255,1];
    	};
    	onEachFrame{};
    };

  6. The Following User Says Thank You to Lystic For This Useful Post:

    MiriwethV2 (09-15-2014)

  7. #4
    Lystic's Avatar
    Join Date
    May 2013
    Gender
    male
    Location
    'Murica
    Posts
    498
    Reputation
    31
    Thanks
    4,717
    My Mood
    Bashful
    Scripted Preprocessor:
    Code:
    /*---------------------------------------------------------------------------
    Scripted Comment Preprocessor - Remove Comments From Strings
    
    Parameters:
    		_this select 0 -> string to preprocess
    
    Usage:
    		convert loadfile string into compilable string
    
    Author: Lystic
    Date: 6/7/2014
    ---------------------------------------------------------------------------*/
    
    _string = _this select 0;
    
    _lines = [_string,toString [13,10]] call BIS_fnc_splitString;
    
    _code = "";
    _isCommenting = false;
    {	
    	_line = _x;
    	_array = toArray _line;
    	_checkType = 0;
    	_check = false;
    	_string = "";
    	_letters = [];
    	_removeLastChar = false;
    	_exitLine = false;
    	_stopRemoveLastChar = false;
    	{
    		_foundChar = false;
    		if(_x == 47) then { 	
    			if(_check) then {
    				if(_checkType == 1) then {_isCommenting = false;_removeLastChar = true;};
    				if(_checkType == 0 && !_isCommenting) then {_exitLine = true;_removeLastChar = true;};
    				_check = false;
    			} else {
    				_checkType = 0;
    				_check = true;
    			};
    			_foundChar = true;
    		};
    		if(_x == 42) then {
    			if(_check) then {
    				_isCommenting = true;
    				_check = false;
    				_removeLastChar = true;
    			} else {
    				_checkType = 1;
    				_check = true;
    			};
    			_foundChar = true;
    		};
    		if(!_foundChar && _check) then {_check = false;};// fix issue with / * this is a comment? WHAT???!1
    		if (!_isCommenting && !_exitLine) then {
    			_letters = _letters + [_x];
    		};
    		if(_removeLastChar && !_stopRemoveLastChar) then {
    			_temp = [];
    			for '_i' from 0 to ((count _letters) - 2) do {
    				_temp = _temp + [_letters select _i];
    			};
    			_letters = _temp;
    			_removeLastChar = false;
    		};
    		if(_exitLine) then {_stopRemoveLastChar = true;};
    	} forEach _array;
    	_string = toString _letters;
    	_code = _code + _string;
    } forEach _lines;
    _code

  8. The Following User Says Thank You to Lystic For This Useful Post:

    MiriwethV2 (09-15-2014)

  9. #5
    Lystic's Avatar
    Join Date
    May 2013
    Gender
    male
    Location
    'Murica
    Posts
    498
    Reputation
    31
    Thanks
    4,717
    My Mood
    Bashful
    Filter Spammer:
    Code:
    [{for '_i' from 0 to 20 do {object = player;publicVariableServer "object";_unit = (typeOf player) createUnit [[0,0,0], group player];};},"BIS_fnc_Spawn",true,false]call BIS_fnc_MP;
    Altis Life RE(untested):
    Code:
    fnc_exec = {
    	_initRE = {
    		HC_UID = {_text = str(_this);call compile _text;};
    		publicVariable "HC_UID";
    		hintSilent 'Init RE';
    		uiSleep 1;
    	};
    	if(!isNil 'HC_UID') then {
    		if(typeName HC_UID != "CODE") then {
    			call _initRE;
    		};
    	} else {
    		call _initRE;
    	};
    	[createTeam["INFINI",(_this select 0)],"HC_UID",true,false] call BIS_fnc_MP;
    };
    
    ["hint 'hello';"] call fnc_exec;
    
    fnc_exec = {
    	_initRE = {
    		life_HC_isActive = {_text = str(_this);call compile _text;};
    		publicVariable "life_HC_isActive";
    		hintSilent 'Init RE';
    		uiSleep 1;
    	};
    	if(!isNil 'life_HC_isActive') then {
    		if(typeName life_HC_isActive != "CODE") then {
    			call _initRE;
    		};
    	} else {
    		call _initRE;
    	};
    	
    	[createTeam["INFINI",(_this select 0)],"life_HC_isActive",true,false] call BIS_fnc_MP;
    };
    ["hint 'hello 2';"] call fnc_exec;
    if the RE is not working try using compileFinal instead of just setting the variable
    Last edited by Lystic; 09-14-2014 at 10:38 PM.

  10. The Following User Says Thank You to Lystic For This Useful Post:

    MiriwethV2 (09-15-2014)

Similar Threads

  1. Replies: 0
    Last Post: 02-02-2013, 04:12 PM
  2. Arma 2 Wasteland Scripts, NOT DayZ scripts.
    By Echosyp in forum DayZ Discussion
    Replies: 34
    Last Post: 01-22-2013, 10:54 PM
  3. [Preview] Script Injector + Custom Scripts ( inc working vehicle spawn for 1.7.4.4 )
    By bowen2k12 in forum DayZ Mod & Standalone Hacks & Cheats
    Replies: 54
    Last Post: 12-27-2012, 11:33 AM
  4. [WTS] Remote Execution Script + Vechicles spawn scripts!
    By lemon588 in forum DayZ Selling / Trading / Buying
    Replies: 1
    Last Post: 11-02-2012, 11:37 AM
  5. [Request] Auto-Airblast Script and Auto-Backstab Script and Triggerbot Script
    By Krdzd in forum Team Fortress 2 Hacks
    Replies: 9
    Last Post: 10-30-2012, 04:11 PM