RainEagle library plus script for polling data
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
 
 

819 lines
26 KiB

  1. __author__ = 'Peter Shipley <peter.shipley@gmail.com>'
  2. __copyright__ = "Copyright (C) 2014 Peter Shipley"
  3. __license__ = "BSD"
  4. import socket
  5. import sys
  6. import os
  7. import time
  8. import xml.etree.ElementTree as ET
  9. import urllib
  10. import urllib2
  11. from math import floor
  12. from urlparse import urlparse
  13. import json
  14. from warnings import warn
  15. from pprint import pprint
  16. # api_arg_format = { }
  17. __all__ = ['Eagle', 'RainEagleResponseError', 'to_epoch_1970, to_epoch_2000']
  18. class RainEagleResponseError(RuntimeError):
  19. """General exception for responce errors
  20. from Rainforest Automation EAGLE (RFA-Z109)
  21. """
  22. pass
  23. def to_epoch_2000(t) :
  24. """ converts time stored as
  25. to unix's epoch of 1970
  26. offset in seconds from "Jan 1 00:00:00 2000"
  27. """
  28. if isinstance(t, time.struct_time) :
  29. t = time.mktime(t)
  30. return t - 946684800
  31. def to_epoch_1970(t) :
  32. """ converts time stored as
  33. offset in seconds from "Jan 1 00:00:00 2000"
  34. to unix's epoch of 1970
  35. """
  36. if isinstance(t, (int, long, float)) :
  37. return t + 946684800
  38. if isinstance(t, str) and t.startswith('0x') :
  39. return 946684800 + int(t, 16)
  40. def _et2d(et) :
  41. """ Etree to Dict
  42. converts an ETree to a Dict Tree
  43. lists are created for duplicate tag
  44. if there are multiple XML of the same name
  45. an list array is used
  46. attrib tags are converted to "tag_name" + "attrib_name"
  47. if an invalid arg is passed a empty dict is retrurned
  48. arg: ETree Element obj
  49. returns: a dict obj
  50. """
  51. d = dict()
  52. if not isinstance(et, ET.Element) :
  53. return d
  54. children = list(et)
  55. if et.attrib :
  56. for k, v in list(et.items()) :
  57. d[et.tag + "-" + k] = v
  58. if children :
  59. for child in children :
  60. if child.tag in d :
  61. if type(d[child.tag]) != list :
  62. t = d[child.tag]
  63. d[child.tag] = [t]
  64. if list(child) or child.attrib :
  65. if child.tag in d :
  66. d[child.tag].append(_et2d(child))
  67. else :
  68. d[child.tag] = _et2d(child)
  69. else :
  70. if child.tag in d :
  71. d[child.tag].append(child.text)
  72. else :
  73. d[child.tag] = child.text
  74. return d
  75. def _twos_comp(val, bits=32):
  76. """compute the 2's compliment of int value val"""
  77. if( (val&(1<<(bits-1))) != 0 ):
  78. val = val - (1<<bits)
  79. return val
  80. def _tohex(n, width=8) :
  81. """
  82. convert arg to string with hex representation if possible
  83. use twos-complement for negitive 32bit numbers
  84. use int class to convert whatever is handed to us
  85. """
  86. if isinstance(n, str) and n.startswith('0x') :
  87. return(n)
  88. i = int(n)
  89. # add two for the "0x"
  90. width += 2
  91. if (i > 2147483647) or (i < -2147483648) :
  92. warn("_tohex : signed int to large (" + str(n) + ")\n",
  93. RuntimeWarning, stacklevel=2)
  94. if i < 0 :
  95. i += 0x100000000
  96. return "{:#0{width}x}".format(int(i), width=width)
  97. #
  98. class Eagle(object) :
  99. """
  100. Class for talking to Rainforest Automation EAGLE (RFA-Z109)
  101. args:
  102. debug print debug messages if true
  103. addr address of device
  104. port port on device (default 5002)
  105. getmac connect to device at start up and get macid (default true)
  106. timeout TCP socket timeout
  107. Currently there is very little error handling ( if any at all )
  108. """
  109. def __init__(self, **kwargs):
  110. self.debug = kwargs.get("debug", 0)
  111. if self.debug :
  112. print self.__class__.__name__, __name__
  113. self.addr = kwargs.get("addr", os.getenv('EAGLE_ADDR', None))
  114. self.port = kwargs.get("port", os.getenv('EAGLE_PORT', 5002))
  115. self.getmac = kwargs.get("getmac", True)
  116. self.timeout = kwargs.get("timeout", 10)
  117. self.soc = None
  118. self.macid = None
  119. if self.debug :
  120. print "Addr : = ", self.addr
  121. print "timeout : = ", self.timeout
  122. print "debug : = ", self.debug
  123. # preload
  124. if self.getmac :
  125. self.device_info = self.list_devices()
  126. if self.device_info is None :
  127. raise IOError("Error connecting")
  128. if self.debug :
  129. print "__init__ ",
  130. pprint(self.device_info)
  131. # self.macid = self.device_info['DeviceInfo']['DeviceMacId']
  132. if self.debug :
  133. print "Init DeviceMacId = ", self.macid
  134. # socket commands as class functions
  135. def list_devices(self):
  136. comm_responce = self._send_soc_comm("list_devices")
  137. if self.debug :
  138. print "comm_responce =", comm_responce
  139. if comm_responce is None:
  140. raise RainEagleResponseError("list_devices : Null reply")
  141. etree = ET.fromstring('<S>' + comm_responce + '</S>')
  142. rv = _et2d(etree)
  143. if self.macid is None :
  144. self.macid = rv['DeviceInfo']['DeviceMacId']
  145. return rv
  146. # 3
  147. def get_device_data(self, macid=None) :
  148. """ Send the GET_DEVICE_DATA command to get a data dump """
  149. if macid is None :
  150. macid = self.macid
  151. comm_responce = self._send_soc_comm("get_device_data", MacId=macid)
  152. if comm_responce is None:
  153. raise RainEagleResponseError("get_device_data : Null reply")
  154. etree = ET.fromstring('<S>' + comm_responce + '</S>')
  155. rv = _et2d(etree)
  156. return rv
  157. # 10
  158. def get_instantaneous_demand(self, macid=None) :
  159. """ Send the GET_INSTANTANEOUS_DEMAND command
  160. get the real time demand from the meter
  161. args:
  162. MacId 16 hex digits, MAC addr of EAGLE ZigBee radio
  163. """
  164. if macid is None :
  165. macid = self.macid
  166. comm_responce = self._send_soc_comm("get_instantaneous_demand",
  167. MacId=macid)
  168. if comm_responce is None:
  169. raise RainEagleResponseError("get_instantaneous_demand : Null reply")
  170. etree = ET.fromstring('<S>' + comm_responce + '</S>')
  171. rv = _et2d(etree)
  172. return rv
  173. # 11
  174. def get_demand_values(self, macid=None, interval="hour", frequency=None) :
  175. """ Send the GET_DEMAND_VALUES command
  176. get a series of instantaneous demand values
  177. args:
  178. MacId 16 hex digits, MAC addr of EAGLE ZigBee radio
  179. Interval hour | day | week
  180. [Frequency] int seconds between samples
  181. """
  182. if macid is None :
  183. macid = self.macid
  184. if interval not in ['hour', 'day', 'week' ] :
  185. raise ValueError("get_demand_values interval must be 'hour', 'day' or 'week' ")
  186. kwargs = {"MacId": macid, "Interval": interval}
  187. if frequency :
  188. kwargs["Frequency"] = str(frequency)
  189. comm_responce = self._send_soc_comm("get_demand_values", **kwargs)
  190. if comm_responce is None:
  191. raise RainEagleResponseError("get_demand_values : Null reply")
  192. etree = ET.fromstring('<S>' + comm_responce + '</S>')
  193. rv = _et2d(etree)
  194. return rv
  195. # 12
  196. def get_summation_values(self, macid=None, interval="day") :
  197. """ Send the GET_SUMMATION_VALUES command
  198. get a series of net summation values
  199. args:
  200. MacId 16 hex digits, MAC addr of EAGLE ZigBee radio
  201. Interval day | week | month | year
  202. """
  203. if macid is None :
  204. macid = self.macid
  205. if interval not in ['day', 'week', 'month', 'year'] :
  206. raise ValueError("get_summation_values interval must be 'day', 'week', 'month' or 'year'")
  207. comm_responce = self._send_soc_comm("get_summation_values",
  208. MacId=macid, Interval=interval)
  209. if comm_responce is None:
  210. raise RainEagleResponseError("get_summation_values : Null reply")
  211. etree = ET.fromstring('<S>' + comm_responce + '</S>')
  212. rv = _et2d(etree)
  213. return rv
  214. # 14
  215. def set_fast_poll(self, macid=None, frequency="0x04", duration="0xFF") :
  216. """ Send the SET_FAST_POLL command
  217. set the fast poll mode on the meter
  218. args:
  219. MacId 16 hex digits, MAC addr of EAGLE ZigBee radio
  220. Frequency 0x01 - 0xFF Freq to poll meter, in seconds
  221. Duration 0x00 - 0x0F Duration of fast poll mode, in minutes (max 15)
  222. """
  223. if macid is None :
  224. macid = self.macid
  225. frequency = _tohex(frequency, 2)
  226. duration = _tohex(duration, 2)
  227. comm_responce = self._send_soc_comm("get_instantaneous_demand",
  228. MacId=macid, Frequency=frequency, Duration=duration)
  229. if comm_responce is None:
  230. raise RainEagleResponseError("set_fast_poll : Null reply")
  231. etree = ET.fromstring('<S>' + comm_responce + '</S>')
  232. rv = _et2d(etree)
  233. return rv
  234. # 15
  235. def get_fast_poll_status(self, macid=None) :
  236. """ Send the GET_FAST_POLL_STATUS command
  237. get the current status of fast poll mode.
  238. args:
  239. MacId 16 hex digits, MAC addr of EAGLE ZigBee radio
  240. """
  241. if macid is None :
  242. macid = self.macid
  243. comm_responce = self._send_soc_comm("get_fast_poll_status", MacId=macid)
  244. if comm_responce is None:
  245. return None
  246. etree = ET.fromstring('<S>' + comm_responce + '</S>')
  247. rv = _et2d(etree)
  248. return rv
  249. # 17
  250. def get_history_data(self, macid=None, starttime="0x00000000", endtime=None, frequency=None) :
  251. """ Send the GET_HISTORY_DATA command
  252. get a series of summation values over an interval of time
  253. ( socket command api )
  254. args:
  255. MacId 16 hex digits, MAC addr of EAGLE ZigBee radio
  256. StartTime the start of the history interval (default oldest sample)
  257. EndTime the end of the history interval (default current time)
  258. Frequency Requested number of seconds between samples.
  259. """
  260. if macid is None :
  261. macid = self.macid
  262. kwargs = {"MacId": macid}
  263. kwargs["StartTime"] = _tohex(starttime, 8)
  264. if endtime :
  265. kwargs["EndTime"] = _tohex(endtime, 8)
  266. if frequency :
  267. kwargs["Frequency"] = _tohex(endtime, 4)
  268. comm_responce = self._send_soc_comm("get_history_data", **kwargs)
  269. if comm_responce is None :
  270. raise RainEagleResponseError("get_history_data : Null reply")
  271. etree = ET.fromstring('<S>' + comm_responce + '</S>')
  272. rv = _et2d(etree)
  273. return rv
  274. # http commands as class functions
  275. def get_uploaders(self) :
  276. """
  277. gets list of uploaders for Web UI
  278. On Success returns dict with the values (example):
  279. 'uploader[0]': 'none'
  280. 'uploader[1]': 'bidgely'
  281. 'uploader_name[0]': 'None'
  282. 'uploader_name[1]': 'Bidgely Inc.'
  283. """
  284. comm_responce = self._send_http_comm("get_uploaders")
  285. return json.loads(comm_responce)
  286. def get_uploader() :
  287. """
  288. gets current uploaders config
  289. On Success returns dict with the values (example):
  290. "uploader_timestamp" : "1394503703"
  291. "uploader_provider" : "bidgely"
  292. "uploader_protocol" : "https"
  293. "uploader_hostname" : "api.bidgely.com"
  294. "uploader_url" : "/v1/users/44441b47-1b9a-4a65-8e8c-0efefe05bb88/homes/1/gateways/1"
  295. "uploader_port" : "0"
  296. "uploader_auth_code" : "44441b47-1b9a-4a65-8e8c-0efefe05bb88"
  297. "uploader_email" : ""
  298. "uploader_user_id" : ""
  299. "uploader_password" : ""
  300. "uploader_enabled" : "Y"
  301. See also set_cloud() to set current uploader cloud config
  302. """
  303. comm_responce = self._send_http_comm("get_uploader")
  304. return json.loads(comm_responce)
  305. def set_message_read(self) :
  306. """
  307. On Success returns dict with the values :
  308. 'remote_management_status' : 'success'
  309. """
  310. comm_responce = self._send_http_comm("set_message_read")
  311. return json.loads(comm_responce)
  312. def confirm_message(self, id) :
  313. """
  314. """
  315. id = _tohex(id)
  316. comm_responce = self._send_http_comm("confirm_message", Id=id)
  317. return json.loads(comm_responce)
  318. def get_message(self) :
  319. """
  320. On Success returns dict with the values (example):
  321. "meter_status" : "Connected"
  322. "message_timestamp" : "946684800"
  323. "message_text" : ""
  324. "message_confirmed" : "N"
  325. "message_confirm_required" : "N"
  326. "message_id" : "0"
  327. "message_queue" : "active"
  328. "message_priority" : ""
  329. "message_read" : "Y"
  330. """
  331. comm_responce = self._send_http_comm("get_message")
  332. return json.loads(comm_responce)
  333. def get_usage_data(self) :
  334. """
  335. Get current demand usage summation
  336. On Success returns dict with the values (example):
  337. 'demand' : '0.4980'
  338. 'demand_timestamp' : '1394505386'
  339. 'demand_units' : 'kW'
  340. 'message_confirm_required' : 'N'
  341. 'message_confirmed' : 'N'
  342. 'message_id' : '0'
  343. 'message_priority' : ''
  344. 'message_queue' : active'
  345. 'message_read' : 'Y'
  346. 'message_text' : ''
  347. 'message_timestamp' : '946684800'
  348. 'meter_status' : 'Connected'
  349. 'price' : '0.1400'
  350. 'price_label' : 'Set by User'
  351. 'price_units' : '$'
  352. 'summation_delivered' : '2667.867'
  353. 'summation_received' : '37.283'
  354. 'summation_units' : 'kWh'
  355. 'usage_timestamp' : '1394505386'
  356. """
  357. comm_responce = self._send_http_comm("get_usage_data")
  358. return json.loads(comm_responce)
  359. def get_historical_data_alt(self, period="day") :
  360. """
  361. get a series of summation values over an interval of time
  362. ( http command api )
  363. args:
  364. period day|week|month|year
  365. On Success returns dict with the values (example):
  366. 'data_period' 'day'
  367. 'data_size' '14'
  368. 'timestamp[0]' '1394422200'
  369. 'timestamp[1]' '1394425800'
  370. 'timestamp[2]' '1394429400'
  371. 'timestamp[3]' '1394433000'
  372. 'timestamp[4]' '1394436600'
  373. 'timestamp[5]' '1394440200'
  374. 'timestamp[6]' '1394443800'
  375. 'timestamp[7]' '1394447400'
  376. 'timestamp[8]' '1394451000'
  377. 'timestamp[9]' '1394454600'
  378. 'timestamp[10]' '1394458200'
  379. 'timestamp[11]' '1394461800'
  380. 'timestamp[12]' '1394465400'
  381. 'timestamp[13]' '1394469000'
  382. 'value[0]' '0.429'
  383. 'value[1]' '0.426'
  384. 'value[2]' '0.422'
  385. 'value[3]' '0.627'
  386. 'value[4]' '0.735'
  387. 'value[5]' '0.193'
  388. 'value[6]' '0.026'
  389. 'value[7]' '-0.985'
  390. 'value[8]' '-1.491'
  391. 'value[9]' '-2.196'
  392. 'value[11]' '-1.868'
  393. 'value[12]' '-1.330'
  394. 'value[13]' '-0.870'
  395. """
  396. if period not in ['day', 'week', 'month', 'year'] :
  397. raise ValueError("get_historical_data_alt period must be one of day|week|month|year")
  398. comm_responce = self._send_http_comm("get_historical_data", Period=period)
  399. return json.loads(comm_responce)
  400. def get_setting_data(self) :
  401. """
  402. get settings data
  403. On Success returns dict with value containing setting
  404. relating to price, uploader, network & device
  405. """
  406. comm_responce = self._send_http_comm("get_setting_data")
  407. return json.loads(comm_responce)
  408. def get_device_config(self) :
  409. """
  410. get remote management status
  411. On Success returns dict with value 'Y' or 'N' :
  412. 'config_ssh_enabled': 'Y'
  413. 'config_vpn_enabled': 'Y'
  414. """
  415. comm_responce = self._send_http_comm("get_device_config")
  416. return json.loads(comm_responce)
  417. def get_gateway_info(self) :
  418. """
  419. gets network status
  420. On Success returns dict with the values (example):
  421. 'gateway_cloud_id': '00:09:69'
  422. 'gateway_internet_status': 'connected'
  423. 'gateway_ip_addr': '10.11.12.13'
  424. 'gateway_mac_id': 'D8:D5:B9:00:90:24'
  425. """
  426. comm_responce = self._send_http_comm("get_gateway_info")
  427. return json.loads(comm_responce)
  428. def get_timezone(self) :
  429. """
  430. get current timezone configuration
  431. On Success returns dict with the value :
  432. 'timezone_localTime': '1394527011'
  433. 'timezone_olsonName': 'UTC/GMT'
  434. 'timezone_status': '2'
  435. 'timezone_utcOffset': 'UTC'
  436. 'timezone_utcTime': '1394527011'
  437. 'timezone_status': 'success'
  438. """
  439. comm_responce = self._send_http_comm("get_timezone")
  440. return json.loads(comm_responce)
  441. def get_time_source(self, macid=None) :
  442. """
  443. get time source for device
  444. On Success returns dict with value 'internet' or 'meter' :
  445. 'time_source': 'internet'
  446. """
  447. comm_responce = self._send_http_comm("get_time_source")
  448. return json.loads(comm_responce)
  449. def get_remote_management(self) :
  450. return get_device_config(self)
  451. def set_remote_management(self, macid=None, status="on") :
  452. """ set_remote_management
  453. enabling ssh & vpn
  454. args:
  455. status on|off
  456. On Success returns dict with value :
  457. 'remote_management_status': 'success'
  458. """
  459. if status not in ['on', 'off'] :
  460. raise ValueError("set_remote_management status must be 'on' or 'off'")
  461. comm_responce = self._send_http_comm("set_remote_management", Status=status)
  462. return json.loads(comm_responce)
  463. def set_time_source(self, macid=None, source=None) :
  464. """ set_time_source
  465. set time source
  466. args:
  467. source meter|internet
  468. On Success returns dict with value :
  469. 'set_time_source_status': u'success'
  470. On Error returns dict with value :
  471. 'set_time_source_status': 'invalid source name'
  472. """
  473. if source not in ['meter', 'internet'] :
  474. raise ValueError("set_time_source Source must be 'meter' or 'internet'")
  475. comm_responce = self._send_http_comm("set_time_source", Source=source)
  476. return json.loads(comm_responce)
  477. def get_price(self) :
  478. """
  479. get price for kWh
  480. On Success returns (example):
  481. price': '0.1300'
  482. price_label': 'Set by User' or '--'
  483. price_timestamp': '1394524458'
  484. price_units': '$'
  485. returns empty dict on Error
  486. """
  487. comm_responce = self._send_http_comm("get_price")
  488. return json.loads(comm_responce)
  489. def set_price(self, price) :
  490. """
  491. Set price manualy
  492. args:
  493. price Price/kWh
  494. On Success returns dict with value :
  495. 'set_price_status': 'success'
  496. """
  497. if isinstance(price, str) and price.startswith('$') :
  498. price = float(price.lstrip('$'))
  499. if not isinstance(price, (int, long, float)) :
  500. raise ValueError("set_price price arg must me a int, long or float")
  501. if (price <= 0):
  502. raise ValueError("set_price price arg greater then 0")
  503. trailing_digits = 0
  504. multiplier = 1
  505. while (((price * multiplier) != (floor(price * multiplier))) and (trailing_digits < 7)) :
  506. trailing_digits += 1
  507. multiplier *= 10
  508. price_adj = "{:#x}".format(int(price * multiplier))
  509. tdigits = "{:#x}".format(trailing_digits)
  510. comm_responce = self._send_http_comm("set_price",
  511. Price=price_adj, TrailingDigits=tdigits)
  512. return json.loads(comm_responce)
  513. def set_price_auto(self) :
  514. """
  515. Set Price from Meter
  516. On Success returns dict with value :
  517. 'set_price_status': 'success'
  518. """
  519. comm_responce = self._send_http_comm("set_price",
  520. Price="0xFFFFFFFF",
  521. TrailingDigits="0x00")
  522. return json.loads(comm_responce)
  523. # def set_multiplier_divisor(self, multiplier=1, divisor=1) :
  524. # """
  525. # set multiplier and divisor manualy
  526. # """
  527. # multiplier = _tohex(multiplier, 8)
  528. # divisor = _tohex(divisor, 8)
  529. # comm_responce = self._send_http_comm("set_multiplier_divisor", Multiplier=multiplier, Divisor=divisor)
  530. # return json.loads(comm_responce)
  531. def factory_reset(self) :
  532. """
  533. Factory Reset
  534. """
  535. comm_responce = self._send_http_comm("factory_reset")
  536. return json.loads(comm_responce)
  537. # def disconnect_meter(self) :
  538. # """
  539. # disconnect from Smart Meter
  540. # """
  541. # comm_responce = self._send_http_comm("disconnect_meter")
  542. # return json.loads(comm_responce)
  543. def cloud_reset(self) :
  544. """
  545. cloud_reset : Clear Cloud Configuration
  546. """
  547. comm_responce = self._send_http_comm("cloud_reset")
  548. return json.loads(comm_responce)
  549. def set_cloud(self, url, authcode="", email="") :
  550. """
  551. set cloud Url
  552. args:
  553. url Url for uploader
  554. authcode
  555. email
  556. See also get_uploader() to retrieve current uploader cloud config
  557. """
  558. if url.__len__() > 200 :
  559. raise ValueError("Max URL length is 200 characters long.\n")
  560. urlp = urlparse(url)
  561. if urlp.port :
  562. port = "{:#04x}".format(urlp.port)
  563. else :
  564. port = "0x00"
  565. hostname = urlp.hostname
  566. if urlp.scheme :
  567. protocol = urlp.scheme
  568. else :
  569. protocol = "http"
  570. url = urlp.path
  571. if urlp.username :
  572. userid = urlp.username
  573. else :
  574. userid = ""
  575. if urlp.password :
  576. password = urlp.password
  577. else :
  578. password = ""
  579. comm_responce = self._send_http_comm("set_cloud",
  580. Provider="manual",
  581. Protocol=protocol, HostName=hostname,
  582. Url=url, Port=port,
  583. AuthCode=authcode, Email=email,
  584. UserId=userid, Password=password)
  585. return json.loads(comm_responce)
  586. # Support functions
  587. def _connect(self) :
  588. self.soc = socket.create_connection(
  589. (self.addr, self.port), self.timeout)
  590. def _disconnect(self):
  591. try :
  592. if self.soc :
  593. self.soc.close()
  594. self.soc = False
  595. except IOError :
  596. pass
  597. def _send_http_comm(self, cmd, **kwargs):
  598. print "\n\n_send_http_comm : ", cmd
  599. commstr = "<LocalCommand>\n"
  600. commstr += "<Name>{0!s}</Name>\n".format(cmd)
  601. commstr += "<MacId>{0!s}</MacId>\n".format(self.macid)
  602. for k, v in kwargs.items() :
  603. commstr += "<{0}>{1!s}</{0}>\n".format(k, v)
  604. commstr += "</LocalCommand>\n"
  605. print(commstr)
  606. url = "http://{0}/cgi-bin/cgi_manager".format(self.addr)
  607. req = urllib2.Request(url, commstr)
  608. response = urllib2.urlopen(req)
  609. the_page = response.read()
  610. return the_page
  611. def _send_soc_comm(self, cmd, **kwargs):
  612. if cmd == "set_fast_poll" :
  613. command_tag = "RavenCommand"
  614. else :
  615. command_tag = "LocalCommand"
  616. commstr = "<{0}>\n ".format(command_tag)
  617. commstr += "<Name>{0!s}</Name>\n".format(cmd)
  618. for k, v in kwargs.items() :
  619. commstr += "<{0}>{1!s}</{0}>\n".format(k, v)
  620. commstr += "</{0}>\n".format(command_tag)
  621. replystr = ""
  622. # buf_list = []
  623. try:
  624. self._connect()
  625. # if cmd == "get_history_data" :
  626. # self.soc.settimeout(45)
  627. self.soc.sendall(commstr)
  628. if self.debug :
  629. print "commstr : \n", commstr
  630. # time.sleep(1)
  631. while 1 :
  632. buf = self.soc.recv(1000)
  633. if not buf:
  634. break
  635. replystr += buf
  636. #buf_list.append(buf)
  637. # replystr = ''.join(buf_list)
  638. except Exception:
  639. print("Unexpected error:", sys.exc_info()[0])
  640. print "Error replystr = ", replystr
  641. replystr = None
  642. finally:
  643. self._disconnect()
  644. if self.debug > 1 :
  645. print "_send_soc_comm replystr :\n", replystr
  646. return replystr
  647. # Do nothing
  648. # (syntax check)
  649. #
  650. if __name__ == "__main__":
  651. import __main__
  652. print(__main__.__file__)
  653. print("syntax ok")
  654. exit(0)