当前位置: 首页>>代码示例>>Python>>正文


Python DataPushSocket.stop方法代码示例

本文整理汇总了Python中PyExpLabSys.common.sockets.DataPushSocket.stop方法的典型用法代码示例。如果您正苦于以下问题:Python DataPushSocket.stop方法的具体用法?Python DataPushSocket.stop怎么用?Python DataPushSocket.stop使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在PyExpLabSys.common.sockets.DataPushSocket的用法示例。


在下文中一共展示了DataPushSocket.stop方法的9个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Python代码示例。

示例1: test_init_enqueue

# 需要导入模块: from PyExpLabSys.common.sockets import DataPushSocket [as 别名]
# 或者: from PyExpLabSys.common.sockets.DataPushSocket import stop [as 别名]
 def test_init_enqueue(self):
     """Test initialization with when action is enqueue"""
     dps = DataPushSocket(NAME, action='enqueue')
     dps.start()
     self.init_common_tests(dps, 'enqueue')
     assert(isinstance(dps.queue, Queue.Queue))
     assert(DATA[PORT]['queue'] is dps.queue)
     dps.stop()
开发者ID:JNRiedel,项目名称:PyExpLabSys,代码行数:10,代码来源:test_data_push_socket.py

示例2: test_init_callback_direct_default

# 需要导入模块: from PyExpLabSys.common.sockets import DataPushSocket [as 别名]
# 或者: from PyExpLabSys.common.sockets.DataPushSocket import stop [as 别名]
 def test_init_callback_direct_default(self):
     """Test initialization when action is callback_direct"""
     # Test init of callback
     dps = DataPushSocket(NAME, action='callback_direct', callback=dir)
     dps.start()
     self.init_common_tests(dps, 'callback_direct')
     assert(DATA[PORT]['callback'] is dir)
     assert(DATA[PORT]['return_format'] == 'json')
     dps.stop()
开发者ID:JNRiedel,项目名称:PyExpLabSys,代码行数:11,代码来源:test_data_push_socket.py

示例3: test_init_custom_queue

# 需要导入模块: from PyExpLabSys.common.sockets import DataPushSocket [as 别名]
# 或者: from PyExpLabSys.common.sockets.DataPushSocket import stop [as 别名]
 def test_init_custom_queue(self):
     """Test initialization when action is enqueue and use custom queue"""
     queue = Queue.Queue()
     dps = DataPushSocket(NAME, action='enqueue', queue=queue)
     dps.start()
     self.init_common_tests(dps, 'enqueue')
     assert(dps.queue is queue)
     assert(DATA[PORT]['queue'] is queue)
     dps.stop()
开发者ID:JNRiedel,项目名称:PyExpLabSys,代码行数:11,代码来源:test_data_push_socket.py

示例4: test_init_callback_direct_raw

# 需要导入模块: from PyExpLabSys.common.sockets import DataPushSocket [as 别名]
# 或者: from PyExpLabSys.common.sockets.DataPushSocket import stop [as 别名]
 def test_init_callback_direct_raw(self):
     """Test initialization when action is callback_direct"""
     # Test init of callback
     dps_ = DataPushSocket(NAME, action='callback_direct', callback=dir,
                          return_format='raw')
     dps_.start()
     self.init_common_tests(dps_, 'callback_direct')
     assert DATA[PORT]['callback'] is dir
     assert DATA[PORT]['return_format'] == 'raw'
     dps_.stop()
开发者ID:neilanderson,项目名称:PyExpLabSys,代码行数:12,代码来源:test_data_push_socket.py

示例5: dps

# 需要导入模块: from PyExpLabSys.common.sockets import DataPushSocket [as 别名]
# 或者: from PyExpLabSys.common.sockets.DataPushSocket import stop [as 别名]
def dps(request):
    """DataPushSocket fixture, if requested in a class that has dps_kwargs
    class variable, use those in init
    """
    if hasattr(request, 'cls') and hasattr(request.cls, 'dps_kwargs'):
        dps = DataPushSocket(NAME, **request.cls.dps_kwargs)
    else:
        dps = DataPushSocket(NAME)
    dps.start()
    yield dps
    dps.stop()
开发者ID:JNRiedel,项目名称:PyExpLabSys,代码行数:13,代码来源:test_data_push_socket.py

示例6: test_init_callback_async

# 需要导入模块: from PyExpLabSys.common.sockets import DataPushSocket [as 别名]
# 或者: from PyExpLabSys.common.sockets.DataPushSocket import stop [as 别名]
 def test_init_callback_async(self):
     """Test initialization when action is callback_async"""
     # Test init of callback
     dps = DataPushSocket(NAME, action='callback_async', callback=dir)
     dps.start()
     self.init_common_tests(dps, 'callback_async')
     assert(isinstance(dps.queue, Queue.Queue))
     assert(DATA[PORT]['queue'] is dps.queue)  
     assert(isinstance(dps._callback_thread, CallBackThread))
     assert(dps._callback_thread.callback is dir)
     dps.stop()
开发者ID:JNRiedel,项目名称:PyExpLabSys,代码行数:13,代码来源:test_data_push_socket.py

示例7: class_dps

# 需要导入模块: from PyExpLabSys.common.sockets import DataPushSocket [as 别名]
# 或者: from PyExpLabSys.common.sockets.DataPushSocket import stop [as 别名]
def class_dps(request):
    """DataPushSocket fixture

    If requested in a class that has dps_kwargs class variable, use those in init

    .. note:: This fixture lasts for the duration of a test class. It has been setup like this
       because the sockets take a long time to shut down. So in order to save time on the test
       run, we only initiate the socket once per class, but reset it in the dps fixture. It is
       the dps fixture that should be used.

    """
    if hasattr(request, 'cls') and hasattr(request.cls, 'dps_kwargs'):
        dps_ = DataPushSocket(NAME, **request.cls.dps_kwargs)
    else:
        dps_ = DataPushSocket(NAME)
    dps_.start()
    yield dps_
    dps_.stop()
开发者ID:CINF,项目名称:PyExpLabSys,代码行数:20,代码来源:test_sockets_push.py

示例8: LaserControl

# 需要导入模块: from PyExpLabSys.common.sockets import DataPushSocket [as 别名]
# 或者: from PyExpLabSys.common.sockets.DataPushSocket import stop [as 别名]
class LaserControl(object):
    """Class that controls the giant laser laser on the moon"""

    def __init__(self):
        self.settings = {'power': 100, 'focus': 100, 'target': None}
        self._state = 'idle'
        self._stop = False
        self._temperature_meas = Queue.Queue()
        
        name = 'Laser control, callback socket, for giant laser on the moon'
        self.dps = DataPushSocket(name, action='callback_direct',
                                  callback=self.callback,
                                  return_format='json')
        self.dps.start()

    def callback(self, data):
        """Callback and central control function"""
        method_name = data.pop('method')  # Don't pass the method name on
        method = self.__getattribute__(method_name)
        return method(**data)

    def update_settings(self, **kwargs):
        """Update settings"""
        for key in kwargs.keys():
            if key not in self.settings.keys():
                message = 'Not settings for key: {}'.format(key)
                raise ValueError(message)
        self.settings.update(kwargs)
        print 'Updated settings with: {}'.format(kwargs)
        return 'Updated settings with: {}'.format(kwargs)

    def state(self, state):
        """Set state"""
        self._state = state
        print 'State set to: {}'.format(state)
        return 'State set to: {}'.format(state)

    def run(self):
        """Monitor state and run temperature monitorint"""
        print 'Run started'
        while not self._stop:
            if self._state == 'active':
                self.monitor_temperature()
            time.sleep(1)
        self.dps.stop()
        print 'Run ended'

    def stop(self):
        """Stop the laser controller"""
        self._state = 'idle'
        self._stop = True
        print 'Stopped'
        return 'Stopped'

    def monitor_temperature(self):
        """Monitor the temperature"""
        while self._state == 'active':
            item = [time.strftime('%Y-%m-%d %X'), random.randint(30, 300)]
            self._temperature_meas.put(item)
            print 'At {} temperature is {}'.format(*item)
            time.sleep(1)

    def get_temperature(self):
        """Get the temperature measurements available"""
        out= []
        for _ in range(self._temperature_meas.qsize()):
            out.append(self._temperature_meas.get())
        return out
开发者ID:CINF,项目名称:PyExpLabSys,代码行数:70,代码来源:laser_control_server.py

示例9: I2CComm

# 需要导入模块: from PyExpLabSys.common.sockets import DataPushSocket [as 别名]
# 或者: from PyExpLabSys.common.sockets.DataPushSocket import stop [as 别名]
class I2CComm(object):
    """Handle I2C communication with DAC and ADC"""

    def __init__(self):
        self.measurements = {}
        self.mcp3428 = MCP3428()
        #self.ad5667 = AD5667()
        self.dps = DataPushSocket(
            'large_CO2_mea_push_socket',
            action='callback_direct',
            callback=self.communicate,
            return_format='json',
        )

        # These two queues form a pair, that is used to interrupt the
        # continuous measurement of the values from the ADC to allow
        # setting the DAC and return copy the values from the ADC
        self.comm_flag = Queue()
        self.comm_return = Queue()

        self.dps.start()

    def measure(self):
        """Main measure loop (busy)"""
        last_print = 0
        while True:
            for channel in range(1, 5):
                self.measurements[channel] = self.mcp3428.read_sample(channel)

            now = time()
            if (now - last_print) > 10:
                print(now, "Measured:", self.measurements)
                last_print = now

            try:
                values_to_set = self.comm_flag.get(block=False)
            except Empty:
                continue

            # If we escaped the comm_flag test, we should set and enqueue current values
            if "no_voltages_to_set" not in values_to_set:
                print("Asked to set DAC values", values_to_set)
                sleep(0.01)
                #self.ad5667.set_channel_A(values_to_set['A'])
                #self.ad5667.set_channel_B(values_to_set['B'])
                sleep(0.01)
            self.comm_return.put(dict(self.measurements))

    def run(self):
        """Run method used to allow keyboard interrupts"""
        try:
            self.measure()
        except KeyboardInterrupt:
            self.dps.stop()

    def communicate(self, data):
        """Send the received values to be written on the DAC and return values
        from the ADC

        """
        print("Received comm request")
        # Make sure there are no results hanging in the result queue
        while True:
            try:
                self.comm_return.get(block=False)
            except Empty:
                break

        print("Set comm flag")
        self.comm_flag.put(data)

        # Wait until we get values back
        result = self.comm_return.get()
        print("Got result, return")
        return result
开发者ID:CINF,项目名称:PyExpLabSys,代码行数:77,代码来源:monitor.py


注:本文中的PyExpLabSys.common.sockets.DataPushSocket.stop方法示例由纯净天空整理自Github/MSDocs等开源代码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。