本文整理汇总了Python中twisted.internet.reactor.suggestThreadPoolSize函数的典型用法代码示例。如果您正苦于以下问题:Python suggestThreadPoolSize函数的具体用法?Python suggestThreadPoolSize怎么用?Python suggestThreadPoolSize使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。
在下文中一共展示了suggestThreadPoolSize函数的20个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的Python代码示例。
示例1: start_search_tasks
def start_search_tasks():
"""
Before everything, kill if there is any running search tasks. Then start the search tasks
concurrently.
"""
global SEARCH_TASKS
logging.info("(Re)populated config collections from config file. "
"Cancelling previous loops and restarting them again with the new config.")
for looping_task in SEARCH_TASKS:
logging.info("Cancelling this loop: %r", looping_task)
looping_task.stop()
SEARCH_TASKS = []
searches = CONFIG['Searches'].values()
search_count = len(searches)
logging.info("Search count: %d", search_count)
reactor.suggestThreadPoolSize(search_count)
try:
for search in searches:
search_obj = Search(SERVICE_CLASS_MAPPER.get(search['destination']['service']), search,
CONFIG)
do_search_concurrently(search_obj)
except Exception as exception:
logging.exception("Exception occurred while processing search. %s", exception.message)
开发者ID:rapid7,项目名称:leexportpy,代码行数:26,代码来源:leexport.py
示例2: startup
def startup():
if not os.path.exists('data/firmware'):
os.makedirs('data/firmware')
if not os.path.exists('data/static'):
os.makedirs('data/static')
if not os.path.exists('data/cert'):
os.makedirs('data/cert')
# Check the certificate file
host = getHost()
validateCertHost('data/cert/key.pem', 'data/cert/cert.pem', 'data/static/thumb.txt', host)
# Start up the HTTPS server
web_port = 443
root_handler = File('./data/static/')
firmware_handler = FirmwareHandler('data/firmware/')
root_handler.putChild('firmware', firmware_handler)
site = Site(root_handler)
site.protocol = MyHttpChannel
reactor.listenTCP(web_port, site)
# Start up the HTTP server
root_handler_http = File("./data/static/")
config_handler = File("./config.html")
root_handler_http.putChild('config.html', config_handler)
site_http = Site(root_handler_http)
reactor.listenTCP(8080, site_http)
reactor.suggestThreadPoolSize(50)
printStatus("Startup complete, running main loop...")
# Run the main loop, this never returns:
reactor.run()
开发者ID:jldeon,项目名称:OakSoftAP,代码行数:33,代码来源:oakupsrv.py
示例3: handle
def handle(self, *args, **options):
try:
dtx_logger_configure(**options)
node_name = options.get('node_name')
node_opts = options.get('node_opts')
thread_pool_size = options.get('thread_pool_size')
if (thread_pool_size):
reactor.suggestThreadPoolSize(thread_pool_size)
log.msg(u'Loading {}'.format(node_name))
node = import_module(node_name)
opts = dict(chain.from_iterable(d.iteritems() for d in [QueryDict(v).dict() for v in node_opts]))
log.msg(u'Starting {} with args {}, kwargs {}'.format(node_name, args, opts))
node.start(*args, **opts)
log.msg(u'Running {}'.format(node_name))
reactor.run()
# TODO: Implement proper shutdown process
for pid, process in started_process_list.items():
log.msg('Stalled subprocess: {}'.format(pid))
process.transport.signalProcess('KILL')
log.msg(u'Finished')
except Exception, exc:
log.err(traceback.format_exc())
raise
开发者ID:TigerND,项目名称:dtx-core,代码行数:29,代码来源:twistd.py
示例4: main
def main():
#init logger
logger = logging.getLogger('psp')
hdlr = logging.FileHandler('psp.log')
strm_out = logging.StreamHandler(sys.__stdout__)
formatter = logging.Formatter('%(asctime)s %(levelname)s %(message)s')
hdlr.setFormatter(formatter)
strm_out.setFormatter(formatter)
logger.addHandler(hdlr)
logger.addHandler(strm_out)
logger.setLevel(logging.INFO)
mdns_client = mdns.Mdns_client('laptop', 'haris.sp', 8080, logger)
#init web server
site = server.Site(signpost_server.Singpost_server(logger))
# run method in thread
reactor.suggestThreadPoolSize(30)
factory = Factory()
reactor.listenSSL(8080, site, HTTPSVerifyingContextFactory()) #myContextFactory)
mdns_client.setup_mdns()
#service discovery module
discovery = server_discovery.Server_discovery(logger)
discovery.service_update() #initial discovery to fetch entries
gobject.timeout_add(30000, discovery.service_update)
# run the loop
gobject.threads_init()
gobject.MainLoop().run()
开发者ID:amirmc,项目名称:signpost,代码行数:31,代码来源:psp.py
示例5: makeService
def makeService(self, options):
if options['data-dir'] != None:
if not os.access(options['data-dir'], os.X_OK | os.W_OK):
raise core.SmapException("Cannot access " + options['data-dir'])
smapconf.SERVER['DataDir'] = options['data-dir']
inst = loader.load(options['conf'])
# override defaults with command-line args
smapconf.SERVER.update(dict([(k.lower(), v) for (k, v) in
options.iteritems() if v != None]))
if 'SuggestThreadPool' in smapconf.SERVER:
reactor.suggestThreadPoolSize(int(smapconf.SERVER['SuggestThreadPool']))
inst.start()
reactor.addSystemEventTrigger('before', 'shutdown', inst.stop)
site = getSite(inst, docroot=smapconf.SERVER['docroot'])
service = MultiService()
# add HTTP and HTTPS servers to the twisted multiservice
if 'port' in smapconf.SERVER:
service.addService(internet.TCPServer(int(smapconf.SERVER['port']), site))
if 'sslport' in smapconf.SERVER:
service.addService(internet.SSLServer(int(smapconf.SERVER['sslport']),
site,
SslServerContextFactory(smapconf.SERVER)))
return service
开发者ID:Alwnikrotikz,项目名称:smap-data,代码行数:28,代码来源:smap_plugin.py
示例6: setUp
def setUp(self):
reactor.suggestThreadPoolSize(1)
connection_string = os.environ.get("SHORTENER_TEST_CONNECTION_STRING", "sqlite://")
self.account = "test-account"
cfg = {
"host_domain": "http://wtxt.io",
"account": self.account,
"connection_string": connection_string,
"graphite_endpoint": "tcp:www.example.com:80",
"handlers": [{"dump": "shortener.handlers.dump.Dump"}],
}
self.pool = HTTPConnectionPool(reactor, persistent=False)
self.service = ShortenerServiceApp(reactor=reactor, config=cfg)
self.tr = DisconnectingStringTransport()
endpoint = StringTransportClientEndpoint(reactor, self.tr)
self.service.metrics.carbon_client = CarbonClientService(endpoint)
self.service.metrics.carbon_client.startService()
yield self.service.metrics.carbon_client.connect_d
site = Site(self.service.app.resource())
self.listener = reactor.listenTCP(0, site, interface="localhost")
self.listener_port = self.listener.getHost().port
self._drop_tables()
self.conn = yield self.service.engine.connect()
self.addCleanup(self.listener.loseConnection)
self.addCleanup(self.pool.closeCachedConnections)
开发者ID:praekelt,项目名称:url-shortening-service,代码行数:28,代码来源:test_handlers.py
示例7: makeService
def makeService(options):
"""
Main entry point into Crossbar.io application. This is called from the Twisted
plugin system to instantiate "crossbar".
"""
## install our log observer before anything else is done
logger = Logger()
twisted.python.log.addObserver(logger)
## import reactor here first and set some thread pool size
from twisted.internet import reactor
reactor.suggestThreadPoolSize(30)
## now actually create our top service and set the logger
service = CrossbarService()
service.logger = logger
## store user options set
service.appdata = options['appdata']
service.webdata = options['webdata']
service.debug = True if options['debug'] else False
service.licenseserver = options['licenseserver']
service.isExe = False # will be set to true iff Crossbar is running from self-contained EXE
return service
开发者ID:jamjr,项目名称:crossbar,代码行数:26,代码来源:main.py
示例8: test_make_worker_with_threadpool_size
def test_make_worker_with_threadpool_size(self):
"""
The reactor threadpool can be resized with a command line option.
"""
from twisted.internet import reactor
old_maxthreads = reactor.getThreadPool().max
self.add_cleanup(reactor.suggestThreadPoolSize, old_maxthreads)
# Explicitly set the threadpool size to something different from the
# value we're testing with.
reactor.suggestThreadPoolSize(5)
self.mk_config_file('worker', ["transport_name: sphex"])
maker = VumiWorkerServiceMaker()
# By default, we don't touch the threadpool.
options = StartWorkerOptions()
options.parseOptions([
'--worker-class', 'vumi.demos.words.EchoWorker',
'--config', self.config_file['worker'],
])
worker = maker.makeService(options)
self.assertEqual({'transport_name': 'sphex'}, worker.config)
self.assertEqual(reactor.getThreadPool().max, 5)
# If asked, we set the threadpool's maximum size.
options_mt = StartWorkerOptions()
options_mt.parseOptions([
'--worker-class', 'vumi.demos.words.EchoWorker',
'--config', self.config_file['worker'],
'--maxthreads', '2',
])
worker = maker.makeService(options_mt)
self.assertEqual({'transport_name': 'sphex'}, worker.config)
self.assertEqual(reactor.getThreadPool().max, 2)
开发者ID:AndrewCvekl,项目名称:vumi,代码行数:35,代码来源:test_servicemaker.py
示例9: _init
def _init(config, mode='normal'):
from almar.global_config import GlobalConfig, MODE_PROXY, MODE_WORKER
g = GlobalConfig.create_instance(config)
# configure web service
from almar.service import worker_root, proxy_root
from twisted.web import server
if mode == 'proxy':
g.server_mode = MODE_PROXY
if not g.proxy or not g.searcher:
fatal_out('proxy configuration is invalid')
# configure reactor
reactor.suggestThreadPoolSize(int(g.proxy.max_threads))
return int(g.proxy.port), server.Site(proxy_root)
else:
if not g.server or not g.model or not g.database:
fatal_out('server configuration is invalid')
# configure reactor
reactor.suggestThreadPoolSize(int(g.server.max_threads))
g.server_mode = MODE_WORKER
# configure database
from txpostgres import txpostgres
txpostgres.ConnectionPool.min = int(g.database.min_connections)
txpostgres.ConnectionPool.max = int(g.database.max_connections)
from almar.backend.postgresql import PostgreSQLBackend as Backend
Backend.create_instance(g.database)
return int(g.server.port), server.Site(worker_root)
开发者ID:jianingy,项目名称:almar,代码行数:31,代码来源:__init__.py
示例10: makeService
def makeService(self, options):
"""
Construct a TCPServer from a factory defined in myproject.
"""
from minitree import configure
c = configure(options["config"])
from twisted.internet import reactor
reactor.suggestThreadPoolSize(int(c.get("server:main", "max_threads")))
from txpostgres import txpostgres
txpostgres.ConnectionPool.min = int(c.get("backend:main",
"max_connections"))
from minitree.db.postgres import dbBackend
dbBackend.connect(c.get("backend:main", "dsn"))
from minitree.service import site_configure
site_root = site_configure(c)
from twisted.web import server
site = server.Site(site_root)
if "socket" in options and options["socket"]:
return internet.UNIXServer(options["socket"], site)
else:
return internet.TCPServer(int(options["port"] or
c.get("server:main", "port")), site)
开发者ID:jianingy,项目名称:minitree,代码行数:26,代码来源:minitree_plugin.py
示例11: do_cleanThreads
def do_cleanThreads(cls):
from twisted.internet import reactor
if interfaces.IReactorThreads.providedBy(reactor):
reactor.suggestThreadPoolSize(0)
if hasattr(reactor, 'threadpool') and reactor.threadpool:
reactor.threadpool.stop()
reactor.threadpool = None
开发者ID:pwarren,项目名称:AGDeviceControl,代码行数:7,代码来源:util.py
示例12: suggestThreadpoolSize
def suggestThreadpoolSize(maxThreads):
"""Updates the size of the twisted threadpool
The function must be passed a parameter specifying the maximum number of
generation threads the user has requested.
"""
reactor.suggestThreadPoolSize(int(maxThreads*1.5))
开发者ID:libzz,项目名称:amiral,代码行数:7,代码来源:ccsd_server.py
示例13: run_server
def run_server():
# Set logging
stream = None
if logfile:
logging.basicConfig(filename=logfile, level=logging.DEBUG)
elif not daemonized:
logging.basicConfig(filename="/dev/stdout", level=logging.DEBUG)
else:
# If no logging file was given, and we're daemonized, create a temp
# logfile for monitoring.
stream = NamedTemporaryFile(delete=True, suffix=socket2.replace("/", "-"))
logging.basicConfig(stream=stream, level=logging.DEBUG)
logging.info("Socket server started at %s" % socket2)
# Thread sensitive interface for stdout/stdin
std.setup()
# Set thread pool size (max parrallel interactive processes.)
if thread_pool_size:
reactor.suggestThreadPoolSize(thread_pool_size)
# Set process name
set_title(stream.name if stream else logfile)
# Run Twisted reactor
reactor.run()
# Remove logging file (this will automatically delete the NamedTemporaryFile)
if stream:
stream.close()
开发者ID:JeffreyVdb,项目名称:python-deployer,代码行数:31,代码来源:socket_server.py
示例14: startNZBLeecher
def startNZBLeecher():
""" gogogo """
defaultAntiIdle = int(4.5 * 60) # 4.5 minutes
defaultIdleTimeout = 30
totalCount = 0
# Order the initialization of servers by the fillserver priority, if fillserver
# support is enabled
serverDictsByPriority = Hellanzb.SERVERS.items()
if isinstance(Hellanzb.queue, FillServerQueue):
serverDictsByPriority.sort(lambda x, y: cmp(x[1].get('fillserver'),
y[1].get('fillserver')))
for serverId, serverDict in serverDictsByPriority:
if not serverDict.get('enabled') is False:
totalCount += connectServer(serverId, serverDict, defaultAntiIdle, defaultIdleTimeout)
# How large the scroll ticker should be
Hellanzb.scroller.maxCount = totalCount
# Initialize the retry queue, (this only initializes it when it's necessary) for
# automatic failover. It contains multiple sub-queues that work within the NZBQueue,
# for queueing segments that failed to download on particular serverPools.
Hellanzb.queue.initRetryQueue()
# Allocate only one thread, just for decoding
reactor.suggestThreadPoolSize(1)
# Well, there's egg and bacon; egg sausage and bacon; egg and spam; egg bacon and
# spam; egg bacon sausage and spam; spam bacon sausage and spam; spam egg spam spam
# bacon and spam; spam sausage spam spam bacon spam tomato and spam;
reactor.run()
# Spam! Spam! Spam! Spam! Lovely spam! Spam! Spam!
# Safely tear down the app only after the reactor shutdown
finishShutdown()
开发者ID:myusuf3,项目名称:hellanzb,代码行数:35,代码来源:__init__.py
示例15: main
def main():
args, parser = _parse_args(sys.argv[1:])
end = EndpointHandler
# Add the log attribute
setattr(end, 'log', log)
setattr(args, 'log', log)
annoy = Annoy(args)
log.startLogging(sys.stdout)
# Add the storage
end.ap_settings = args
site = cyclone.web.Application([
(r"/(.*)", end),
],
default_host=args.host,
debug=args.debug,
)
log.msg("Starting on %s" % args.port)
reactor.listenTCP(args.port, site)
reactor.suggestThreadPoolSize(50)
reactor.callLater(args.period, annoy.bother)
reactor.run()
开发者ID:jrconlin,项目名称:CatFacts,代码行数:25,代码来源:main.py
示例16: __init__
def __init__(self, config):
router_cfg = config['router']
for key in ('socket', 'host', 'port'):
if key not in router_cfg:
router_cfg[key] = None
router_jid = '%s.%s' % (router_cfg['jid'], config['host'])
xmlstream2.SocketComponent.__init__(self, router_cfg['socket'], router_cfg['host'], router_cfg['port'], router_jid, router_cfg['secret'])
self.config = config
# this is for queueing keyring thread requests
reactor.suggestThreadPoolSize(1)
self.logTraffic = config['debug']
self.network = config['network']
self.servername = config['host']
self.start_time = time.time()
storage.init(config['database'])
self.keyring = keyring.Keyring(storage.MySQLNetworkStorage(), config['fingerprint'], self.network, self.servername, True)
self.presencedb = storage.MySQLPresenceStorage()
self.subscriptions = {}
self.whitelists = {}
self.blacklists = {}
# protocol handlers here!!
for handler in self.protocolHandlers:
inst = handler()
if handler == JIDCache:
self.cache = inst
inst.setHandlerParent(self)
开发者ID:carriercomm,项目名称:xmppserver,代码行数:32,代码来源:resolver.py
示例17: start_console
def start_console(cmdmapping,port=5432,threadcount=10):
"""start at console"""
log.startLogging(sys.stdout)
reactor.listenTCP(port,PGFactory(cmdmapping))
reactor.suggestThreadPoolSize(threadcount)
reactor.run()
return
开发者ID:gashero,项目名称:magicrpc,代码行数:7,代码来源:pgpro.py
示例18: main
def main():
log_file = logfile.LogFile.fromFullPath('log/serverlog.log')
log.addObserver(log.FileLogObserver(log_file).emit)
print("===== PSO2Proxy vGIT %s =====" % config.proxy_ver)
time_string = time.strftime("%a, %d %b %Y %H:%M:%S +0000", time.gmtime())
print("[ServerStart] Trying to start server at %s" % time_string)
if myIp == "0.0.0.0":
print("==== ERROR 001 ====")
print("You have NOT configured the IP address for PSO2Proxy!")
print(
"Please edit cfg/pso2proxy.config.yml and change myIpAddr to your IP public IP address "
"(Not LAN address if you're on a LAN!) ")
print("After you fix this, please restart PSO2Proxy.")
sys.exit(0)
if bindIp == "0.0.0.0":
interface_ip = myIp
else:
interface_ip = bindIp
if not os.path.isfile("keys/myKey.pem"):
print("==== ERROR 002 ====")
print("You do NOT have your local RSA private key installed to 'keys/myKey.pem'!")
print("Please see README.md's section on RSA keys for more information.")
print("After you fix this, please restart PSO2Proxy.")
sys.exit(0)
if not os.path.isfile("keys/SEGAKey.pem"):
print("==== ERROR 003 ====")
print("You do NOT have a SEGA RSA public key installed to 'keys/SEGAKey.pem'!")
print("Please see README.md's section on RSA keys for more information.")
print("After you fix this, please restart PSO2Proxy.")
sys.exit(0)
for shipNum in range(0, 10): # PSO2 Checks all ships round robin, so sadly for max compatibility we have to open these no matter what ships are enabled...
ship_endpoint = endpoints.TCP4ServerEndpoint(reactor, 12099 + (100 * shipNum), interface=interface_ip)
ship_endpoint.listen(ShipAdvertiserFactory())
for shipNum in config.globalConfig.get_key('enabledShips'):
query_endpoint = endpoints.TCP4ServerEndpoint(reactor, 12000 + (100 * shipNum), interface=interface_ip)
query_endpoint.listen(BlockScraperFactory())
print("[ShipProxy] Bound port %i for ship %i query server!" % ((12000 + (100 * shipNum)), shipNum))
query_endpoint = endpoints.TCP4ServerEndpoint(reactor, 13000, interface=interface_ip)
query_endpoint.listen(BlockScraperFactory())
stdio.StandardIO(ServerConsole())
print("[ShipProxy] Loading plugins...")
import glob
for plug in glob.glob("plugins/*.py"):
plug = plug[:-3]
plug = plug.replace(os.sep, '.')
print("[ShipProxy] Importing %s..." % plug)
__import__(plug)
for f in plugin_manager.onStart:
f()
reactor.suggestThreadPoolSize(30)
reactor.run()
data.clients.dbManager.close_db()
for f in plugin_manager.onStop:
f()
开发者ID:hitman66,项目名称:PSO2Proxy,代码行数:59,代码来源:PSO2Proxy.py
示例19: setUp
def setUp(self):
reactor.suggestThreadPoolSize(1)
connection_string = os.environ.get(
"SHORTENER_TEST_CONNECTION_STRING", "sqlite://")
self.engine = get_engine(
connection_string, reactor=FakeReactorThreads())
self._drop_tables()
self.conn = self.successResultOf(self.engine.connect())
开发者ID:praekelt,项目名称:url-shortening-service,代码行数:8,代码来源:test_models.py
示例20: main
def main():
server = Server()
application = service.Application(settings.get('PROJECT_NAME'))
logfile = DailyLogFile(settings.get('LOG_FILE'), settings.get('LOG_DIR'))
application.setComponent(ILogObserver, FileLogObserver(logfile).emit)
server.setServiceParent(application)
from twisted.internet import reactor
reactor.suggestThreadPoolSize(10)
开发者ID:wyrover,项目名称:JobFramework,代码行数:8,代码来源:jobframework.py
注:本文中的twisted.internet.reactor.suggestThreadPoolSize函数示例由纯净天空整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。 |
请发表评论