Jump to content

zippy

Active Members
  • Posts

    1024
  • Joined

  • Last visited

  • Days Won

    1

Everything posted by zippy

  1. sper ca nu ai postat cine stie ce prostie...
  2. zippy

    [vb6]Commands

    cauta-ti singur..sant o gamada pe net www.google.ro
  3. Nu stiu...eu nu am urcat programu...tutorialu este ce conteaza programu al gasesti oriunde
  4. zippy

    [vb6]Commands

    * / - Normal division * \ - Integer division (truncates the answer) * ^ - Exponentiation operator * * - Multiply * + - Plus * - - Minus * = - Equal * > - Greater Than * < - Less Than * <> - Not Equal * >= - Greater than or equal * <= - Less than or equal * AND - Defines a boolean value that is the AND of two values o result = expression1 AND expression2 * OR - Defines a boolean value that is the OR of two values o result = expression1 OR expression2 * XOR - Defines a boolean value that is the exclusive OR of two values o result = expression1 XOR expression2 * NOT - Defines an opposite boolean value o A = NOT B * EQV - Performs a logical equivalence on two expressions (result is true if both expressions are true) o result = expression1 EQV expression2 * IMP - Performs a logical implication on two expressions o result = expression1 IMP expression2 * IS - Determines if 2 variables reference the same object o result = object1 IS object2 * LIKE - Determines if one string matches a pattern o result = string LIKE pattern * MOD - Returns the integer remainder of a division o i = 27 MOD 5 Math VB also provides built-in functions which can act on variables. Most are sel***xplanatory. In my experience, the VAL, RND, and ROUND functions are among the most valuable, so be sure to pay close attention to them! * Round - Rounds a number to a selectable number of decimal places o result = round ( tempvariable,2 ) * Val - Returns the numerical content of a string o result = Val ("123.4") * Int - Returns an integer by truncating (different than Fix) o i = int ( tempvariable ) * Fix - Returns an integer by truncating (different than Int) o i = fix ( tempvariable ) * Hex - Returns the hexadecimal value of any number o temp$ = hex ( tempvariable ) * Oct - Returns the octal value of any number o temp$ = oct ( tempvariable ) * Tan - Returns the tangent of an angle o tempvariable1 = tan ( tempvariable2 ) * Rnd - Returns a random number between 0 and 1 o tempvariable1 = rnd * Randomize - Initializes the Rnd function so it gives different answers each time o randomize * Sgn - Returns the sign of a number o i = sgn ( tempvariable ) * Sin - Returns the sine of an angle o tempvariable1 = sin ( tempvariable2 ) * Cos - Returns the cosine of an angle o tempvariable2 = cos ( tempvariable ) * Abs - Converts a number to a positive value o i = abs ( tempvariable ) * Sqr - Returns the square root of a number o tempvariable1 = sqr ( tempvariable2 ) * Log - Returns the base 10 logarithm of a number o tempvariable1 = log ( tempvariable2 ) * Atn - Returns the arctangent of an angle o tempvariable1 = atn ( tempvariable ) * Partition - Sort of an oddball function but segregates values according to ranges o * Type Conversions - A variety of conversion functions o CBool, CByte, CCur, CDate, CDbl, CDec, CInt, CLng, CSng, CStr, CVar Strings * Left - Returns the left n characters of a string o temp$ = left$ ( teststring$, 4 ) * Right - Returns the right n characters of a string o temp$ = right$ ( teststring$, 4 ) * Trim - Removes leading and trailing spaces of a string o temp$ = trim$ ( teststring$ ) * LTrim - Removes only the leading spaces of a string o temp$ = ltrim$ ( teststring$ ) * RTrim - Removes only the trailing spaces of a string o temp$ = rtrim$ ( teststring$ ) * UCase - Makes all characters upper case o temp$ = ucase$ ( teststring$ ) * LCase - Makes all characters lower case o temp$ = lcase$ ( teststring$ ) * Mid - Returns n characters from a string, starting a any position o temp$ = mid$ ( teststring$, 1, 4 ) * Len - Returns the length of a string (how many characters it has) o temp$ = len ( teststring$ ) * LSet - Positions a string inside another, flush to the left o temp$ = lset ( teststring$ ) * RSet - Positions a string inside another, flush to the right o temp$ = rset$ ( teststring$ ) * Format - Returns a string formatted according to a user-defined format o temp$ = format$ ( teststring$, "####.0" ) * String - o temp$ = left$ ( teststring$, 4 ) * Chr - Returns the string representation of a number o temp$ = str$ ( 32 ) * Asc - Returns the ASCII code of a single character o temp$ = asc ( "A" ) * Space - Returns n spaces o temp$ = space$ ( 15 ) * Instr - Determines if one string is found within a second string o i = Instr (starthere, string1, string2) * InStrRev - Determine if one string is found in a second, starting at the end o i = InStrRev (string1, string2, start) * StrComp - Compares two strings o result = StrComp (string1, string2) * StrConv - Converts the case of a string's characters o StrConv (string, vbuppercase) * StrReverse - Reverses character order in a string o StrReverse (string1) * Replace - Replaces each occurrence of a string o Replace (bigstring, searchstring, replacementstring) * FormatCurrency - Returns a string using a currency format o FormatCurrency(var1, 2) * FormatDateTime - Returns a date or time expression o FormatDateTime("3/2/99",vbShortTime) * FormatNumber - Returns a number formatted according to a variety of options o FormatNumber(var1, 2) * FormatPerCent - Returns a number formated as a percent o FormatPerCent(var1, 2) Arrays Every programmer eventually uses arrays. Mostly they're pretty easy to understand. Take note, however, that you can resize an array with REDIM without losing the data. For details, see the PRESERVE keyword in the HELP entry on REDIM. If you use the LBound/UBound in your code instead of hard-coding the dimension of the array, you can later change the size of the array without touching your code! * Option Base - Determines whether the lowest range of an array is 0 or 1 o option base 1 * Erase - Erases all values of an array o erase (arrayname) * Dim - Creates an array o dim arrayname(25) * Redim - Resets the bounds of an array (has option to save values) o redim arrayname(28) * UBound - Returns the upper dimension of an array o i = ubound (arrayname) * LBound - Returns the lower dimension of an array o i = lbound (arrayname) * Filter - Returns a subset of an array based on a filter o Filter (inputarray, searchstring) * Array - Yes, there is a function called array. It returns an array that has been filled with data from a list. It allows you to put the actual data values in the code to avoid having the user input it or to avoid having to read it from a file o ArrayName = Array (10, 20, 30) * Join - Concatenates strings within an array File Handling (Generic) While VB is working on a better approach (FileSystemObject), the built-in file handling statements are still the only way to access data other than through the VB database capabilities. Your skills in this area can make or break your ability to work with various formats. The OPEN/CLOSE statements are critical to success, but the LOF, EOF, and LEN functions are used even more often! It's also a given that you'll use the DIR function regularly. * Dir - Returns a filename that matches a pattern o temp$ = Dir ("*.*") * CurDir - Returns the current directory o temp$ = CurDir * MkDir - Creates a directory o mkdir ( "newdirectoryname" ) * ChDir - Changes the current directory to a new location o chdir ( "newdirectoryname" ) * ChDrive - Changes the current drive o ChDirve "A" * RmDir - Removes the indicated directory o rmdir ( "directoryname" ) * Freefile - Returns an unused file handle o i = freefile * Open - Opens a file for access, locking it from other applications o open "filename" for input as #1 * Close - Closes a file so that other applications may access it o close #1 * LOF - Returns the length of a file in bytes o i = lof ( #1 ) * EOF - Returns a boolean value to indicate if the end of a file has been reached o statusvariable = eof ( #1 ) * Name As - Renames a file o name "filename1" as "filename2" * Kill - Deletes a file o kill "filename" * Fileattr - Returns attribute information about a file o i = int ( tempvariable ) * GetAttr - Returns attributes of a file or directory o i = GetAttr("cwindows\temp") * SetAttr - Sets the attributes of a file o SetAttr pathname, vbHidden * Reset - Closes all disk files opened by the OPEN statement o Reset * FileDateTime - Returns data file was created or last edited o FileDateTime ( filename ) * FileLen - Returns length of file in bytes o FileLen ( filename ) * FileCopy - Copies a file to a new name o FileCopy sourcefile, destinationfile * Lock - Controls access to a part or all of a file opened by OPEN o Lock #1 * UnLock - Restores access to a part or all of a file opended by OPEN o UnLock #1 * Width # - Set the output line width used by the OPEN statement o Width #2, 80 File Handling - ASCII-specific While VB is working on a better approach (FileSystemObject), the built-in file handling statements are still the only way to access data outside of a data base. Your skills in this area can make or break your ability to work with various formats. The OPEN/CLOSE statements are critical to success, but the LOF, EOF, and LEN functions are necessary to build useful code. * Line Input - Reads an entire line of ASCII text o line input #1, tempvariable$ * Write - Puts data in a file, with separators for the data o write #1, tempvariable$ * Print - Puts data in a file with no separators o print #1, tempvariable$ * Spc - Used in a print statement to move a number of spaces o Print #2, var1; spc(15); var2 * Tab - Used in a print statement to move to TAB locations o Print #2, var1; Tab(20); var2 File Handling - Binary-specific VB also support features which allow you to access a file on a byte-by-byte basis. The good thing about it is that you have more control, the bad thing is that you may have to write more code. Generally, a programmer will use the option (ASCII or Binary access) according to the least code he has to write. For binary access the Get/Put are equivalent to the Line Input and Print functions used in ASCII text file access. The big difference between the two is that binary access will read (Get) an exact number of bytes of data, and the reading can start at any byte within the file. * Get - Reads data from a file o get #1, anyvariable * Put - Puts data into a file o put #1, anyvariable * Seek - Moves the current pointer to a defined location in a file o seek #1, 26 * Input o input #1, anyvariable * Loc - Returns current position with an open file o i = Loc(#2) Declarations I probably get more questions about the functions in this section than about any other group. In general, the concepts are pretty simple, but the details of getting it exactly right can cause even experienced programmers trouble. Focus on understanding Dim/ReDim/Public/Private/Sub/Function/Type and Set. However, they're all useful at times, so bear down and commit these to memory. I'll try to add more text and tips on these than I have on the others. * Dim - Used to define a variable as a certain type o i = dim i as integer, r as single o You can use the Option Explicit to make sure that VB forces you to declare every variable you use. DIM is that simplest way to declare a variable * ReDim - Used to change the dimensions of a dynamic array o redim arrayname(37) o Don't be afraid of this one. You can use ReDim to create an array whose size grows by 1 every time you want to add a number to it. Then, the UBound tells you how many numbers you've added. * Static - Establishes a procedure variable which keeps its value between calls o static i as integer o For example, if you want to keep track of how many times you've been in a procedure, set a counter as STATIC and increment it by one for each visit to the procedure. It will never go away until the program is terminated. * Public - Creates a variable which can be accessed outside its own procedure o public i as integer o Even if you're the only programmer writing code in your application, use of Private vs Public will help catch errors if you inadvertently try to access an out-of-scope variable * Private - Creates a variable that can be read only in its own procedure or module, according to where the declaration took place. o private i as integer o Use this as often as possible to avoid unnecessary exposure of your variables to coding mistakes. * Sub - Defines a procedure which can execute a block of code o Sub NewProcedure (var1 as integer, var2 as string) o Be sure to check out HELP for how to handle Sub arguments. There are more questions and mistakes made concerning the use of arguments than just about anything else I've seen. * Function - Declares a procedure which can return a value o Function NewFunction (var1 as integer, var2 as string) as SINGLE o This is actually the most versatile of the Sub/Function procedure types. It can do anything a Sub can do as well as returning a value for use in an expression. * Call - Transfers control to a Sub or Function (is optional) o Call Procedure 1 o Since the use of CALL is optional, forget you ever saw it * CallByName - Executes a method of an object or set/returns a property o CallByName(form1,procedurename,vbMethod) o The really cool thing about this is that you don't have to hardcode a procedure call. Just use a string variable with the name of the procedure to call. * Option Explicit - Instructs VB to force an explicit declaration of all variables o Option Explicit o You're borderline stupid if you don't use it to catch typing errors. Set up the VB IDE to automatically include this in all projects. * Option Compare - Instructs VB on how to make string comparisons o Option Compare Binary o This can add case-insensitivity for those times when you don't want to hard-code it * Option Private - Prevents a module's content from being referenced outside a project. o Option Private Module o Generally doesn't apply to most VB applications. If you find a good use for it let me know. * Property Get - Declares how to get the value of a property o Property Get Name() o You won't use this much until you get into creating classes of your own * Property Let - Declares how to assign a value to a property o Property Let Name() o You won't use this much until you get into creating classes of your own * Property Set - Declares how to set a variable reference to an object o o You won't use this much until you get into creating classes of your own * Set - Assigns an object reference to a variable o Set X = form1.txtInputFromUser o Very useful for making code more readable or simply to cut down on how much typing you have to do! * Let - Precedes assignment of a value to a variable o Let i = 3 o It's optional, no one uses, so forget you ever saw it * Type...End Type - Creates a user defined part type which consists of standard VB data types o type anytypename o one as string o two as integer o three as boolean o End Type o This is a really excellent way to keep several kinds of data under one variable name. Plus, you can PUT or GET a user-defined type with a single line of code. * Const - Creates a variable whose value is fixed o const anyname o Basically, use this to give easy to remember names to values. For example, suppose you use the value 37.2 a lot in your code, then if you put CONST MyAge = 37.2 in your code you'll be able to insert the MyAge where the 37.2 should have gone. Easier to type and easier to read. Also, you can chane the value of the constant by changing only the declaration line of code, rather than searching out every place the value was used! * Declare - Used to define a procedure that exists in another file o declare functionname (arg1 as integer, arg2 as string) as integer o o ArrayName = Array (10, 20, 30) o Implements - Specifies a class to be implemented in a module + o Friend - Allows procedure to be callable from modules outside the class + o GetObject - Return a reference to an ActiveX component + o CreateObject - Creates and returns a reference to an ActiveX object + o GetAutoServerSettings - Returns information about the state of an ActiveX component's registration. + o Enum - Declares a type for an enumeration + o Event - Declares a user-defined event + o TypeName - Returns the type of data in a variable + o VarType - Returns the type of data in a variable + o DefType - Sets the default data type of variables + DefInt A-Z o IS - A variety of data type or status checking options + IsArray, IsBindable, IsBroken, IsDate, IsDirty, IsEmpty, IsError, IsMissing, IsNull, IsNumber, IsObject, IsReady, IsRootFolder Date/Time These functions are pretty sel***xplanatory so I've not added any extra comments to them. o Date - Gets the current date o Time - Gets the current time o Now - Gets the current date and time o Timer - Returns the number of seconds since midnight o DateAdd - Adds a time interval to a date o DateDiff - Returns how many time intervals there are between two dates o DateSerial - Returns the month/day/year o DateValue - Returns the date o Year - Returns the current year o Month - Returns the current month (integer) o MonthName - Returns the text of the name of a month o Day - Returns the current day o Hour - Returns the current hour o Minute - Returns the current minute o Second - Returns the current second o TimeSerial - Returns a date with the hour/minute/second o TimeValue - Returns the time o WeekDay - Returns the current day of the week (integer) o WeekDayName - Returns the text of a day of the week Miscellaneous In this list you'll find some of the features of VB about which I get a lot of email questions! The MsgBox is easily the most used of the bunch. It handles all of the "Y/N" queries to your user so get to know it well. Also, the DoEvents, Shell, and Command functions are indispensable in certain occasions so make sure you know when they should be used. o MsgBox - A built-in dialog box that gives a message and allows a user input + i = msgbox "Read this!", vbokonly, "Test Message" o DoEvents - Allows VB to complete pending tasks + doevents o Shell - Executes a 2nd program from within the current program + shell "notepad.exe" + Note - VB does not wait for the Shell'd program to quit before executing the next line of code! o Command - Gives any text that followed a VB .EXE execution command + temp$ = command o Environ - Returns the system environmental space content + temp$ = environ o Beep - Makes the computer beep once. + beep o InputBox - A built-in dialog box that allows entry of a text string + inputbox "Input a value!", 5 o AddressOf - Provides an entry point for an external program to use a procedure + AddressOf ( procedurename ) o AppActivate - Activates an applications window + AppActivate ( windowtitle ) o RaiseEvent - Fires an event declared at module level + RaiseEvent ProcedureName o Load - Load an object + load form1 o Unload - Unload an object + Unload form1 o LoadPicture - Load a picture into a control property + form1.picture = loadpicture (filename) o SavePicture - Save a picture to a file + SavePicture(form1.picture,filename) o LoadResData - Load the data from a resource file + LoadResData(index,format) o LoadResString - Load a string from a resource file + LoadResString(index,format) o SendKeys - Send keys to another app as though they were from the keyboard + Sendkeys {DOWN} o QBColor - Returns a value corresponding to the original QB values 0-15 + form1.backcolor = QBcolor (12) o RGB - Returns a color value by inputting the red, green, and blue parts + form1.backcolor = RGB (12,128,256) o Me - Refers to the current object, usually the active form + print Me.caption Registry I've never quite understood why Microsoft got away from the use of an INI file. The ability to use a simple text editor to resolve problems with a program's settings was a key feature about INI files. Also, no matter how Windows crashed, the INI file was protected. + temp$ = getsetting "TestApp", "SectionName", "KeyName", "defaultvalue" o GetAllSettings -Returns a list of key settings and their values + GetAllSettings(appname,section) o SaveSetting - Save a value into the Registry + savesetting "TestApp", SectionName, KeyData o DeleteSetting - Deletes an entry from the registry + deletesetting "TestApp", "SectionName", "Keyname" Loops and Conditional Decisions While the event-driven model of VB has taken out a lot of the need for controlling the flow of your application, don't think for a second that you can get by without being an expert on these features of VB. Virtually every single procedure you'll ever write will have one or more of these in it. The concepts are simple, so take the time to become a master of each one! The For...Next and the Select Case statements are the two most used, so concentrate on them first. o If..Then..Else - Performs code based on the results of a test + If A>5 Then Print "A is a bit number!" o For...Next - Loops a specified number of times + For i = 1 to 5: print #1, i: next i o For Each ... Next - Walks through a collection + For Each X in Form1.controls: Next X o While...Wend - Loops until an event is false + while i < 5: i = i +1: wend o Select Case - Takes an action based on a value of a parameter + select case i + case 1 : print "it was a 1" + case 2 : print "it was a 2" + end select o Do...Loop - Loops until conditions are met + do while i < 5 : i = i + 1 : loop o IIF - Returns 1 of two parts, depending on the value of an expression + result = IIF (testexpression, truepart, falsepart) o Choose - Selects and returns a value from a list of arguments + Choose (index, "answer1", "answer2", "answer3") o With - Executes a series of statements on a single object + With textbox1 + .Height = 100 + .Width = 500 + End With o End - Immediately stops execution of a program + End o Stop - Pauses execution of a program (can restart without loss of data) + Stop o Switch - Returns a value associated with the first true expression in a list + result = Switch (testvalue1, answer1, testvalue2, answer2) o GoTo - Switches execution to a new line in the code + GoTo Line1 o GoSub ... Return - Switches execution to a new block of code and then returns + GoSub Line1 o On .. GoSub - Branch to a specific line of code then return at the next Return statement + On Number GoSub Line1, Line2, Line3 o On .. GoTo - Branch to a specific line of code + On Number GoTo Line1, Line2, Line3 Special Values There are some keywords in VB which take on special meaning. Their use can be confusing at times, but you'll get used to the terminology as your programming experience grows. o True - A logical (Boolean) expression. In VB, its value is -1 + X = TRUE o False - A logical (Boolean expression. In VB, its value is 0 + X = FALSE o Nothing - Disassociates an object variable from an actual object + Set X = Nothing o Null - Indicates that a variable has no valid data + X = Null o Empty - Indicates that a variable has not yet been initialized + X = Empty Error Handling Try as I might, I cannot create error free code! So, I turn to these VB features to help me figure out what went wrong. o On Error - Enables an error-handling routine + On Error GoTo Line2 (if error occurs, go to line2) + On Error Resume Next (if error occurs, continue executing next line of code) + On Error Goto 0 (disables error handling) o Resume - Used to resume execution after a error-handling routine is finished + Resume + Resume Next + Resume Line1 o CVErr - Returns an error type variable containing a user-specific error number + X = CVError(13) o Error - Simulates the occurrence of an error + Error 23 Calculations For those folks who want to use VB for performing routine investment calcuations, VB provides a variety of functions. Personally, I use them very infrequently, but I suspect they are used regularly by a lot of programmers. I've never gotten a single question in the mail about these functions! o DDB - Returns the depreciation of an asset for a specific time period o FV - Returns the future value of an annuity o IPmt - Returns the interest payment of an investment o IRR - Returns the internal rate of return on a cash flow o MIRR - Returns a modified internal rate of return on a cash flow o NPer - Returns a number of periods for an annuity o NPV - Returns a present value of an investment o PPmt - Returns the principal payment of an annuity o PV - Returns the present value of an annuity o Rate - Returns the interest rate per period for an annuity o SLN - Returns the straight-line depreciation of an asset o SYD - Returns the sum-of-years' digits depreciation of an asset
  5. Contents: Hack Attacks Revealed hack how-to Hack Proofing - Your network - Internet Tradecraft HACK, STEAL, PASSWORDS, MSN, HOTMAIL, EASY Hacker Jargon Dictionary Hacker Hackers Best Friend Hackers Beware Defending Your Network From The Wiley Hacker Hackers Delight Hackers Notes Big File Hackers Secrets Hackers Survival Guide Hackers Black Book Hackers Desk Reference Hackers Secrets Hacking Exposed Network Security Secrets and Solutions, Third Edition Hacking For Dummies 1 Hacking For Dummies 2 Hacking For Newbies Hacking into computer systems - a beginners guide Hacking Manual Hacking Secrets Revealed Hacking with Windows Hacking FOr Dummies Access To Other Peoples Systems Made Simple Hacking - Hugo Cornwall - The Hackers Handbook Hacking - The Hacker Crackdown Hotmail hacking version 8.0 how to hack Hotmail or Yahoo Passwords ************************************************** http://www.megaupload.com/?d=P50445CX Password: Wiz74 for dreatica **************************************************
  6. zippy

    PoORno (members)

    laba?? tu=labagiu siteuri de porno mare chestie....poate gasesti vreo pozite noua so incerci cu nevastata
  7. http://www.vtc.com/products/mysql.htm daca a mai fost postat please delete
  8. Am facut o lista destul de mare cu site-uri de unde puteti lua proxy. http://www.2shared.com/file/5148568/dcf2a055/WantSomeProxySitesbyzippytxt.html sper sa va foloseasca la ceva...sper ca am postat unde trebuia....
  9. zippy

    PoORno (members)

    si io credeam ca is singuru care ami place porno dupa aici we love porn...we love porn ))) mai aveam..parca...
  10. INFO 1) Unzip and install Commview, then paste the included "cv.exe" to the directory you installed it to (c:\program files\commviewwifi) 2) Open commview and install the commview drivers to a card. It should prompt you about your card and than automatically install the driver. It is important that you have 1 card that works with commview or else the rest of the tutorial will not work 3)now go to the "rules" tab and check "enable advanced rules" 4)type in the box labled formula "tods=1 and dmac=FF:FF:FF:FF:FF:FF" then type a name for your formula in the box labled name and than click add/edit. 5)it should now appear in the upper box. if it is not checked, check it. 6)now click settings>options>memory usage and turn maximum packets in buffer to 20000 (max). If it prompts you to restart it, do so. There are three funnel looking things on the main menu bar of commview. uncheck all but the first one (one labled "capture data packets") 7) now click the play button and scan for the network you want to crack. 8)once you have found it, drag the channel menu down to the desired channel and click capture. 9) now using your other adapter thats not capturing, connect to the password protected network. when it asks you for key, type in something random, i used 1234567890. 10) it should now say connected with limited connectivity. (same as being associated!!) 11)go back to your commview menu and click on the packets tab. you should see a couple of packets. 12) looking at the protocol column, you should see a couple labled IP/UDP, ARP REQ, and a couple of others. Right click on any packet labled "ARP REQ" and than click send packet, and selected. A mini menu should now appear. 13) on the mini menu, change packets per second to 2000, and rather than 1 time(s), click continuously, and Then click send. 14) now go back to the main commview window and go to the rules tab, and uncheck the rule you made. 15) You are now injecting and you should see the number of packets rising really fast. 16)to save the packets, you have to save every 20000 packets, click file, save and than in the save dialogue, remember where you saved it, and instead of saving it as an ncf file, save it as a "dump" .cap file. 17) Extract the Aircrack-NG folder. 18)open aircrack-ng-GUI that can be found in the map "bin" and select the files you saved, and than click launch. 19)Look at the list of IV's you have, and select the network you want to crack , there should be a list of alot of them, chose the one with the most ivs DOWNLOAD http://rapidshare.com/files/173831770/leechersplace.wordpress.com_WEP-HCK.rar Tutorialul nu este facut de mine , lam gasit pe un forum si ma-m gandit ca sar putea sa ajute si pe alti cum ma ajutat pe mine.
  11. http://auth.redclouds.com/ UserName: beveck01 Password: hendrika http://member.youngntender.com/ UserName: aussiesbk Password: hobbes http://member.megapenetrations.com/login.html/ UserName: alpar80 Password: wrangler1 http://bangbrosnetwork.com/ UserName: tyler13 Password: samson http://tawneestone.com/members/ UserName: Clay727 Password: resolute http://babeshine.com/members/ UserName: leduc Password: cuthai http://www.hioctanemag.com/membership/ UserName: dimas Password: wapbbs http://www.teenporn.nl/members/ UserName: zhuiyun Password: nudelamb http://carolsland.com/members/ UserName: wpoolejr Password: sandals http://carolsland.com/members/ UserName: hopkig Password: balearic http://member.youngntender.com/ UserName: kidbirdy Password: birdyt http://www.teenporn.nl/members/ UserName: lxil6562 Password: lovers http://dreamteenlove.com/members/ UserName: hball Password: badger http://members.clubyoung.com/ UserName: biggiejb Password: biggie http://www.andrewblake.com/members/ UserName: lrdkar Password: snowcat http://karastyle.com/members/ UserName: cafc91 Password: mcfc89 http://auth.funbags.com/ UserName: gabirito Password: teozera http://summercampsluts.com/members/ UserName: morphneo Password: vegeta http://andrewblake.com/members/ UserName: klausog Password: dortepia http://members.interracialgalore.com/ UserName: jumpy123 Password: river123 http://nextdoor-babes.com/members/ UserName: syclone Password: turbo1 http://members.interracialgalore.com/ UserName: dwjcalla Password: ash4me http://karastyle.com/members/ UserName: brownlov Password: 331234 http://matrixmembersarea.com/ UserName: t Password: //topshelfassword http://summercampsluts.com/members/ UserName: smm57375 Password: nbs2gfwa http://nextdoor-babes.com/members/ UserName: zanzi Password: zanzibar http://member.megapenetrations.com/login.html/ UserName: bambri Password: aitchb541 http://www.bullz-eye-premium.com/members/ UserName: hofra Password: kata http://daily-desktops.com/members/ UserName: 1puntt Password: ttrr1166 http://andrewblake.com/members/ UserName: lrdkar Password: snowcat http://data-xxx.com/members/ UserName: stiffs Password: houses http://www.bbwhotspot.com/members/ UserName: seanravi Password: seanram http://members.pissorama.com/ UserName: 190078 Password: 097346 http://members.pissorama.com/ UserName: 994067 Password: 697064 http://swallowmypride.com/inside/ UserName: killa_cam2k Password: bulldogs http://feetstroke.com/members/ UserName: aekilo1 Password: 95418102 http://jordancapri.com/members/ UserName: joleez Password: branes http://summer-teen.com/members/ UserName: tiger Password: bengal http://alsdvds.com/members/ UserName: Esem717 Password: 717Esem http://www.orientalrooms.com/members/ UserName: jack3008 Password: hahaha http://wyldchild.com/members/ UserName: 789987 Password: vatech http://nextdoor-babes.com/members/ UserName: wayer Password: ertz http://www.schoollust.com/members/ UserName: jaybirdn Password: midnight http://www.nextdoor-babes.com/members/ UserName: came11 Password: itworks http://catfightingus.com/members/ UserName: forxxxhq Password: birthday http://members.pissorama.com/ UserName: 036714 Password: 978648 http://nextdoor-babes.com/members/ UserName: version Password: 7654 http://alsdvds.com/members/ UserName: Mask97 Password: muHB6d4e http://members.interracialgalore.com/ UserName: edwinres Password: marlins http://www.bangbus.com/ UserName: shomer Password: ninjutsu http://bangbrosnetwork.com/ UserName: v Password: //vtecdissragon http://www.bbwhotspot.com/members/ UserName: betzcell1 Password: irnbru http://swallowmypride.com/inside/ UserName: dfreeman Password: huck0ppm http://www.sheerstockings.com/members/ UserName: beach Password: bunns http://members.elitedollars.com/ UserName: filippom Password: lelletta leam gasit din intamplare nu stiu daca merg toate
  12. salutare........
  13. zippy

    Mda.

    salutare "nimeniule "
  14. ba da tu nu vezi de cand e postu asta mai cauta nene si tu un pic pe gugle
  15. ma tu ai ceva cu mine...cumva cauti posturi dale mele sa poti sa comentezi? tu vezi de cand e postu asta?
  16. zippy

    Account's

    ulalaaaa :)
  17. am pus link
  18. Un Port Scanner simplu facut de mine in vb6 . Este rapid . Nu comentati urat sant incepator. DOWNLOAD http://www.2shared.com/file/5082479/d23d1575/Port_Scanner_By_Zippy_v10.html
  19. jelcoOoOome
  20. in cur tre sal bagi . ai incercat sa-mi iei ets la id si nu sti unde sa baga tokenu...bravo ma hacere
  21. doaaaaamne lasa mah posturile astea vrei locker pt id-uri de messenger cauta pe google nu posta la un topik de cateva luni fara sens
  22. salut...........
  23. zippy

    Salut!

    e ceva ....orkum jelkome
  24. jelcome ....
  25. fuck pa un prost adik pa menwolf
×
×
  • Create New...