コード例 #1
0
ファイル: protocol.py プロジェクト: mmattice/txXBee
class txXBee(protocol.Protocol, ZigBee):
    def __init__(self, escaped=True):
        self._escaped = escaped
	self._frame = None

    def dataReceived(self, data):
        for c in data:
            if self._frame:
                self._frame.fill(c)
                if self._frame.remaining_bytes() == 0:
		    try:
			# Try to parse and return result
			self._frame.parse()
			self.handle_packet(self._split_response(self._frame.data))
		    except ValueError:
			# Bad frame, so restart
                        self.handle_badframe(self._frame.raw_data)
		    self._frame = None
	    else:
		if c == APIFrame.START_BYTE:
		    self._frame = APIFrame(escaped=self._escaped)
                    self._frame.fill(c)

    def handle_packet(self, packet):
        pass

    def handle_badframe(self, packet):
        pass

    def _write(self, data):
	frame = APIFrame(data, self._escaped).output()
	self.transport.write(frame)
コード例 #2
0
class ZigBeeProtocol(LineReceiver, ZigBee):
   def __init__(self, escaped=True):
      self._escaped = escaped
      self.frame = APIFrame(escaped=self._escaped)
                
      self.setRawMode()

   def rawDataReceived(self, data):
      print "received from ", self.transport.getPeer(), ": ", repr(data)
      #data=data[1:]
      if data[0] == APIFrame.START_BYTE:
         self.frame = APIFrame(escaped=self._escaped)
      for i in range(0, len(data)):
         self.frame.fill(data[i])
      if (not (self.frame.remaining_bytes() > 0)):
         try:
            # Try to parse and return result
            self.frame.parse()
            return getattr(self, "handle_packet", None)(self._split_response(self.frame.data))
         except ValueError:
            # Bad frame, so restart
            self.frame = APIFrame(escaped=self._escaped)

   def _write(self, data):
      frame = APIFrame(data, self._escaped).output()
      self.transport.write(frame)
コード例 #3
0
ファイル: base.py プロジェクト: nioinnovation/python-xbee
    def _wait_for_frame(self, timeout=None):
        """
        _wait_for_frame: None -> binary data

        _wait_for_frame will read from the serial port until a valid
        API frame arrives. It will then return the binary data
        contained within the frame.

        If this method is called as a separate thread
        and self.thread_continue is set to False, the thread will
        exit by raising a ThreadQuitException.
        """
        frame = APIFrame(escaped=self._escaped)

        deadline = 0
        if timeout is not None and timeout > 0:
            deadline = time.time() + timeout

        while True:
                if self._callback and not self._thread_continue:
                    raise ThreadQuitException

                if self.serial.inWaiting() == 0:
                    if deadline and time.time() > deadline:
                        raise _TimeoutException
                    time.sleep(.01)
                    continue

                byte = self.serial.read()

                if byte != APIFrame.START_BYTE:
                    continue

                # Save all following bytes, if they are not empty
                if len(byte) == 1:
                    frame.fill(byte)

                while(frame.remaining_bytes() > 0):
                    byte = self.serial.read()

                    if len(byte) == 1:
                        frame.fill(byte)

                try:
                    # Try to parse and return result
                    frame.parse()

                    # Ignore empty frames
                    if len(frame.data) == 0:
                        frame = APIFrame()
                        continue

                    return frame
                except ValueError:
                    # Bad frame, so restart
                    frame = APIFrame(escaped=self._escaped)
コード例 #4
0
ファイル: test_frame.py プロジェクト: stanleyatala/IoTGateway
    def test_unescape_input(self):
        """
        APIFrame must properly unescape escaped input
        """
        test_data = b'\x7D\x23'
        expected_data = b'\x03'
        frame = APIFrame(escaped=True)

        for byte in [test_data[x:x + 1] for x in range(0, len(test_data))]:
            frame.fill(byte)
        self.assertEqual(frame.raw_data, expected_data)
コード例 #5
0
ファイル: test_frame.py プロジェクト: ymichael/xbns
    def test_invalid_checksum(self):
        """
        when an invalid frame is read, an exception must be raised
        """
        api_frame = APIFrame()
        frame = b'\x7E\x00\x01\x00\xF6'
        
        for byte in frame:
            api_frame.fill(intToByte(byteToInt(byte)))

        self.assertRaises(ValueError, api_frame.parse)
コード例 #6
0
ファイル: test_frame.py プロジェクト: ymichael/xbns
 def test_unescape_input(self):
     """
     APIFrame must properly unescape escaped input
     """
     test_data = b'\x7D\x23'
     expected_data = b'\x03'
     frame = APIFrame(escaped=True)
     
     for byte in [test_data[x:x+1] for x in range(0, len(test_data))]:
         frame.fill(byte)
     self.assertEqual(frame.raw_data, expected_data)
コード例 #7
0
    def test_invalid_checksum(self):
        """
        when an invalid frame is read, an exception must be raised
        """
        api_frame = APIFrame()
        frame = b'\x7E\x00\x01\x00\xF6'

        for byte in frame:
            api_frame.fill(intToByte(byteToInt(byte)))

        self.assertRaises(ValueError, api_frame.parse)
コード例 #8
0
ファイル: base.py プロジェクト: hoopes/python-xbee
    def _wait_for_frame(self, timeout=None):
        """
        _wait_for_frame: None -> binary data
        
        _wait_for_frame will read from the serial port until a valid
        API frame arrives. It will then return the binary data
        contained within the frame.

        If this method is called as a separate thread
        and self.thread_continue is set to False, the thread will
        exit by raising a ThreadQuitException.
        """
        frame = APIFrame(escaped=self._escaped)

        deadline = 0
        if timeout is not None and timeout > 0:
            deadline = time.time() + timeout

        while True:
            if self._exit.is_set():
                raise ThreadQuitException

            byte = self.serial.read()

            if byte != APIFrame.START_BYTE:
                if deadline and time.time() > deadline:
                    raise TimeoutException
                continue

            if timeout is not None and timeout > 0:
                deadline = time.time() + timeout

            frame.fill(byte)  # Save all following bytes

            while frame.remaining_bytes() > 0:
                if self._exit.is_set():
                    raise ThreadQuitException

                if self.serial.inWaiting() < 1 and deadline and time.time() > deadline:
                    raise TimeoutException, len(frame.data)

                byte = self.serial.read(frame.remaining_bytes())
                for b in byte:
                    frame.fill(b)

            try:
                # Try to parse and return result
                frame.parse()
                return frame
            except ValueError:
                # Bad frame, so restart
                frame = APIFrame(escaped=self._escaped)
コード例 #9
0
	def rawDataReceived(self, data):
		if data[0] == APIFrame.START_BYTE:
			self.frame = APIFrame(escaped=self._escaped)
		for i in range(0, len(data)):
			self.frame.fill(data[i])
		if (not (self.frame.remaining_bytes() > 0)):
			try:
				# Try to parse and return result
				self.frame.parse()
				return getattr(self, "handle_packet", None)(self._split_response(self.frame.data))
			except ValueError:
				# Bad frame, so restart
				self.frame = APIFrame(escaped=self._escaped)
コード例 #10
0
ファイル: test_frame.py プロジェクト: ymichael/xbns
    def test_single_byte(self):
        """
        read a frame containing a single byte
        """
        api_frame = APIFrame()

        frame = b'\x7E\x00\x01\x00\xFF'
        expected_data = b'\x00'
        
        for byte in frame:
            api_frame.fill(intToByte(byteToInt(byte)))
        api_frame.parse()

        self.assertEqual(api_frame.data, expected_data)
コード例 #11
0
ファイル: base.py プロジェクト: jleben/python-xbee
    def _wait_for_frame(self):
        """
        _wait_for_frame: None -> binary data

        _wait_for_frame will read from the serial port until a valid
        API frame arrives. It will then return the binary data
        contained within the frame.

        If this method is called as a separate thread
        and self.thread_continue is set to False, the thread will
        exit by raising a ThreadQuitException.
        """

        frame = APIFrame(escaped=self._escaped)

        while True:
            if self._callback and not self._thread_continue:
                raise ThreadQuitException

            bytes = self.serial.read(1)
            byte = bytes[0]

            if byte != APIFrame.START_BYTE:
                continue

            frame.fill(byte)

            while True:
                remaining_bytes = frame.remaining_bytes()
                if remaining_bytes < 1:
                    break
                bytes = self.serial.read(remaining_bytes)
                for byte in bytes:
                    frame.fill(byte)

            try:
                # Try to parse and return result
                frame.parse()

                # Ignore empty frames
                if len(frame.data) == 0:
                    frame = APIFrame()
                    continue

                return frame
            except ValueError:
                # Bad frame, so restart
                frame = APIFrame(escaped=self._escaped)
コード例 #12
0
 def test_escape_method(self):
     """
     APIFrame.escape() must work as expected
     """
     test_data = APIFrame.START_BYTE
     new_data = APIFrame.escape(test_data)
     self.assertEqual(new_data, APIFrame.ESCAPE_BYTE + b'\x5e')
コード例 #13
0
 def test_is_remote_response_parsed_as_io(self):
     """
     I/O data in a Remote AT response for an IS command is parsed.
     """
      ## Build IO data
     # One sample, ADC 0 enabled
     # DIO 1,3,5,7 enabled
     header = b'\x01\x02\xAA'
     
     # First 7 bits ignored, DIO8 low, DIO 0-7 alternating
     # ADC0 value of 255
     sample = b'\x00\xAA\x00\xFF'
     data = header + sample
     
     device = FakeReadDevice(
         APIFrame(data = b'\x97D\x00\x13\xa2\x00@oG\xe4v\x1aIS\x00' + data).output()
     )
     
     xbee = XBee(device)
     
     info = xbee.wait_read_frame()
     expected_info = {'id':'remote_at_response',
                      'frame_id':b'D',
                      'source_addr_long': b'\x00\x13\xa2\x00@oG\xe4',
                      'source_addr': b'v\x1a',
                      'command':b'IS',
                      'status':b'\x00',
                      'parameter':[{'dio-1':True,
                                   'dio-3':True,
                                   'dio-5':True,
                                   'dio-7':True,
                                   'adc-0':255}]}
     self.assertEqual(info, expected_info)
コード例 #14
0
ファイル: test_frame.py プロジェクト: ymichael/xbns
 def test_escape_method(self):
     """
     APIFrame.escape() must work as expected
     """
     test_data = APIFrame.START_BYTE
     new_data = APIFrame.escape(test_data)
     self.assertEqual(new_data, APIFrame.ESCAPE_BYTE + b'\x5e')
コード例 #15
0
ファイル: base.py プロジェクト: yxw027/iot-shm
 def _write(self, data):
     """
     _write: binary data -> None
     
     Packages the given binary data in an API frame and writes the 
     result to the serial port
     """
     frame = APIFrame(data, self._escaped).output()
     self.serial.write(frame)
コード例 #16
0
ファイル: test_frame.py プロジェクト: blalor/home-automator
 def test_single_byte(self):
     """
     read a frame containing a single byte
     """
     frame = '\x7E\x00\x01\x00\xFF'
     expected_data = '\x00'
     
     data = APIFrame.parse(frame).data
     self.assertEqual(data, expected_data)
コード例 #17
0
    def _wait_for_frame(self):
        """
        _wait_for_frame: None -> binary data
        
        _wait_for_frame will read from the serial port until a valid
        API frame arrives. It will then return the binary data
        contained within the frame.

        If this method is called as a separate thread
        and self.thread_continue is set to False, the thread will
        exit by raising a ThreadQuitException.
        """
        global handler
        frame = APIFrame(escaped=self._escaped)
        mode = 0
        try:
            while True:

                signal.alarm(10)
                if self._callback and not self._thread_continue:
                    raise ThreadQuitException

                while (self.serial.inWaiting() < 1):
                    time.sleep(0.01)
                byte = self.serial.read()
                signal.alarm(0)
                if byte == '':
                    continue

                if (mode == 0):
                    if byte == APIFrame.START_BYTE:
                        mode = 1
                    else:
                        continue

                frame.fill(byte)

                if ((mode == 1) and (frame.remaining_bytes() <= 0)):
                    try:
                        # Try to parse and return result
                        frame.parse()
                        mode = 0
                        return frame
                    except ValueError:
                        # Bad frame, so restart
                        mode = 0
                        frame = APIFrame(escaped=self._escaped)
        except Exception, exc:
            print exc
コード例 #18
0
    def test_single_byte(self):
        """
        create a frame containing a single byte
        """
        data = b'\x00'
        # start byte, two length bytes, data byte, checksum
        expected_frame = b'\x7E\x00\x01\x00\xFF'

        frame = APIFrame(data).output()
        self.assertEqual(frame, expected_frame)
コード例 #19
0
ファイル: base.py プロジェクト: blalor/home-automator
    def _wait_for_frame(self):
        """
        _wait_for_frame: None -> binary data
        
        _wait_for_frame will read from the serial port until a valid
        API frame arrives. It will then return the binary data
        contained within the frame.

        If this method is called as a separate thread
        and self.thread_continue is set to False, the thread will
        exit by raising a ThreadQuitException.
        """
        WAITING = 0
        PARSING = 1
        
        data = ''
        state = WAITING
        
        while True:
            if state == WAITING:
                if self._callback and not self._thread_continue:
                    raise ThreadQuitException

                if self.serial.inWaiting() == 0:
                    time.sleep(.01)
                    continue
                
                byte = self.serial.read()
                
                # If a start byte is found, swich states
                if byte == APIFrame.START_BYTE:
                    data += byte
                    state = PARSING
            else:
                # Save all following bytes
                data += self.serial.read()
                
                if len(data) == 3:
                    # We have the length bytes of the data
                    # Now, wait for the rest to appear
                    data_len = struct.unpack("> h", data[1:3])[0]
                    
                    # Wait for the expected number of bytes to appear
                    # Grab the checksum too
                    data += self.serial.read(data_len + 1)
                    
                    try:
                        # Try to parse and return result
                        return APIFrame.parse(data)
                    except ValueError:
                        # Bad frame, so restart
                        data = ''
                        state = WAITING
コード例 #20
0
ファイル: base.py プロジェクト: HuangZhenQiu/NanoKong
    def _wait_for_frame(self, msec):
        """
        _wait_for_frame: None -> binary data
        
        _wait_for_frame will read from the serial port until a valid
        API frame arrives. It will then return the binary data
        contained within the frame.

        If this method is called as a separate thread
        and self.thread_continue is set to False, the thread will
        exit by raising a ThreadQuitException.
        """
        frame = APIFrame(escaped=self._escaped)
        timeoutflag = False if msec < 0 else True
        limit = time.time() + msec / 1000.0
        
        while True:
                if timeoutflag and time.time() > limit:
                    return None

                if self._callback and not self._thread_continue:
                    raise ThreadQuitException

                if self.serial.inWaiting() == 0:
                    time.sleep(.01)
                    continue
                
                byte = self.serial.read()

                if byte != APIFrame.START_BYTE:
                    continue

                # Save all following bytes
                frame.fill(byte)
                while(frame.remaining_bytes() > 0):
                    frame.fill(self.serial.read())

                try:
                    # Try to parse and return result
                    frame.parse()
                    return frame
                except ValueError:
                    # Bad frame, so restart
                    frame = APIFrame(escaped=self._escaped)
コード例 #21
0
 def test_read_rx_with_close_brace(self):
     """
     An rx data frame including a close brace must be read properly.
     """
     device = FakeReadDevice(APIFrame(b'\x81\x01\x02\x55\x00{test=1}').output())
     xbee = XBee(device)
     
     info = xbee.wait_read_frame()
     expected_info = {'id':'rx',
                      'source_addr':b'\x01\x02',
                      'rssi':b'\x55',
                      'options':b'\x00',
                      'rf_data':b'{test=1}'}
     self.assertEqual(info, expected_info)
コード例 #22
0
ファイル: base.py プロジェクト: ksnwright/xbee
    def _process_input(self, data, events):
        """
        _process_input:

        _process_input will be notified when there is data ready on the
        serial connection to be read.  It will read and process the data
        into an API Frame and then either resolve a frame future, or push
        the frame into the queue of frames needing to be processed
        """
        frame = APIFrame(escaped=self._escaped)

        byte = self.serial.read()

        if byte != APIFrame.START_BYTE:
            return

        # Save all following bytes, if they are not empty
        if len(byte) == 1:
            frame.fill(byte)

        while (frame.remaining_bytes() > 0):
            byte = self.serial.read()

            if len(byte) == 1:
                frame.fill(byte)

        try:
            # Try to parse and return result
            frame.parse()

            # Ignore empty frames
            if len(frame.data) == 0:
                return

            if self._frame_future is not None:
                self._frame_future.set_result(frame)
                self._frame_future = None
            else:
                self._frame_queue.append(frame)
        except ValueError:
            return
コード例 #23
0
class ZigBeeProtocol(LineReceiver, ZigBee):
	def __init__(self, escaped=True):
		self._escaped = escaped
		self.frame = APIFrame(escaped=self._escaped)
		
		self.setRawMode()

	def rawDataReceived(self, data):
		if data[0] == APIFrame.START_BYTE:
			self.frame = APIFrame(escaped=self._escaped)
		for i in range(0, len(data)):
			self.frame.fill(data[i])
		if (not (self.frame.remaining_bytes() > 0)):
			try:
				# Try to parse and return result
				self.frame.parse()
				return getattr(self, "handle_packet", None)(self._split_response(self.frame.data))
			except ValueError:
				# Bad frame, so restart
				self.frame = APIFrame(escaped=self._escaped)

	def _write(self, data):
		frame = APIFrame(data, self._escaped).output()
		self.transport.write(frame)
コード例 #24
0
ファイル: protocol.py プロジェクト: mmattice/txXBee
    def dataReceived(self, data):
        for c in data:
            if self._frame:
                self._frame.fill(c)
                if self._frame.remaining_bytes() == 0:
		    try:
			# Try to parse and return result
			self._frame.parse()
			self.handle_packet(self._split_response(self._frame.data))
		    except ValueError:
			# Bad frame, so restart
                        self.handle_badframe(self._frame.raw_data)
		    self._frame = None
	    else:
		if c == APIFrame.START_BYTE:
		    self._frame = APIFrame(escaped=self._escaped)
                    self._frame.fill(c)
コード例 #25
0
ファイル: base.py プロジェクト: nioinnovation/python-xbee
    def _process_input(self, data, events):
        """
        _process_input:

        _process_input will be notified when there is data ready on the
        serial connection to be read.  It will read and process the data
        into an API Frame and then either resolve a frame future, or push
        the frame into the queue of frames needing to be processed
        """
        frame = APIFrame(escaped=self._escaped)

        byte = self.serial.read()

        if byte != APIFrame.START_BYTE:
            return

        # Save all following bytes, if they are not empty
        if len(byte) == 1:
            frame.fill(byte)

        while(frame.remaining_bytes() > 0):
            byte = self.serial.read()

            if len(byte) == 1:
                frame.fill(byte)

        try:
            # Try to parse and return result
            frame.parse()

            # Ignore empty frames
            if len(frame.data) == 0:
                return

            if self._frame_future is not None:
                self._frame_future.set_result(frame)
                self._frame_future = None
            else:
                self._frame_queue.append(frame)
        except ValueError:
            return
コード例 #26
0
ファイル: test_ieee.py プロジェクト: po-oya/python-xbee
    def test_read_rx_with_close_brace_escaped(self):
        """
        An escaped rx data frame including a close brace must be read properly.
        """
        device = Serial()
        device.set_read_data(
            APIFrame(b'\x81\x01\x02\x55\x00{test=1}', escaped=True).output())
        xbee = XBee(device, escaped=True)

        xbee._process_input(None, None)
        info = yield xbee.wait_read_frame()
        expected_info = {
            'id': 'rx',
            'source_addr': b'\x01\x02',
            'rssi': b'\x55',
            'options': b'\x00',
            'rf_data': b'{test=1}'
        }
        self.assertEqual(info, expected_info)
コード例 #27
0
    def test_single_byte(self):
        """
        read a frame containing a single byte
        """
        api_frame = APIFrame()

        frame = b'\x7E\x00\x01\x00\xFF'
        expected_data = b'\x00'

        for byte in frame:
            api_frame.fill(intToByte(byteToInt(byte)))
        api_frame.parse()

        self.assertEqual(api_frame.data, expected_data)
コード例 #28
0
ファイル: base.py プロジェクト: AhmedAnsariIIT/iitmabhiyanros
    def _wait_for_frame(self):
        """
        _wait_for_frame: None -> binary data
        
        _wait_for_frame will read from the serial port until a valid
        API frame arrives. It will then return the binary data
        contained within the frame.

        If this method is called as a separate thread
        and self.thread_continue is set to False, the thread will
        exit by raising a ThreadQuitException.
        """
        frame = APIFrame(escaped=self._escaped)
        mode = 0
        while True:
                if self._callback and not self._thread_continue:
                    raise ThreadQuitException
                
                while (  self.serial.inWaiting() <1):
                    time.sleep(0.01)
                byte = self.serial.read()
                if byte =='':
                    continue 

                if (mode ==0):
                    if byte == APIFrame.START_BYTE:
                        mode=1
                    else:
                        continue

                frame.fill(byte)
                
                if ( (mode==1) and (frame.remaining_bytes() <=0) ) :
                    try:
                        # Try to parse and return result
                        frame.parse()
                        mode =0
                        return frame
                    except ValueError:
                        # Bad frame, so restart
                        mode=0
                        frame = APIFrame(escaped=self._escaped)
コード例 #29
0
ファイル: test_ieee.py プロジェクト: po-oya/python-xbee
    def test_is_response_parsed_as_io(self):
        """
        I/O data in a AT response for an IS command is parsed.
        """
        # Build IO data
        # One sample, ADC 0 enabled
        # DIO 1,3,5,7 enabled
        header = b'\x01\x02\xAA'

        # First 7 bits ignored, DIO8 low, DIO 0-7 alternating
        # ADC0 value of 255
        sample = b'\x00\xAA\x00\xFF'
        data = header + sample

        device = Serial()
        device.set_read_data(APIFrame(data=b'\x88DIS\x00' + data).output())
        xbee = XBee(device)

        xbee._process_input(None, None)
        info = yield xbee.wait_read_frame()
        expected_info = {
            'id':
            'at_response',
            'frame_id':
            b'D',
            'command':
            b'IS',
            'status':
            b'\x00',
            'parameter': [{
                'dio-1': True,
                'dio-3': True,
                'dio-5': True,
                'dio-7': True,
                'adc-0': 255
            }]
        }
        self.assertEqual(info, expected_info)
コード例 #30
0
ファイル: base.py プロジェクト: ruthvik92/python-xbee
    def _wait_for_frame(self, timeout=None):
        """
        _wait_for_frame: None -> binary data
        
        _wait_for_frame will read from the serial port until a valid
        API frame arrives. It will then return the binary data
        contained within the frame.

        If this method is called as a separate thread
        and self.thread_continue is set to False, the thread will
        exit by raising a ThreadQuitException.
        """
        frame = APIFrame(escaped=self._escaped)

        deadline = 0
        if timeout is not None and timeout > 0:
            deadline = time.time() + timeout

        while True:
            if self._exit.is_set(): raise ThreadQuitException

            byte = self.serial.read()

            if byte != APIFrame.START_BYTE:
                if deadline and time.time() > deadline:
                    raise TimeoutException
                continue

            if timeout is not None and timeout > 0:
                deadline = time.time() + timeout

            frame.fill(byte)  # Save all following bytes

            while (frame.remaining_bytes() > 0):
                if self._exit.is_set(): raise ThreadQuitException

                if self.serial.inWaiting() < 1 and \
                        deadline and time.time() > deadline:
                    raise TimeoutException, len(frame.data)

                byte = self.serial.read(frame.remaining_bytes())
                for b in byte:
                    frame.fill(b)

            try:
                # Try to parse and return result
                frame.parse()
                return frame
            except ValueError:
                # Bad frame, so restart
                frame = APIFrame(escaped=self._escaped)
コード例 #31
0
    def test_remaining_bytes(self):
        """
        remaining_bytes() should provide accurate indication
        of remaining bytes required before parsing a packet
        """
        api_frame = APIFrame()

        frame = b'\x7E\x00\x04\x00\x00\x00\x00\xFF'
        self.assertEqual(api_frame.remaining_bytes(), 3)
        api_frame.fill(frame[0])
        self.assertEqual(api_frame.remaining_bytes(), 2)
        api_frame.fill(frame[1])
        self.assertEqual(api_frame.remaining_bytes(), 1)
        api_frame.fill(frame[2])
        self.assertEqual(api_frame.remaining_bytes(), 5)
        api_frame.fill(frame[3])
        self.assertEqual(api_frame.remaining_bytes(), 4)
コード例 #32
0
ser = serial.Serial(PORT, BAUD_RATE)

# Create API object
xbee = XBee(ser, escaped=True)

# DEST_ADDR_LONG = "\x00\x13\xA2\x00\x40\x8B\x35\xAE"

# data = "7E 00 7D 33 10 01 00 00 00 00 00 00 00 00 FF FE 00 00 61 61 61 61 61 0C"
HADER = '\x10\x01\x00\x00\x00\x00\x00\x00\x00\x00\xFF\xFE\x00\x00'
data = '\x10\x01\x00\x00\x00\x00\x00\x00\x00\x00\xFF\xFE\x00\x00\x61\x61\x61\x61\x61\x61\x61'


if __name__ == "__main__":
    while True:
        try:
            frame = APIFrame(data, True)
            send_data = ''.join(['%x' % ord(s) for s in frame.output()])
            s2 = binascii.b2a_hex(frame.output())
            print s2

            ser.write(frame.output())
            # print frame
    #        print "send data"
            # xbee.tx_long_addr(frame='10', dest_addr=DEST_ADDR_LONG, data='A')
            # print xbee.api_commands.frame
    #        xbee.Send(bytearray.fromhex("7E 00 14 10 01 00 00 00 00 00 00 00 00 FF FE 00 00 61 61 61 61 61 61 AB"))
    #        ser.write("\x7E\x00\x14\x10\x01\x00\x00\x00\x00\x00\x00\x00\x00\xFF\xFE\x00\x00\x61\x61\x61\x61\x61\x61\xAB")

            # ch = checksum(data)
            # print '%x ' % ord(ch)
コード例 #33
0
	def __init__(self, escaped=True):
		self._escaped = escaped
		self.frame = APIFrame(escaped=self._escaped)
		
		self.setRawMode()
コード例 #34
0
# Open serial port
ser = serial.Serial(PORT, BAUD_RATE)

# Create API object
xbee = XBee(ser, escaped=True)

# DEST_ADDR_LONG = "\x00\x13\xA2\x00\x40\x8B\x35\xAE"

# data = "7E 00 7D 33 10 01 00 00 00 00 00 00 00 00 FF FE 00 00 61 61 61 61 61 0C"
HADER = '\x10\x01\x00\x00\x00\x00\x00\x00\x00\x00\xFF\xFE\x00\x00'
data = '\x10\x01\x00\x00\x00\x00\x00\x00\x00\x00\xFF\xFE\x00\x00\x61\x61\x61\x61\x61\x61\x61'

if __name__ == "__main__":
    while True:
        try:
            frame = APIFrame(data, True)
            send_data = ''.join(['%x' % ord(s) for s in frame.output()])
            s2 = binascii.b2a_hex(frame.output())
            print s2

            ser.write(frame.output())
            # print frame
            #        print "send data"
            # xbee.tx_long_addr(frame='10', dest_addr=DEST_ADDR_LONG, data='A')
            # print xbee.api_commands.frame
            #        xbee.Send(bytearray.fromhex("7E 00 14 10 01 00 00 00 00 00 00 00 00 FF FE 00 00 61 61 61 61 61 61 AB"))
            #        ser.write("\x7E\x00\x14\x10\x01\x00\x00\x00\x00\x00\x00\x00\x00\xFF\xFE\x00\x00\x61\x61\x61\x61\x61\x61\xAB")

            # ch = checksum(data)
            # print '%x ' % ord(ch)
コード例 #35
0
ファイル: test_frame.py プロジェクト: ymichael/xbns
    def test_remaining_bytes(self):
        """
        remaining_bytes() should provide accurate indication
        of remaining bytes required before parsing a packet
        """
        api_frame = APIFrame()

        frame = b'\x7E\x00\x04\x00\x00\x00\x00\xFF'
        self.assertEqual(api_frame.remaining_bytes(), 3)
        api_frame.fill(frame[0])
        self.assertEqual(api_frame.remaining_bytes(), 2)
        api_frame.fill(frame[1])
        self.assertEqual(api_frame.remaining_bytes(), 1)
        api_frame.fill(frame[2])
        self.assertEqual(api_frame.remaining_bytes(), 5)
        api_frame.fill(frame[3])
        self.assertEqual(api_frame.remaining_bytes(), 4)
コード例 #36
0
ファイル: base.py プロジェクト: yxw027/iot-shm
    def _wait_for_frame(self):
        """
        _wait_for_frame: None -> binary data
        
        _wait_for_frame will read from the serial port until a valid
        API frame arrives. It will then return the binary data
        contained within the frame.

        If this method is called as a separate thread
        and self.thread_continue is set to False, the thread will
        exit by raising a ThreadQuitException.
        """
        frame = APIFrame(escaped=self._escaped)

        while True:
            if self._callback and not self._thread_continue:
                raise ThreadQuitException

            if self.serial.inWaiting() == 0:
                time.sleep(.01)
                continue

            byte = self.serial.read()
            #print(byte)
            if byte != APIFrame.START_BYTE:
                continue

            # Save all following bytes, if they are not empty
            if len(byte) == 1:
                frame.fill(byte)

            while (frame.remaining_bytes() > 0):
                byte = self.serial.read()
                #print(byte)
                if len(byte) == 1:
                    frame.fill(byte)
                #print("".join("%02x " % b for b in frame.raw_data))

            try:
                # Try to parse and return result
                frame.parse()

                # Ignore empty frames
                if len(frame.data) == 0:
                    frame = APIFrame()
                    continue
                #print(frame.data)
                return frame
            except ValueError:
                # Bad frame, so restart
                frame = APIFrame(escaped=self._escaped)
コード例 #37
0
	def _write(self, data):
		frame = APIFrame(data, self._escaped).output()
		self.transport.write(frame)
コード例 #38
0
            # 480以上の送信は止まるので一旦クローズ
            if send_count % 470 == 0:
                ser.close()
                ser = serial.Serial(PORT, BAUD_RATE)
                # print "stop"
                # send_count = 0

            # データを250byteのみ読み込む
            data = f.read(250)

            # ヘッダーをデータの頭に追加
            data = "".join([HADER, data])

            # xbeeのaipフレームに合わせる
            frame = APIFrame(data, True)
            send_data = ''.join(['%x' % ord(s) for s in frame.output()])

            # 終了かどうか
            if frame.output() == END_POINT:
                finish_count += 1

                print "end point%d" % send_count
                f.close()
                f = open(FILENAME, "rb")
                if finish_count is 5:
                    print "finish"
                    break

            # データを転送
            ser.write(frame.output())
コード例 #39
0
 def __init__(self, escaped=True):
    self._escaped = escaped
    self.frame = APIFrame(escaped=self._escaped)
              
    self.setRawMode()