Your IP

IP

Whos that ?

visit my website

Wireless Hacking Live-CD (FBI version)

Senin, 05 Juli 2010

Wireless Hacking Live-CD (FBI version)


This version is for all systems except systems with the Intel B/G wireless cards (IPW2200).
- Live CD with all the tools you need to hack a WLAN / wireless Access point - Linux Live-CD - OS runs from CD - 635 mb - .iso
- also used by the FBI.

WEP Hacking - The Next Generation

WEP is an encryption scheme, based on the RC-4 cipher, that is available on all 802.11a, b and g wireless products. WEP uses a set of bits called a key to scramble information in the data frames as it leaves the access point or client adapter and the scrambled message is then decrypted by the receiver.



Both sides must have the same WEP key, which is usually a total of 64 or 128 bits long. A semi-random 24 bit number called an Initialization Vector (IV), is part of the key, so a 64 bit WEP key actually contains only 40 bits of strong encryption while a 128 bit key has 104. The IV is placed in encrypted frames header, and is transmitted in plain text.

Traditionally, #####ing WEP keys has been a slow and boring process. An attacker would have to capture hundreds of thousands or millions of packets?a process that could take hours or even days, depending on the volume of traffic passing over the wireless network. After enough packets were captured, a WEP #####ing program such as Air##### would be used to find the WEP key.



Fast-forward to last summer, when the first of the latest generation of WEP #####ing tools appeared. This current generation uses a combination of statistical techniques focused on unique IVs captured and brute-force dictionary attacks to break 128 bit WEP keys in minutes instead of hours. As Special Agent Bickers noted, It does'nt matter if you use 128 bit WEP keys, you are vulnerable!

WEP is an encryption scheme, based on the RC-4 cipher, that is available on all 802.11a, b and g wireless products.

WEP uses a set of bits called a key to scramble information in the data frames as it leaves the access point or client adapter and the scrambled message is then decrypted by the receiver.

Both sides must have the same WEP key, which is usually a total of 64 or 128 bits long.

A semi-random 24 bit number called an Initialization Vector (IV), is part of the key, so a 64 bit WEP key actually contains only 40 bits of strong encryption while a 128 bit key has 104.

The IV is placed in encrypted frames header, and is transmitted in plain text.

Traditionally, #####ing WEP keys has been a slow and boring process.

An attacker would have to capture hundreds of thousands or millions of packets a process that could take hours or even days, depending on the volume of traffic passing over the wireless network.

After enough packets were captured, a WEP #####ing program such as Air##### would be used to find the WEP key.

Fast-forward to last summer, when the first of the latest generation of WEP #####ing tools appeared.

This current generation uses a combination of statistical techniques focused on unique IVs captured and brute-force dictionary attacks to break 128 bit WEP keys in minutes instead of hours.
Basic Directions:
Quote:
1) Boot from cd
2) Get the wep key
3) Write it down
4) Reboot into windows
5) Connect using wep key.
Download:

Read more...

Bare Bones IRC Bot In Perl.


                  by b0iler :
                        b0iler@hotmail.com : last update July 26th 2002
                  Written for :
                        http://b0iler.eyeonsecurity.net - my site full of other cool tutorials
                        http://blacksun.box.sk - a legendary site full of original tutorials


This is a short guide to creating your own perl bot which will work on irc. I will not cover all the different modules and ways to connect to irc and issue commands. This will only cover connecting with IO::Socket and using raw irc commands. I feel you learn the most this way and have alot of control over what is happening.

IRC experience is helpful, but I'll take things slow enough so that an absolute beginner can understand what is taking place. This will also help those with alittle knowledge fully understand the irc protocol. Although I am no irc expert, after creating this bot I did learn a few tricks.

We start off by getting a connection underway:

#!/usr/bin/perl
use IO::Socket;

$sock = IO::Socket::INET->new(
    PeerAddr => 'irc.undernet.org',
    PeerPort => 6667,
    Proto => 'tcp' ) or die "could not make the connection";


You can use any irc server and any port (commonly used ports are 6667-7000), so long as they are valid. If you have problems try to find a different server on that network. To make things easier you can make the PeerAddr a variable which is specified by an argument from the command line. Or purhaps map out all the servers on the network and make an arry from them, connecting to random ones and using the best connection. There are many possibilities, each work best for certain situations. We'll stick to the simple hard coded address and port.

Now we have a connection to the server. We still need to get connected/logged in to the ircd. Anything we send to or recieve from the server will go through $sock. So lets see what the server is sending us after we make a connection.

while($line = <$sock>){
    print "$line\n";
}


We will see that the server prints out some lines. Each line will have a number representation to it. This will really help to tell the bot when to start and end routines. The key here is the line with 'NOTICE AUTH' in it. This is when we need to login to the irc server. To do this we send

NICK bots_nick
USER bots_ident 0 0 :bots name

With a line break after the bots_nick and a line break at the end. So in the while loop we will add something like this:

while($line = <$sock>){
    print $line;
    if($line =~ /(NOTICE AUTH).*(checking ident)/i){
        print $sock "NICK b0ilersbot\nUSER bot 0 0 :just a bot\n";
        last;
    }
}


Now we are done with the login process. If you are having any problems try to read up on the irc protocol and how to login to it with telnet. Raven from www.securitywriters.org has wrote a decent tutorial on the subject, look for it.

Some servers will ask for a ping to make sure the client is active. This is only done on some servers and is a common pitfall to many bots which don't support this kind of login proceedure. To handle this we will check if the server wants us to ping it. The server will ask for a ping before it asks about nickserv registration/identification, so we will stop this loop after it mentions nickserv. This is what those numbers in the last if statment are for, the 376|422. The way to identify to nickserv is like this

NICKSERV :identify nick_password

this is just a simple irc command. The command is 'NICKSERV' and the arguments are 'identify nick_password' where nick_password is the actual password for this nick. The line ends in a line break and all irc commands are in upper case. When there is a : before something it means it is a multiple word argument (has spaces in it). This is how we will handle the possible ping and the nickserv identification.

while($line = <$sock>){
    print $line;   
    #use next line if the server asks for a ping
    if($line =~ /^PING/){
        print $sock "PONG :" . (split(/ :/, $line))[1];
    }
    if($line =~ /(376|422)/i){
        print $sock "NICKSERV :identify nick_password\n";
        last;
    }
}


If you want to have a registration code you can find this out on your own.. or do what I do and register the nick with a normal irc client. This way we only need the bot to identify.

When you create your bot you can customize it however you want. Most of my bots have alittle bit more AI then this tutorial shows. This bot will be pretty strait forword and doesn't make many decisions. It just connects and does something.

I like to make the bot sleep for a few seconds just to get the connection cought up. I am on a 56k and things can go slow sometimes. A few times without the sleep the bot has joined channels before the nickserv identification is complete, this can be a pain in the neck if the bot needs a usermode or other circumstances which require the nick to be identified (such as other bots, +R channel mode, or trust issues with users).

After it sleeps it will join the channel. You will see that the server prints out alot of information about the channel when you join. You can save this information in variables to allow the bot to make many decisions. Again, this is a simple bot and won't be aware of it's environment or be dynamic in anyway. But you could for example turn on/off colors by what channel modes are set or who is in the channel (some people really hate colors). This is the last bit of the login proccess, after this the bot can actually do something.

sleep 3;
print $sock "JOIN #channel\n";


Notice there is no : before #channel. This is because it does not have any spaces in it. And the JOIN command is in all caps. For a full list of commands try reading a tutorial on the IRC protocol. I don't even cover the basics here, there are tons of useful to know commands.

Now we are joining the channel. There is nothing else to do besides read the messages users send to the channel and respond to them. But inorder to read the messages we need to parse them so they make sense. The format of a priv_msg is as follows:

:nick!ident@hostname.com PRIVMSG #channel :the line of text

I like to seperate them into the following variables to make things easier to keep track of.

:$nick!$hostname $type $channel :$text

in this example here is the values of the variables:

$nick = nick
$hostname = ident
$type = priv_msg
$channel = #channel
$text = the line of text

So we are going to need to parse what is send from the server into useable data. This is how we'll do it. There is only one twist here, and that is incase the server sends a ping. They do this quite often to check and see if you are still connected. If we don't reply the the pings then we will get disconnected. When the server sends a ping you must reply with a PONG and the same characters the ping had. So this is how we will send it

while ($line = <$sock>) {
    ($command, $text) = split(/ :/, $line);   #$text is the stuff from the ping or the text from the server
   
    if ($command eq 'PING'){
        #while there is a line break - many different ways to do this
        while ( (index($text,"\r") >= 0) || (index($text,"\n") >= 0) ){ chop($text); }
        print $sock "PONG $text\n";
        next;
    }
    #done with ping handling
   
    ($nick,$type,$channel) = split(/ /, $line); #split by spaces
   
    ($nick,$hostname) = split(/!/, $nick); #split by ! to get nick and hostname seperate
   
    $nick =~ s/://; #remove :'s
    $text =~ s/://;
   
    #get rid of all line breaks.  Again, many different way of doing this.
    $/ = "\r\n";
    while($text =~ m#$/$#){ chomp($text); }
       
   
Read more...

Inception 2010 DVDRip XvID



Inception 2010 DVDRip XvID IMAGINE | 699MB

Director: Christopher Nolan
Writer (WGA): Christopher Nolan (written by)
Genre: Drama | Mystery | Sci-Fi | Thrille
Plot: In a world where technology exists to enter the human mind through dream invasion, a single idea within one's mind can be the most dangerous weapon or the most valuable asset.

Folder Link's:
Code:

http://hotfile.com/list/630877/b021c15

Mirror:
Code:

http://sharingmatrix.com/folder/3972dc6e294e1cdd

http://fileserve.com/list/gBksNHT



Read more...

The Expendables 2010 DvDrip-aXXo



Genre: Action | Adventure | Thriller
The Plot:THE EXPENDABLES is a hard-hitting actionthriller about a group of mercenaries hired to infiltrate a South American country and overthrow its ruthless dictator. Once the mission begins, the men realize things arent quite as they appear, finding themselves caught in a dangerous web of deceit and betrayal. With their mission thwarted and an innocent life in danger, the men struggle with an even tougher challenge one that threatens to destroy this band of brothers.



Download :

http://hotfile.com/dl/45172635/c3158ca/The.Expendables.2010.DvDrip-aXXo.part1.rar.html
http://hotfile.com/dl/45172674/49f734e/The.Expendables.2010.DvDrip-aXXo.part2.rar.html
http://hotfile.com/dl/45172713/e665af9/The.Expendables.2010.DvDrip-aXXo.part3.rar.html
http://hotfile.com/dl/45172760/9189664/The.Expendables.2010.DvDrip-aXXo.part4.rar.html
http://hotfile.com/dl/45172796/3f67a96/The.Expendables.2010.DvDrip-aXXo.part5.rar.html
Read more...

The Last Airbender (2010)





PLOT OVERVIEW:

Quote:
The world is divided into four kingdoms, each represented by the element they harness, and peace has lasted throughout the realms of Water, Air, Earth, and Fire under the supervision of the Avatar, a link to the spirit world and the only being capable of mastering the use of all four elements. When young Avatar Aang disappears, the Fire Nation launches an attack to eradicate all members of the Air Nomads to prevent interference in their future plans for world domination. 100 years pass and current Fire Lord Ozai continues to conquer and imprison anyone with elemental "bending" abilities in the Earth and Water Kingdoms, while siblings Katara and Sokka from a Southern Water Tribe find a mysterious boy trapped beneath the ice outside their village. Upon rescuing him, he reveals himself to be Aang, Avatar and last of the Air Nomads. Swearing to protect the Avatar, Katara and Sokka journey with him to the Northern Water Kingdom in his quest to master "Waterbending" and eventually fulfill his destiny of once again restoring peace to the world. But as they inch nearer to their goal, the group must evade Prince Zuko, the exiled son of Lord Ozai, Commander Zhao, the Fire Nation's military leader, and the tyrannical onslaught of the evil Fire Lord himself.

INFOMATIONS:

Quote:
Theatrical Release
7/1/2010
Director Credit
M. Night Shyamalan Director
Cast Credit
Noah Ringer Aang
Nicola Peltz Katara
Jackson Rathbone Sokka
Dev Patel Zuko
Aasif Mandvi Commander Zhao
Shaun Toub Uncle Iroh
Cliff Curtis Fire Lord Ozai
Seychelle Gabriel Princess Yue
Katharine Houghton Katara's Grandma
Francis V. Guinan, Jr. Master Pakku
Damon Gupton Monk Gyatso
Summer Bishil Azula
Randall Duk Kim Old Man in Temple
John D'Alonzo Zhao's Assistant
Keong Sim Earthbending Father
Isaac Jin Solstein Earthbending Boy
Edmund Ikeda Old Man of Kyoshi Town
John Noble The Dragon Spirit
Morgan Spector Lead Fire Nation Soldier
Karim Sioud Fire Nation Prison Guard
Manu Narayan Fire Nation Head Prison Guard
Kevin W. Yamada Earth Kingdom Prisoner
Ted Oyama Kyoshi Villager
Ritesh Rajan Fire Nation Soldier
George DeNoto Teahouse Child
Manuel Kanian Nervous Prison Guard
Christopher Brewster Kicking Firebender
Ryan Shams Lead Archer
Jeffrey Zubernis Water Tribe Soldier
Brian Johnson Water Tribe Soldier
J.W. Cortes Fire Lord Attendant

Imdb:
Code:

http://www.imdb.com/title/tt0938283/

Download here  ;

http://hotfile.com/dl/44087987/6be0035/The.Last.Airbender.(2010).BDRip.XviD-DiAMOND.part1.rar.html
http://hotfile.com/dl/44088024/e154725/The.Last.Airbender.(2010).BDRip.XviD-DiAMOND.part2.rar.html
http://hotfile.com/dl/44088054/49ba282/The.Last.Airbender.(2010).BDRip.XviD-DiAMOND.part3.rar.html
http://hotfile.com/dl/44088091/0cc2682/The.Last.Airbender.(2010).BDRip.XviD-DiAMOND.part4.rar.html
http://hotfile.com/dl/44088122/54410b7/The.Last.Airbender.(2010).BDRip.XviD-DiAMOND.part5.rar.html
http://hotfile.com/dl/44088170/e6b0f11/The.Last.Airbender.(2010).BDRip.XviD-DiAMOND.part6.rar.html
Read more...

Knight And Day TS XViD



 


*********** **** **** *** ******** *********** **** *** **********
* * * * * * * * * * * * * * * * * * * * * * * * *
* * * * * * * * * * * * * *
$ $ * $ $ * $ * *$* $ $ * $ $ * $
$ $ $ $ $ $ $ $ $ $ $ $ $ $
$ $ $ $ $ $ $ $ $ $ $ $ $ $ $ $ $ $ $ $ $ $ $
$$$$$$$$$$$ $$$ $$$ $$$ $$$ $$$$$$$$ $$$$$$$$$$$ $$$ $$$$ $$$$$$$$$$




Another Fine Release Brought to you from - IMAGiNE


********************************************************************************************************************
Knight And Day TS XViD - IMAGiNE
********************************************************************************************************************

Ripper ...........: IMAGiNE IMDB Rating.......:6.9/10
Video Codec.......: XVID Release Date......:04/07/10
Audio Codec.......:MP3 Theatre Date......:23/06/10
Audio Bitrate.....:128 Runtime.......:1h 44mn
Subtitles.........:NIL Language..........:ENGLISH
Resolution...... 636 x 290 IMDb URL..........:http://www.imdb.com/title/tt1013743/


DETAILS:

Video
ID : 0
Format : MPEG-4 Visual
Format profile : Advanced Simple@L5
Format settings, BVOP : Yes
Format settings, QPel : No
Format settings, GMC : No warppoints
Format settings, Matrix : Default (MPEG)
Muxing mode : Packed bitstream
Codec ID : XVID
Codec ID/Hint : XviD
Duration : 1h 44mn
Bit rate : 1 741 Kbps
Width : 636 pixels
Height : 290 pixels
Display aspect ratio : 2.2
Frame rate : 25.000 fps
Resolution : 24 bits
Colorimetry : 4:2:0
Scan type : Progressive
Bits/(Pixel*Frame) : 0.378
Stream size : 1.27 GiB (100%)
Writing library : XviD 1.2.1 (UTC 2008-12-04)


Audio
Format : MPEG Audio
Format version : Version 1
Format profile : Layer 3
Duration : 1h 44mn
Bit rate mode : Constant
Bit rate : 128 Kbps
Channel(s) : 2 channels
Sampling rate : 44.1 KHz
Resolution : 16 bits
Stream size : 95.3 MiB (100%)


NOTES:

IMAGiNE bringing you another release.....Knight And Day

Sources used are relizlab video and Flawless audio .....thanks to both.
Well the video was ok not too bad for a cam but like all cams had issues ....camera movement,too strong on the chroma,looked
a bit washed out and the rgb colours off....specially the red.
Audio,well far from the best line we've had ,but saying that it's still half decent and better then not having any at all :P
Worked done well firstly we used flawless's audio source file and synced it up to our encode,but we noticed the 9 sec pause at the begining was giving alot of
users some problems when converting so we add this off our cam release.Then it was a case of resaving and muxing to our encoded video.
The video .....well for this we messed with the rgb colours to try and balance them out also added more contrast and lowered the brightness a touch,also
needed to lower the chroma alot.....and finally used a smoother aswell.

Enjoy :)
prabu

Download Here :

http://www.fileserve.com/file/K5njvZC/Knight_And_Day_TS_XViD_-_IMAGiNE.avi.001
http://www.fileserve.com/file/639rTsB/Knight_And_Day_TS_XViD_-_IMAGiNE.avi.003
http://www.fileserve.com/file/m6hCE27/Knight_And_Day_TS_XViD_-_IMAGiNE.avi.004
http://www.fileserve.com/file/FNwSfr3/Knight_And_Day_TS_XViD_-_IMAGiNE.avi.002
Read more...

}}-pr4bu-{{ wants you to join the party @ MyBlogLog

Sabtu, 12 Juni 2010

}}-pr4bu-{{ has invited you to join MyBlogLog

A little MyBlogLog background...

Discover something new or cool each day. Find a sites are unique to your interests, be that "you'll never guess what I found on the internet" person.

Learn more about the people who publish your favorite sites? What do they read? Who else reads them?

Connect with people who read the same sites as you, make the world wide web a little smaller, more connected.

}}-pr4bu-{{ thinks MyBlogLog is so great that they've taken the time to let you know about it. Come check it out. If you've got a Yahoo! account, you're already half-way there. Join }}-pr4bu-{{! Check out www.mybloglog.com to learn more.

Join MyBlogLog

for you jump-right-in types

MyBlogLog - not just for bloggers anymore.
www.mybloglog.com

Read more...