Browse Source

Initial commit.

Bryan Allred 14 years ago
commit
ba8e320cd0

+ 17 - 0
.project

@ -0,0 +1,17 @@
1
<?xml version="1.0" encoding="UTF-8"?>
2
<projectDescription>
3
	<name>pyvtr</name>
4
	<comment></comment>
5
	<projects>
6
	</projects>
7
	<buildSpec>
8
		<buildCommand>
9
			<name>org.python.pydev.PyDevBuilder</name>
10
			<arguments>
11
			</arguments>
12
		</buildCommand>
13
	</buildSpec>
14
	<natures>
15
		<nature>org.python.pydev.pythonNature</nature>
16
	</natures>
17
</projectDescription>

+ 10 - 0
.pydevproject

@ -0,0 +1,10 @@
1
<?xml version="1.0" encoding="UTF-8" standalone="no"?>
2
<?eclipse-pydev version="1.0"?>
3

4
<pydev_project>
5
<pydev_property name="org.python.pydev.PYTHON_PROJECT_INTERPRETER">Default</pydev_property>
6
<pydev_property name="org.python.pydev.PYTHON_PROJECT_VERSION">python 2.7</pydev_property>
7
<pydev_pathproperty name="org.python.pydev.PROJECT_SOURCE_PATH">
8
<path>/pyvtr/src</path>
9
</pydev_pathproperty>
10
</pydev_project>

+ 0 - 0
README.txt


+ 10 - 0
src/pyvtr/Enum.py

@ -0,0 +1,10 @@
1
'''
2
Created on Nov 8, 2009
3

4
@author: Alec Thomas
5
'''
6

7
def Enum(*sequential, **named):
8
    enums = dict(zip(sequential, range(len(sequential))), **named)
9
    return type('Enum', (), enums)
10
        

+ 0 - 0
src/pyvtr/__init__.py


+ 21 - 0
src/pyvtr/net/Hop.py

@ -0,0 +1,21 @@
1
'''
2
Created on Jun 8, 2011
3

4
@author: BMAllred
5
'''
6

7
class Hop:
8
    '''
9
    Trace route hop.
10
    '''
11

12

13
    def __init__(self, address, roundTrip, hop):
14
        '''
15
        Initializes a new instance of the Hop class.
16
        '''
17
        
18
        self.Address = address
19
        self.RoundTrip = roundTrip
20
        self.HopCount = hop
21
        self.HostName = address

+ 90 - 0
src/pyvtr/net/TraceRoute.py

@ -0,0 +1,90 @@
1
'''
2
Created on Jun 8, 2011
3

4
@author: BMAllred
5
'''
6

7
import socket
8
from Hop import Hop
9

10
class TraceRoute:
11
    '''
12
    Trace route class.
13
    '''
14

15
    def __init__(self, destination, maxHops):
16
        '''
17
        Initializes a new instance of the TraceRoute class.
18
        '''
19
        
20
        self._maxHops = maxHops
21
        self._listenPort = 33434
22
        self.Destination = destination
23
        self.Hops = []
24
        
25
    def Execute(self):
26
        '''
27
        Executes the trace route operation.
28
        '''
29
        
30
        # Clear any previous results.
31
        self.Hops = []
32
        
33
        # Find the IP address of the host.
34
        destinationAddress = socket.gethostbyname(self.Destination)
35
        
36
        # Find the protocols.
37
        icmp = socket.getprotobyname('icmp')
38
        udp = socket.getprotobyname('udp')
39
        
40
        # Set the current hop count (this is relative to TTL).
41
        currentHop = 1
42
        
43
        # Set the operation flag.
44
        workInProgress = True
45
        
46
        while workInProgress:
47
            # Create sockets.
48
            receiveSocket = socket.socket(socket.AF_INET, socket.SOCK_RAW, icmp)
49
            sendSocket = socket.socket(socket.AF_INET, socket.SOCK_DGRAM, udp)
50
            
51
            # Bind sockets.
52
            receiveSocket.bind(("", self._listenPort))
53
            sendSocket.setsockopt(socket.SOL_IP, socket.IP_TTL, currentHop)
54
            sendSocket.sendto("", (destinationAddress, self._listenPort))
55
            
56
            # Create a new hop object.
57
            hop = Hop("*", 0, currentHop)
58
            
59
            try:
60
                # Return the first address (discard the data for now).
61
                # TODO: Retrieve round trip time.
62
                data = receiveSocket.recvfrom(512)
63
                hop.Address = data[0]
64
                
65
                # TODO: Remove after debugging.
66
                print data
67
                
68
                # Attempt to resolve the host name.
69
                try:
70
                    hop.HostName = socket.gethostbyaddr(hop.Address)[0]
71
                except socket.error:
72
                    hop.HostName = hop.Address
73
                
74
            except socket.error:
75
                pass
76
            finally:
77
                # Clean-up operations.
78
                sendSocket.close()
79
                receiveSocket.close()
80
            
81
            # Add the hop to the collection.
82
            self.Hops.append(hop)
83
            
84
            # Decide whether we need to continue.
85
            if hop.Address == destinationAddress or currentHop > self._maxHops:
86
                workInProgress = False
87
            else:
88
                currentHop += 1
89
        
90
        return self.Hops

+ 0 - 0
src/pyvtr/net/__init__.py


+ 22 - 0
src/pyvtr/pyvtr.py

@ -0,0 +1,22 @@
1
#!/usr/bin/python
2

3
'''
4
Created on Jun 8, 2011
5

6
@author: BMAllred
7
'''
8

9
from net.TraceRoute import TraceRoute
10
from net.Hop import Hop
11

12
def traceRoute(address):
13
    # Initialize trace route object.
14
    trace = TraceRoute(address, 30)
15
    
16
    # Display all hops.
17
    for hop in trace.Execute():
18
        print hop.HopCount + ": " + hop.Address
19

20
if __name__ == '__main__':
21
    traceRoute("www.google.com")
22
    pass

+ 0 - 0
src/pyvtr/test.py


+ 3 - 0
src/pyvtr/text/BlockType.py

@ -0,0 +1,3 @@
1
from pyvtr.Enum import Enum
2

3
BlockType = Enum(Plain=0, Route=1, Hop=2)

+ 61 - 0
src/pyvtr/text/Parser.py

@ -0,0 +1,61 @@
1
'''
2
Created on Jun 8, 2011
3

4
@author: BMAllred
5
'''
6
from pyvtr.text.TextBlock import TextBlock
7
from pyvtr.text.BlockType import BlockType
8

9
class Parser:
10
    '''
11
    Text parser for writing output to various data structures.
12
    '''
13

14
    def __init__(self, templateFile):
15
        '''
16
        Initializes a new instance of the Parser class.
17
        '''
18
        
19
        self._Blocks = []
20
        self.TemplateFile = templateFile
21
        
22
    def ReadTemplate(self):
23
        self._Blocks = []
24
        
25
        with open(self.TemplateFile) as file:
26
            newBlockContext = ""
27
            
28
            # Read the next line in the file.
29
            for line in file.readlines():
30
            
31
                # Check for any parsing to be done.
32
                if line.upper() == "{ROUTES}":
33
                    self._Blocks.append(TextBlock(newBlockContext))
34
                    newBlockContext = ""
35
                
36
                elif line.upper() == "{/ROUTES}":
37
                    idx = line.find("{/ROUTES}")
38
                    trashLength = idx + 9
39
                    postText = line[trashLength:len(line)]
40
                    self._Blocks.append(TextBlock(newBlockContext, BlockType.Route, postText))
41
                    newBlockContext = ""
42
                
43
                elif line.upper() == "{HOPS}":
44
                    self._Blocks.append(TextBlock(newBlockContext, BlockType.Route))
45
                    newBlockContext = ""
46
                
47
                elif line.upper() == "{/HOPS}":
48
                    idx = line.find("{/HOPS}")
49
                    trashLength = idx + 7
50
                    postText = line[trashLength:len(line)]
51
                    self._Blocks[-1].InnerBlocks.append(TextBlock(newBlockContext, BlockType.Hop, postText))
52
                    newBlockContext = ""
53
                
54
                else:
55
                    newBlockContext += line
56
                
57
                # If there is content then we want to add it to the collection then clear it.
58
                if len(newBlockContext) > 0:
59
                    self._Blocks.append(TextBlock(newBlockContext))
60
                    newBlockContext = ""
61
            

+ 21 - 0
src/pyvtr/text/TextBlock.py

@ -0,0 +1,21 @@
1
'''
2
Created on Jun 8, 2011
3

4
@author: BMAllred
5
'''
6
from pyvtr.text.BlockType import BlockType
7

8
class TextBlock:
9
    '''
10
    Text block class.
11
    '''
12

13
    def __init__(self, text, blockType = BlockType.Plain, postText = ""):
14
        '''
15
        Initializes a new instance of the TextBlock class.
16
        '''
17
        
18
        self.InnerBlocks = []
19
        self.Text = text
20
        self.Type = blockType
21
        self.PostText = postText

+ 0 - 0
src/pyvtr/text/__init__.py


+ 0 - 0
src/pyvtr/text/sample-console.txt


+ 0 - 0
src/pyvtr/text/sample-xml.txt