added device_supervisor app
This commit is contained in:
BIN
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5.zip
Normal file
BIN
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5.zip
Normal file
Binary file not shown.
Binary file not shown.
@@ -0,0 +1 @@
|
||||
1.4.5
|
||||
@@ -0,0 +1,17 @@
|
||||
#!/bin/sh
|
||||
# this script is used to help to build python APP of the inhand products
|
||||
|
||||
APP_NAME=$1
|
||||
|
||||
compile_app()
|
||||
{
|
||||
echo "generate APP pkg:"
|
||||
`pkg_app.py ${APP_NAME}`
|
||||
|
||||
return 0
|
||||
}
|
||||
|
||||
echo "build APP:${APP_NAME} pkg!"
|
||||
compile_app || exit 1
|
||||
echo "build APP:${APP_NAME} pkg finished!"
|
||||
|
||||
@@ -0,0 +1,5 @@
|
||||
"""Run the EasyInstall command"""
|
||||
|
||||
if __name__ == '__main__':
|
||||
from setuptools.command.easy_install import main
|
||||
main()
|
||||
@@ -0,0 +1,5 @@
|
||||
"""Run the EasyInstall command"""
|
||||
|
||||
if __name__ == '__main__':
|
||||
from setuptools.command.easy_install import main
|
||||
main()
|
||||
@@ -0,0 +1,10 @@
|
||||
#!/var/pycore/bin/python3
|
||||
# -*- coding: utf-8 -*-
|
||||
import re
|
||||
import sys
|
||||
|
||||
from supervisor.confecho import main
|
||||
|
||||
if __name__ == '__main__':
|
||||
sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0])
|
||||
sys.exit(main())
|
||||
976
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/miniterm.py
Executable file
976
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/miniterm.py
Executable file
@@ -0,0 +1,976 @@
|
||||
#!/var/pycore/bin/python3
|
||||
#
|
||||
# Very simple serial terminal
|
||||
#
|
||||
# This file is part of pySerial. https://github.com/pyserial/pyserial
|
||||
# (C)2002-2015 Chris Liechti <cliechti@gmx.net>
|
||||
#
|
||||
# SPDX-License-Identifier: BSD-3-Clause
|
||||
|
||||
import codecs
|
||||
import os
|
||||
import sys
|
||||
import threading
|
||||
|
||||
import serial
|
||||
from serial.tools.list_ports import comports
|
||||
from serial.tools import hexlify_codec
|
||||
|
||||
# pylint: disable=wrong-import-order,wrong-import-position
|
||||
|
||||
codecs.register(lambda c: hexlify_codec.getregentry() if c == 'hexlify' else None)
|
||||
|
||||
try:
|
||||
raw_input
|
||||
except NameError:
|
||||
# pylint: disable=redefined-builtin,invalid-name
|
||||
raw_input = input # in python3 it's "raw"
|
||||
unichr = chr
|
||||
|
||||
|
||||
def key_description(character):
|
||||
"""generate a readable description for a key"""
|
||||
ascii_code = ord(character)
|
||||
if ascii_code < 32:
|
||||
return 'Ctrl+{:c}'.format(ord('@') + ascii_code)
|
||||
else:
|
||||
return repr(character)
|
||||
|
||||
|
||||
# - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
|
||||
class ConsoleBase(object):
|
||||
"""OS abstraction for console (input/output codec, no echo)"""
|
||||
|
||||
def __init__(self):
|
||||
if sys.version_info >= (3, 0):
|
||||
self.byte_output = sys.stdout.buffer
|
||||
else:
|
||||
self.byte_output = sys.stdout
|
||||
self.output = sys.stdout
|
||||
|
||||
def setup(self):
|
||||
"""Set console to read single characters, no echo"""
|
||||
|
||||
def cleanup(self):
|
||||
"""Restore default console settings"""
|
||||
|
||||
def getkey(self):
|
||||
"""Read a single key from the console"""
|
||||
return None
|
||||
|
||||
def write_bytes(self, byte_string):
|
||||
"""Write bytes (already encoded)"""
|
||||
self.byte_output.write(byte_string)
|
||||
self.byte_output.flush()
|
||||
|
||||
def write(self, text):
|
||||
"""Write string"""
|
||||
self.output.write(text)
|
||||
self.output.flush()
|
||||
|
||||
def cancel(self):
|
||||
"""Cancel getkey operation"""
|
||||
|
||||
# - - - - - - - - - - - - - - - - - - - - - - - -
|
||||
# context manager:
|
||||
# switch terminal temporary to normal mode (e.g. to get user input)
|
||||
|
||||
def __enter__(self):
|
||||
self.cleanup()
|
||||
return self
|
||||
|
||||
def __exit__(self, *args, **kwargs):
|
||||
self.setup()
|
||||
|
||||
|
||||
if os.name == 'nt': # noqa
|
||||
import msvcrt
|
||||
import ctypes
|
||||
|
||||
class Out(object):
|
||||
"""file-like wrapper that uses os.write"""
|
||||
|
||||
def __init__(self, fd):
|
||||
self.fd = fd
|
||||
|
||||
def flush(self):
|
||||
pass
|
||||
|
||||
def write(self, s):
|
||||
os.write(self.fd, s)
|
||||
|
||||
class Console(ConsoleBase):
|
||||
def __init__(self):
|
||||
super(Console, self).__init__()
|
||||
self._saved_ocp = ctypes.windll.kernel32.GetConsoleOutputCP()
|
||||
self._saved_icp = ctypes.windll.kernel32.GetConsoleCP()
|
||||
ctypes.windll.kernel32.SetConsoleOutputCP(65001)
|
||||
ctypes.windll.kernel32.SetConsoleCP(65001)
|
||||
self.output = codecs.getwriter('UTF-8')(Out(sys.stdout.fileno()), 'replace')
|
||||
# the change of the code page is not propagated to Python, manually fix it
|
||||
sys.stderr = codecs.getwriter('UTF-8')(Out(sys.stderr.fileno()), 'replace')
|
||||
sys.stdout = self.output
|
||||
self.output.encoding = 'UTF-8' # needed for input
|
||||
|
||||
def __del__(self):
|
||||
ctypes.windll.kernel32.SetConsoleOutputCP(self._saved_ocp)
|
||||
ctypes.windll.kernel32.SetConsoleCP(self._saved_icp)
|
||||
|
||||
def getkey(self):
|
||||
while True:
|
||||
z = msvcrt.getwch()
|
||||
if z == unichr(13):
|
||||
return unichr(10)
|
||||
elif z in (unichr(0), unichr(0x0e)): # functions keys, ignore
|
||||
msvcrt.getwch()
|
||||
else:
|
||||
return z
|
||||
|
||||
def cancel(self):
|
||||
# CancelIo, CancelSynchronousIo do not seem to work when using
|
||||
# getwch, so instead, send a key to the window with the console
|
||||
hwnd = ctypes.windll.kernel32.GetConsoleWindow()
|
||||
ctypes.windll.user32.PostMessageA(hwnd, 0x100, 0x0d, 0)
|
||||
|
||||
elif os.name == 'posix':
|
||||
import atexit
|
||||
import termios
|
||||
import fcntl
|
||||
|
||||
class Console(ConsoleBase):
|
||||
def __init__(self):
|
||||
super(Console, self).__init__()
|
||||
self.fd = sys.stdin.fileno()
|
||||
self.old = termios.tcgetattr(self.fd)
|
||||
atexit.register(self.cleanup)
|
||||
if sys.version_info < (3, 0):
|
||||
self.enc_stdin = codecs.getreader(sys.stdin.encoding)(sys.stdin)
|
||||
else:
|
||||
self.enc_stdin = sys.stdin
|
||||
|
||||
def setup(self):
|
||||
new = termios.tcgetattr(self.fd)
|
||||
new[3] = new[3] & ~termios.ICANON & ~termios.ECHO & ~termios.ISIG
|
||||
new[6][termios.VMIN] = 1
|
||||
new[6][termios.VTIME] = 0
|
||||
termios.tcsetattr(self.fd, termios.TCSANOW, new)
|
||||
|
||||
def getkey(self):
|
||||
c = self.enc_stdin.read(1)
|
||||
if c == unichr(0x7f):
|
||||
c = unichr(8) # map the BS key (which yields DEL) to backspace
|
||||
return c
|
||||
|
||||
def cancel(self):
|
||||
fcntl.ioctl(self.fd, termios.TIOCSTI, b'\0')
|
||||
|
||||
def cleanup(self):
|
||||
termios.tcsetattr(self.fd, termios.TCSAFLUSH, self.old)
|
||||
|
||||
else:
|
||||
raise NotImplementedError(
|
||||
'Sorry no implementation for your platform ({}) available.'.format(sys.platform))
|
||||
|
||||
|
||||
# - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
|
||||
|
||||
class Transform(object):
|
||||
"""do-nothing: forward all data unchanged"""
|
||||
def rx(self, text):
|
||||
"""text received from serial port"""
|
||||
return text
|
||||
|
||||
def tx(self, text):
|
||||
"""text to be sent to serial port"""
|
||||
return text
|
||||
|
||||
def echo(self, text):
|
||||
"""text to be sent but displayed on console"""
|
||||
return text
|
||||
|
||||
|
||||
class CRLF(Transform):
|
||||
"""ENTER sends CR+LF"""
|
||||
|
||||
def tx(self, text):
|
||||
return text.replace('\n', '\r\n')
|
||||
|
||||
|
||||
class CR(Transform):
|
||||
"""ENTER sends CR"""
|
||||
|
||||
def rx(self, text):
|
||||
return text.replace('\r', '\n')
|
||||
|
||||
def tx(self, text):
|
||||
return text.replace('\n', '\r')
|
||||
|
||||
|
||||
class LF(Transform):
|
||||
"""ENTER sends LF"""
|
||||
|
||||
|
||||
class NoTerminal(Transform):
|
||||
"""remove typical terminal control codes from input"""
|
||||
|
||||
REPLACEMENT_MAP = dict((x, 0x2400 + x) for x in range(32) if unichr(x) not in '\r\n\b\t')
|
||||
REPLACEMENT_MAP.update(
|
||||
{
|
||||
0x7F: 0x2421, # DEL
|
||||
0x9B: 0x2425, # CSI
|
||||
})
|
||||
|
||||
def rx(self, text):
|
||||
return text.translate(self.REPLACEMENT_MAP)
|
||||
|
||||
echo = rx
|
||||
|
||||
|
||||
class NoControls(NoTerminal):
|
||||
"""Remove all control codes, incl. CR+LF"""
|
||||
|
||||
REPLACEMENT_MAP = dict((x, 0x2400 + x) for x in range(32))
|
||||
REPLACEMENT_MAP.update(
|
||||
{
|
||||
0x20: 0x2423, # visual space
|
||||
0x7F: 0x2421, # DEL
|
||||
0x9B: 0x2425, # CSI
|
||||
})
|
||||
|
||||
|
||||
class Printable(Transform):
|
||||
"""Show decimal code for all non-ASCII characters and replace most control codes"""
|
||||
|
||||
def rx(self, text):
|
||||
r = []
|
||||
for c in text:
|
||||
if ' ' <= c < '\x7f' or c in '\r\n\b\t':
|
||||
r.append(c)
|
||||
elif c < ' ':
|
||||
r.append(unichr(0x2400 + ord(c)))
|
||||
else:
|
||||
r.extend(unichr(0x2080 + ord(d) - 48) for d in '{:d}'.format(ord(c)))
|
||||
r.append(' ')
|
||||
return ''.join(r)
|
||||
|
||||
echo = rx
|
||||
|
||||
|
||||
class Colorize(Transform):
|
||||
"""Apply different colors for received and echo"""
|
||||
|
||||
def __init__(self):
|
||||
# XXX make it configurable, use colorama?
|
||||
self.input_color = '\x1b[37m'
|
||||
self.echo_color = '\x1b[31m'
|
||||
|
||||
def rx(self, text):
|
||||
return self.input_color + text
|
||||
|
||||
def echo(self, text):
|
||||
return self.echo_color + text
|
||||
|
||||
|
||||
class DebugIO(Transform):
|
||||
"""Print what is sent and received"""
|
||||
|
||||
def rx(self, text):
|
||||
sys.stderr.write(' [RX:{}] '.format(repr(text)))
|
||||
sys.stderr.flush()
|
||||
return text
|
||||
|
||||
def tx(self, text):
|
||||
sys.stderr.write(' [TX:{}] '.format(repr(text)))
|
||||
sys.stderr.flush()
|
||||
return text
|
||||
|
||||
|
||||
# other ideas:
|
||||
# - add date/time for each newline
|
||||
# - insert newline after: a) timeout b) packet end character
|
||||
|
||||
EOL_TRANSFORMATIONS = {
|
||||
'crlf': CRLF,
|
||||
'cr': CR,
|
||||
'lf': LF,
|
||||
}
|
||||
|
||||
TRANSFORMATIONS = {
|
||||
'direct': Transform, # no transformation
|
||||
'default': NoTerminal,
|
||||
'nocontrol': NoControls,
|
||||
'printable': Printable,
|
||||
'colorize': Colorize,
|
||||
'debug': DebugIO,
|
||||
}
|
||||
|
||||
|
||||
# - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
|
||||
def ask_for_port():
|
||||
"""\
|
||||
Show a list of ports and ask the user for a choice. To make selection
|
||||
easier on systems with long device names, also allow the input of an
|
||||
index.
|
||||
"""
|
||||
sys.stderr.write('\n--- Available ports:\n')
|
||||
ports = []
|
||||
for n, (port, desc, hwid) in enumerate(sorted(comports()), 1):
|
||||
sys.stderr.write('--- {:2}: {:20} {!r}\n'.format(n, port, desc))
|
||||
ports.append(port)
|
||||
while True:
|
||||
port = raw_input('--- Enter port index or full name: ')
|
||||
try:
|
||||
index = int(port) - 1
|
||||
if not 0 <= index < len(ports):
|
||||
sys.stderr.write('--- Invalid index!\n')
|
||||
continue
|
||||
except ValueError:
|
||||
pass
|
||||
else:
|
||||
port = ports[index]
|
||||
return port
|
||||
|
||||
|
||||
class Miniterm(object):
|
||||
"""\
|
||||
Terminal application. Copy data from serial port to console and vice versa.
|
||||
Handle special keys from the console to show menu etc.
|
||||
"""
|
||||
|
||||
def __init__(self, serial_instance, echo=False, eol='crlf', filters=()):
|
||||
self.console = Console()
|
||||
self.serial = serial_instance
|
||||
self.echo = echo
|
||||
self.raw = False
|
||||
self.input_encoding = 'UTF-8'
|
||||
self.output_encoding = 'UTF-8'
|
||||
self.eol = eol
|
||||
self.filters = filters
|
||||
self.update_transformations()
|
||||
self.exit_character = 0x1d # GS/CTRL+]
|
||||
self.menu_character = 0x14 # Menu: CTRL+T
|
||||
self.alive = None
|
||||
self._reader_alive = None
|
||||
self.receiver_thread = None
|
||||
self.rx_decoder = None
|
||||
self.tx_decoder = None
|
||||
|
||||
def _start_reader(self):
|
||||
"""Start reader thread"""
|
||||
self._reader_alive = True
|
||||
# start serial->console thread
|
||||
self.receiver_thread = threading.Thread(target=self.reader, name='rx')
|
||||
self.receiver_thread.daemon = True
|
||||
self.receiver_thread.start()
|
||||
|
||||
def _stop_reader(self):
|
||||
"""Stop reader thread only, wait for clean exit of thread"""
|
||||
self._reader_alive = False
|
||||
if hasattr(self.serial, 'cancel_read'):
|
||||
self.serial.cancel_read()
|
||||
self.receiver_thread.join()
|
||||
|
||||
def start(self):
|
||||
"""start worker threads"""
|
||||
self.alive = True
|
||||
self._start_reader()
|
||||
# enter console->serial loop
|
||||
self.transmitter_thread = threading.Thread(target=self.writer, name='tx')
|
||||
self.transmitter_thread.daemon = True
|
||||
self.transmitter_thread.start()
|
||||
self.console.setup()
|
||||
|
||||
def stop(self):
|
||||
"""set flag to stop worker threads"""
|
||||
self.alive = False
|
||||
|
||||
def join(self, transmit_only=False):
|
||||
"""wait for worker threads to terminate"""
|
||||
self.transmitter_thread.join()
|
||||
if not transmit_only:
|
||||
if hasattr(self.serial, 'cancel_read'):
|
||||
self.serial.cancel_read()
|
||||
self.receiver_thread.join()
|
||||
|
||||
def close(self):
|
||||
self.serial.close()
|
||||
|
||||
def update_transformations(self):
|
||||
"""take list of transformation classes and instantiate them for rx and tx"""
|
||||
transformations = [EOL_TRANSFORMATIONS[self.eol]] + [TRANSFORMATIONS[f]
|
||||
for f in self.filters]
|
||||
self.tx_transformations = [t() for t in transformations]
|
||||
self.rx_transformations = list(reversed(self.tx_transformations))
|
||||
|
||||
def set_rx_encoding(self, encoding, errors='replace'):
|
||||
"""set encoding for received data"""
|
||||
self.input_encoding = encoding
|
||||
self.rx_decoder = codecs.getincrementaldecoder(encoding)(errors)
|
||||
|
||||
def set_tx_encoding(self, encoding, errors='replace'):
|
||||
"""set encoding for transmitted data"""
|
||||
self.output_encoding = encoding
|
||||
self.tx_encoder = codecs.getincrementalencoder(encoding)(errors)
|
||||
|
||||
def dump_port_settings(self):
|
||||
"""Write current settings to sys.stderr"""
|
||||
sys.stderr.write("\n--- Settings: {p.name} {p.baudrate},{p.bytesize},{p.parity},{p.stopbits}\n".format(
|
||||
p=self.serial))
|
||||
sys.stderr.write('--- RTS: {:8} DTR: {:8} BREAK: {:8}\n'.format(
|
||||
('active' if self.serial.rts else 'inactive'),
|
||||
('active' if self.serial.dtr else 'inactive'),
|
||||
('active' if self.serial.break_condition else 'inactive')))
|
||||
try:
|
||||
sys.stderr.write('--- CTS: {:8} DSR: {:8} RI: {:8} CD: {:8}\n'.format(
|
||||
('active' if self.serial.cts else 'inactive'),
|
||||
('active' if self.serial.dsr else 'inactive'),
|
||||
('active' if self.serial.ri else 'inactive'),
|
||||
('active' if self.serial.cd else 'inactive')))
|
||||
except serial.SerialException:
|
||||
# on RFC 2217 ports, it can happen if no modem state notification was
|
||||
# yet received. ignore this error.
|
||||
pass
|
||||
sys.stderr.write('--- software flow control: {}\n'.format('active' if self.serial.xonxoff else 'inactive'))
|
||||
sys.stderr.write('--- hardware flow control: {}\n'.format('active' if self.serial.rtscts else 'inactive'))
|
||||
sys.stderr.write('--- serial input encoding: {}\n'.format(self.input_encoding))
|
||||
sys.stderr.write('--- serial output encoding: {}\n'.format(self.output_encoding))
|
||||
sys.stderr.write('--- EOL: {}\n'.format(self.eol.upper()))
|
||||
sys.stderr.write('--- filters: {}\n'.format(' '.join(self.filters)))
|
||||
|
||||
def reader(self):
|
||||
"""loop and copy serial->console"""
|
||||
try:
|
||||
while self.alive and self._reader_alive:
|
||||
# read all that is there or wait for one byte
|
||||
data = self.serial.read(self.serial.in_waiting or 1)
|
||||
if data:
|
||||
if self.raw:
|
||||
self.console.write_bytes(data)
|
||||
else:
|
||||
text = self.rx_decoder.decode(data)
|
||||
for transformation in self.rx_transformations:
|
||||
text = transformation.rx(text)
|
||||
self.console.write(text)
|
||||
except serial.SerialException:
|
||||
self.alive = False
|
||||
self.console.cancel()
|
||||
raise # XXX handle instead of re-raise?
|
||||
|
||||
def writer(self):
|
||||
"""\
|
||||
Loop and copy console->serial until self.exit_character character is
|
||||
found. When self.menu_character is found, interpret the next key
|
||||
locally.
|
||||
"""
|
||||
menu_active = False
|
||||
try:
|
||||
while self.alive:
|
||||
try:
|
||||
c = self.console.getkey()
|
||||
except KeyboardInterrupt:
|
||||
c = '\x03'
|
||||
if not self.alive:
|
||||
break
|
||||
if menu_active:
|
||||
self.handle_menu_key(c)
|
||||
menu_active = False
|
||||
elif c == self.menu_character:
|
||||
menu_active = True # next char will be for menu
|
||||
elif c == self.exit_character:
|
||||
self.stop() # exit app
|
||||
break
|
||||
else:
|
||||
#~ if self.raw:
|
||||
text = c
|
||||
for transformation in self.tx_transformations:
|
||||
text = transformation.tx(text)
|
||||
self.serial.write(self.tx_encoder.encode(text))
|
||||
if self.echo:
|
||||
echo_text = c
|
||||
for transformation in self.tx_transformations:
|
||||
echo_text = transformation.echo(echo_text)
|
||||
self.console.write(echo_text)
|
||||
except:
|
||||
self.alive = False
|
||||
raise
|
||||
|
||||
def handle_menu_key(self, c):
|
||||
"""Implement a simple menu / settings"""
|
||||
if c == self.menu_character or c == self.exit_character:
|
||||
# Menu/exit character again -> send itself
|
||||
self.serial.write(self.tx_encoder.encode(c))
|
||||
if self.echo:
|
||||
self.console.write(c)
|
||||
elif c == '\x15': # CTRL+U -> upload file
|
||||
self.upload_file()
|
||||
elif c in '\x08hH?': # CTRL+H, h, H, ? -> Show help
|
||||
sys.stderr.write(self.get_help_text())
|
||||
elif c == '\x12': # CTRL+R -> Toggle RTS
|
||||
self.serial.rts = not self.serial.rts
|
||||
sys.stderr.write('--- RTS {} ---\n'.format('active' if self.serial.rts else 'inactive'))
|
||||
elif c == '\x04': # CTRL+D -> Toggle DTR
|
||||
self.serial.dtr = not self.serial.dtr
|
||||
sys.stderr.write('--- DTR {} ---\n'.format('active' if self.serial.dtr else 'inactive'))
|
||||
elif c == '\x02': # CTRL+B -> toggle BREAK condition
|
||||
self.serial.break_condition = not self.serial.break_condition
|
||||
sys.stderr.write('--- BREAK {} ---\n'.format('active' if self.serial.break_condition else 'inactive'))
|
||||
elif c == '\x05': # CTRL+E -> toggle local echo
|
||||
self.echo = not self.echo
|
||||
sys.stderr.write('--- local echo {} ---\n'.format('active' if self.echo else 'inactive'))
|
||||
elif c == '\x06': # CTRL+F -> edit filters
|
||||
self.change_filter()
|
||||
elif c == '\x0c': # CTRL+L -> EOL mode
|
||||
modes = list(EOL_TRANSFORMATIONS) # keys
|
||||
eol = modes.index(self.eol) + 1
|
||||
if eol >= len(modes):
|
||||
eol = 0
|
||||
self.eol = modes[eol]
|
||||
sys.stderr.write('--- EOL: {} ---\n'.format(self.eol.upper()))
|
||||
self.update_transformations()
|
||||
elif c == '\x01': # CTRL+A -> set encoding
|
||||
self.change_encoding()
|
||||
elif c == '\x09': # CTRL+I -> info
|
||||
self.dump_port_settings()
|
||||
#~ elif c == '\x01': # CTRL+A -> cycle escape mode
|
||||
#~ elif c == '\x0c': # CTRL+L -> cycle linefeed mode
|
||||
elif c in 'pP': # P -> change port
|
||||
self.change_port()
|
||||
elif c in 'sS': # S -> suspend / open port temporarily
|
||||
self.suspend_port()
|
||||
elif c in 'bB': # B -> change baudrate
|
||||
self.change_baudrate()
|
||||
elif c == '8': # 8 -> change to 8 bits
|
||||
self.serial.bytesize = serial.EIGHTBITS
|
||||
self.dump_port_settings()
|
||||
elif c == '7': # 7 -> change to 8 bits
|
||||
self.serial.bytesize = serial.SEVENBITS
|
||||
self.dump_port_settings()
|
||||
elif c in 'eE': # E -> change to even parity
|
||||
self.serial.parity = serial.PARITY_EVEN
|
||||
self.dump_port_settings()
|
||||
elif c in 'oO': # O -> change to odd parity
|
||||
self.serial.parity = serial.PARITY_ODD
|
||||
self.dump_port_settings()
|
||||
elif c in 'mM': # M -> change to mark parity
|
||||
self.serial.parity = serial.PARITY_MARK
|
||||
self.dump_port_settings()
|
||||
elif c in 'sS': # S -> change to space parity
|
||||
self.serial.parity = serial.PARITY_SPACE
|
||||
self.dump_port_settings()
|
||||
elif c in 'nN': # N -> change to no parity
|
||||
self.serial.parity = serial.PARITY_NONE
|
||||
self.dump_port_settings()
|
||||
elif c == '1': # 1 -> change to 1 stop bits
|
||||
self.serial.stopbits = serial.STOPBITS_ONE
|
||||
self.dump_port_settings()
|
||||
elif c == '2': # 2 -> change to 2 stop bits
|
||||
self.serial.stopbits = serial.STOPBITS_TWO
|
||||
self.dump_port_settings()
|
||||
elif c == '3': # 3 -> change to 1.5 stop bits
|
||||
self.serial.stopbits = serial.STOPBITS_ONE_POINT_FIVE
|
||||
self.dump_port_settings()
|
||||
elif c in 'xX': # X -> change software flow control
|
||||
self.serial.xonxoff = (c == 'X')
|
||||
self.dump_port_settings()
|
||||
elif c in 'rR': # R -> change hardware flow control
|
||||
self.serial.rtscts = (c == 'R')
|
||||
self.dump_port_settings()
|
||||
else:
|
||||
sys.stderr.write('--- unknown menu character {} --\n'.format(key_description(c)))
|
||||
|
||||
def upload_file(self):
|
||||
"""Ask user for filenname and send its contents"""
|
||||
sys.stderr.write('\n--- File to upload: ')
|
||||
sys.stderr.flush()
|
||||
with self.console:
|
||||
filename = sys.stdin.readline().rstrip('\r\n')
|
||||
if filename:
|
||||
try:
|
||||
with open(filename, 'rb') as f:
|
||||
sys.stderr.write('--- Sending file {} ---\n'.format(filename))
|
||||
while True:
|
||||
block = f.read(1024)
|
||||
if not block:
|
||||
break
|
||||
self.serial.write(block)
|
||||
# Wait for output buffer to drain.
|
||||
self.serial.flush()
|
||||
sys.stderr.write('.') # Progress indicator.
|
||||
sys.stderr.write('\n--- File {} sent ---\n'.format(filename))
|
||||
except IOError as e:
|
||||
sys.stderr.write('--- ERROR opening file {}: {} ---\n'.format(filename, e))
|
||||
|
||||
def change_filter(self):
|
||||
"""change the i/o transformations"""
|
||||
sys.stderr.write('\n--- Available Filters:\n')
|
||||
sys.stderr.write('\n'.join(
|
||||
'--- {:<10} = {.__doc__}'.format(k, v)
|
||||
for k, v in sorted(TRANSFORMATIONS.items())))
|
||||
sys.stderr.write('\n--- Enter new filter name(s) [{}]: '.format(' '.join(self.filters)))
|
||||
with self.console:
|
||||
new_filters = sys.stdin.readline().lower().split()
|
||||
if new_filters:
|
||||
for f in new_filters:
|
||||
if f not in TRANSFORMATIONS:
|
||||
sys.stderr.write('--- unknown filter: {}\n'.format(repr(f)))
|
||||
break
|
||||
else:
|
||||
self.filters = new_filters
|
||||
self.update_transformations()
|
||||
sys.stderr.write('--- filters: {}\n'.format(' '.join(self.filters)))
|
||||
|
||||
def change_encoding(self):
|
||||
"""change encoding on the serial port"""
|
||||
sys.stderr.write('\n--- Enter new encoding name [{}]: '.format(self.input_encoding))
|
||||
with self.console:
|
||||
new_encoding = sys.stdin.readline().strip()
|
||||
if new_encoding:
|
||||
try:
|
||||
codecs.lookup(new_encoding)
|
||||
except LookupError:
|
||||
sys.stderr.write('--- invalid encoding name: {}\n'.format(new_encoding))
|
||||
else:
|
||||
self.set_rx_encoding(new_encoding)
|
||||
self.set_tx_encoding(new_encoding)
|
||||
sys.stderr.write('--- serial input encoding: {}\n'.format(self.input_encoding))
|
||||
sys.stderr.write('--- serial output encoding: {}\n'.format(self.output_encoding))
|
||||
|
||||
def change_baudrate(self):
|
||||
"""change the baudrate"""
|
||||
sys.stderr.write('\n--- Baudrate: ')
|
||||
sys.stderr.flush()
|
||||
with self.console:
|
||||
backup = self.serial.baudrate
|
||||
try:
|
||||
self.serial.baudrate = int(sys.stdin.readline().strip())
|
||||
except ValueError as e:
|
||||
sys.stderr.write('--- ERROR setting baudrate: {} ---\n'.format(e))
|
||||
self.serial.baudrate = backup
|
||||
else:
|
||||
self.dump_port_settings()
|
||||
|
||||
def change_port(self):
|
||||
"""Have a conversation with the user to change the serial port"""
|
||||
with self.console:
|
||||
try:
|
||||
port = ask_for_port()
|
||||
except KeyboardInterrupt:
|
||||
port = None
|
||||
if port and port != self.serial.port:
|
||||
# reader thread needs to be shut down
|
||||
self._stop_reader()
|
||||
# save settings
|
||||
settings = self.serial.getSettingsDict()
|
||||
try:
|
||||
new_serial = serial.serial_for_url(port, do_not_open=True)
|
||||
# restore settings and open
|
||||
new_serial.applySettingsDict(settings)
|
||||
new_serial.rts = self.serial.rts
|
||||
new_serial.dtr = self.serial.dtr
|
||||
new_serial.open()
|
||||
new_serial.break_condition = self.serial.break_condition
|
||||
except Exception as e:
|
||||
sys.stderr.write('--- ERROR opening new port: {} ---\n'.format(e))
|
||||
new_serial.close()
|
||||
else:
|
||||
self.serial.close()
|
||||
self.serial = new_serial
|
||||
sys.stderr.write('--- Port changed to: {} ---\n'.format(self.serial.port))
|
||||
# and restart the reader thread
|
||||
self._start_reader()
|
||||
|
||||
def suspend_port(self):
|
||||
"""\
|
||||
open port temporarily, allow reconnect, exit and port change to get
|
||||
out of the loop
|
||||
"""
|
||||
# reader thread needs to be shut down
|
||||
self._stop_reader()
|
||||
self.serial.close()
|
||||
sys.stderr.write('\n--- Port closed: {} ---\n'.format(self.serial.port))
|
||||
do_change_port = False
|
||||
while not self.serial.is_open:
|
||||
sys.stderr.write('--- Quit: {exit} | p: port change | any other key to reconnect ---\n'.format(
|
||||
exit=key_description(self.exit_character)))
|
||||
k = self.console.getkey()
|
||||
if k == self.exit_character:
|
||||
self.stop() # exit app
|
||||
break
|
||||
elif k in 'pP':
|
||||
do_change_port = True
|
||||
break
|
||||
try:
|
||||
self.serial.open()
|
||||
except Exception as e:
|
||||
sys.stderr.write('--- ERROR opening port: {} ---\n'.format(e))
|
||||
if do_change_port:
|
||||
self.change_port()
|
||||
else:
|
||||
# and restart the reader thread
|
||||
self._start_reader()
|
||||
sys.stderr.write('--- Port opened: {} ---\n'.format(self.serial.port))
|
||||
|
||||
def get_help_text(self):
|
||||
"""return the help text"""
|
||||
# help text, starts with blank line!
|
||||
return """
|
||||
--- pySerial ({version}) - miniterm - help
|
||||
---
|
||||
--- {exit:8} Exit program
|
||||
--- {menu:8} Menu escape key, followed by:
|
||||
--- Menu keys:
|
||||
--- {menu:7} Send the menu character itself to remote
|
||||
--- {exit:7} Send the exit character itself to remote
|
||||
--- {info:7} Show info
|
||||
--- {upload:7} Upload file (prompt will be shown)
|
||||
--- {repr:7} encoding
|
||||
--- {filter:7} edit filters
|
||||
--- Toggles:
|
||||
--- {rts:7} RTS {dtr:7} DTR {brk:7} BREAK
|
||||
--- {echo:7} echo {eol:7} EOL
|
||||
---
|
||||
--- Port settings ({menu} followed by the following):
|
||||
--- p change port
|
||||
--- 7 8 set data bits
|
||||
--- N E O S M change parity (None, Even, Odd, Space, Mark)
|
||||
--- 1 2 3 set stop bits (1, 2, 1.5)
|
||||
--- b change baud rate
|
||||
--- x X disable/enable software flow control
|
||||
--- r R disable/enable hardware flow control
|
||||
""".format(version=getattr(serial, 'VERSION', 'unknown version'),
|
||||
exit=key_description(self.exit_character),
|
||||
menu=key_description(self.menu_character),
|
||||
rts=key_description('\x12'),
|
||||
dtr=key_description('\x04'),
|
||||
brk=key_description('\x02'),
|
||||
echo=key_description('\x05'),
|
||||
info=key_description('\x09'),
|
||||
upload=key_description('\x15'),
|
||||
repr=key_description('\x01'),
|
||||
filter=key_description('\x06'),
|
||||
eol=key_description('\x0c'))
|
||||
|
||||
|
||||
# - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
|
||||
# default args can be used to override when calling main() from an other script
|
||||
# e.g to create a miniterm-my-device.py
|
||||
def main(default_port=None, default_baudrate=9600, default_rts=None, default_dtr=None):
|
||||
"""Command line tool, entry point"""
|
||||
|
||||
import argparse
|
||||
|
||||
parser = argparse.ArgumentParser(
|
||||
description="Miniterm - A simple terminal program for the serial port.")
|
||||
|
||||
parser.add_argument(
|
||||
"port",
|
||||
nargs='?',
|
||||
help="serial port name ('-' to show port list)",
|
||||
default=default_port)
|
||||
|
||||
parser.add_argument(
|
||||
"baudrate",
|
||||
nargs='?',
|
||||
type=int,
|
||||
help="set baud rate, default: %(default)s",
|
||||
default=default_baudrate)
|
||||
|
||||
group = parser.add_argument_group("port settings")
|
||||
|
||||
group.add_argument(
|
||||
"--parity",
|
||||
choices=['N', 'E', 'O', 'S', 'M'],
|
||||
type=lambda c: c.upper(),
|
||||
help="set parity, one of {N E O S M}, default: N",
|
||||
default='N')
|
||||
|
||||
group.add_argument(
|
||||
"--rtscts",
|
||||
action="store_true",
|
||||
help="enable RTS/CTS flow control (default off)",
|
||||
default=False)
|
||||
|
||||
group.add_argument(
|
||||
"--xonxoff",
|
||||
action="store_true",
|
||||
help="enable software flow control (default off)",
|
||||
default=False)
|
||||
|
||||
group.add_argument(
|
||||
"--rts",
|
||||
type=int,
|
||||
help="set initial RTS line state (possible values: 0, 1)",
|
||||
default=default_rts)
|
||||
|
||||
group.add_argument(
|
||||
"--dtr",
|
||||
type=int,
|
||||
help="set initial DTR line state (possible values: 0, 1)",
|
||||
default=default_dtr)
|
||||
|
||||
group.add_argument(
|
||||
"--ask",
|
||||
action="store_true",
|
||||
help="ask again for port when open fails",
|
||||
default=False)
|
||||
|
||||
group = parser.add_argument_group("data handling")
|
||||
|
||||
group.add_argument(
|
||||
"-e", "--echo",
|
||||
action="store_true",
|
||||
help="enable local echo (default off)",
|
||||
default=False)
|
||||
|
||||
group.add_argument(
|
||||
"--encoding",
|
||||
dest="serial_port_encoding",
|
||||
metavar="CODEC",
|
||||
help="set the encoding for the serial port (e.g. hexlify, Latin1, UTF-8), default: %(default)s",
|
||||
default='UTF-8')
|
||||
|
||||
group.add_argument(
|
||||
"-f", "--filter",
|
||||
action="append",
|
||||
metavar="NAME",
|
||||
help="add text transformation",
|
||||
default=[])
|
||||
|
||||
group.add_argument(
|
||||
"--eol",
|
||||
choices=['CR', 'LF', 'CRLF'],
|
||||
type=lambda c: c.upper(),
|
||||
help="end of line mode",
|
||||
default='CRLF')
|
||||
|
||||
group.add_argument(
|
||||
"--raw",
|
||||
action="store_true",
|
||||
help="Do no apply any encodings/transformations",
|
||||
default=False)
|
||||
|
||||
group = parser.add_argument_group("hotkeys")
|
||||
|
||||
group.add_argument(
|
||||
"--exit-char",
|
||||
type=int,
|
||||
metavar='NUM',
|
||||
help="Unicode of special character that is used to exit the application, default: %(default)s",
|
||||
default=0x1d) # GS/CTRL+]
|
||||
|
||||
group.add_argument(
|
||||
"--menu-char",
|
||||
type=int,
|
||||
metavar='NUM',
|
||||
help="Unicode code of special character that is used to control miniterm (menu), default: %(default)s",
|
||||
default=0x14) # Menu: CTRL+T
|
||||
|
||||
group = parser.add_argument_group("diagnostics")
|
||||
|
||||
group.add_argument(
|
||||
"-q", "--quiet",
|
||||
action="store_true",
|
||||
help="suppress non-error messages",
|
||||
default=False)
|
||||
|
||||
group.add_argument(
|
||||
"--develop",
|
||||
action="store_true",
|
||||
help="show Python traceback on error",
|
||||
default=False)
|
||||
|
||||
args = parser.parse_args()
|
||||
|
||||
if args.menu_char == args.exit_char:
|
||||
parser.error('--exit-char can not be the same as --menu-char')
|
||||
|
||||
if args.filter:
|
||||
if 'help' in args.filter:
|
||||
sys.stderr.write('Available filters:\n')
|
||||
sys.stderr.write('\n'.join(
|
||||
'{:<10} = {.__doc__}'.format(k, v)
|
||||
for k, v in sorted(TRANSFORMATIONS.items())))
|
||||
sys.stderr.write('\n')
|
||||
sys.exit(1)
|
||||
filters = args.filter
|
||||
else:
|
||||
filters = ['default']
|
||||
|
||||
while True:
|
||||
# no port given on command line -> ask user now
|
||||
if args.port is None or args.port == '-':
|
||||
try:
|
||||
args.port = ask_for_port()
|
||||
except KeyboardInterrupt:
|
||||
sys.stderr.write('\n')
|
||||
parser.error('user aborted and port is not given')
|
||||
else:
|
||||
if not args.port:
|
||||
parser.error('port is not given')
|
||||
try:
|
||||
serial_instance = serial.serial_for_url(
|
||||
args.port,
|
||||
args.baudrate,
|
||||
parity=args.parity,
|
||||
rtscts=args.rtscts,
|
||||
xonxoff=args.xonxoff,
|
||||
do_not_open=True)
|
||||
|
||||
if not hasattr(serial_instance, 'cancel_read'):
|
||||
# enable timeout for alive flag polling if cancel_read is not available
|
||||
serial_instance.timeout = 1
|
||||
|
||||
if args.dtr is not None:
|
||||
if not args.quiet:
|
||||
sys.stderr.write('--- forcing DTR {}\n'.format('active' if args.dtr else 'inactive'))
|
||||
serial_instance.dtr = args.dtr
|
||||
if args.rts is not None:
|
||||
if not args.quiet:
|
||||
sys.stderr.write('--- forcing RTS {}\n'.format('active' if args.rts else 'inactive'))
|
||||
serial_instance.rts = args.rts
|
||||
|
||||
serial_instance.open()
|
||||
except serial.SerialException as e:
|
||||
sys.stderr.write('could not open port {}: {}\n'.format(repr(args.port), e))
|
||||
if args.develop:
|
||||
raise
|
||||
if not args.ask:
|
||||
sys.exit(1)
|
||||
else:
|
||||
args.port = '-'
|
||||
else:
|
||||
break
|
||||
|
||||
miniterm = Miniterm(
|
||||
serial_instance,
|
||||
echo=args.echo,
|
||||
eol=args.eol.lower(),
|
||||
filters=filters)
|
||||
miniterm.exit_character = unichr(args.exit_char)
|
||||
miniterm.menu_character = unichr(args.menu_char)
|
||||
miniterm.raw = args.raw
|
||||
miniterm.set_rx_encoding(args.serial_port_encoding)
|
||||
miniterm.set_tx_encoding(args.serial_port_encoding)
|
||||
|
||||
if not args.quiet:
|
||||
sys.stderr.write('--- Miniterm on {p.name} {p.baudrate},{p.bytesize},{p.parity},{p.stopbits} ---\n'.format(
|
||||
p=miniterm.serial))
|
||||
sys.stderr.write('--- Quit: {} | Menu: {} | Help: {} followed by {} ---\n'.format(
|
||||
key_description(miniterm.exit_character),
|
||||
key_description(miniterm.menu_character),
|
||||
key_description(miniterm.menu_character),
|
||||
key_description('\x08')))
|
||||
|
||||
miniterm.start()
|
||||
try:
|
||||
miniterm.join(True)
|
||||
except KeyboardInterrupt:
|
||||
pass
|
||||
if not args.quiet:
|
||||
sys.stderr.write("\n--- exit ---\n")
|
||||
miniterm.join()
|
||||
miniterm.close()
|
||||
|
||||
# - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
|
||||
if __name__ == '__main__':
|
||||
main()
|
||||
BIN
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/nano-broker
Executable file
BIN
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/nano-broker
Executable file
Binary file not shown.
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/nosetests
Executable file
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/nosetests
Executable file
@@ -0,0 +1,12 @@
|
||||
#!/var/pycore/bin/python3
|
||||
# EASY-INSTALL-ENTRY-SCRIPT: 'nose==1.3.7','console_scripts','nosetests'
|
||||
__requires__ = 'nose==1.3.7'
|
||||
import re
|
||||
import sys
|
||||
from pkg_resources import load_entry_point
|
||||
|
||||
if __name__ == '__main__':
|
||||
sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0])
|
||||
sys.exit(
|
||||
load_entry_point('nose==1.3.7', 'console_scripts', 'nosetests')()
|
||||
)
|
||||
@@ -0,0 +1,12 @@
|
||||
#!/var/pycore/bin/python3
|
||||
# EASY-INSTALL-ENTRY-SCRIPT: 'nose==1.3.7','console_scripts','nosetests-3.7'
|
||||
__requires__ = 'nose==1.3.7'
|
||||
import re
|
||||
import sys
|
||||
from pkg_resources import load_entry_point
|
||||
|
||||
if __name__ == '__main__':
|
||||
sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0])
|
||||
sys.exit(
|
||||
load_entry_point('nose==1.3.7', 'console_scripts', 'nosetests-3.7')()
|
||||
)
|
||||
10
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/pidproxy
Executable file
10
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/pidproxy
Executable file
@@ -0,0 +1,10 @@
|
||||
#!/var/pycore/bin/python3
|
||||
# -*- coding: utf-8 -*-
|
||||
import re
|
||||
import sys
|
||||
|
||||
from supervisor.pidproxy import main
|
||||
|
||||
if __name__ == '__main__':
|
||||
sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0])
|
||||
sys.exit(main())
|
||||
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/pip
Executable file
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/pip
Executable file
@@ -0,0 +1,12 @@
|
||||
#!/var/pycore/bin/python3
|
||||
# EASY-INSTALL-ENTRY-SCRIPT: 'pip==19.0.3','console_scripts','pip'
|
||||
__requires__ = 'pip==19.0.3'
|
||||
import re
|
||||
import sys
|
||||
from pkg_resources import load_entry_point
|
||||
|
||||
if __name__ == '__main__':
|
||||
sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0])
|
||||
sys.exit(
|
||||
load_entry_point('pip==19.0.3', 'console_scripts', 'pip')()
|
||||
)
|
||||
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/pip3
Executable file
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/pip3
Executable file
@@ -0,0 +1,12 @@
|
||||
#!/var/pycore/bin/python3
|
||||
# EASY-INSTALL-ENTRY-SCRIPT: 'pip==19.0.3','console_scripts','pip3'
|
||||
__requires__ = 'pip==19.0.3'
|
||||
import re
|
||||
import sys
|
||||
from pkg_resources import load_entry_point
|
||||
|
||||
if __name__ == '__main__':
|
||||
sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0])
|
||||
sys.exit(
|
||||
load_entry_point('pip==19.0.3', 'console_scripts', 'pip3')()
|
||||
)
|
||||
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/pip3.7
Executable file
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/pip3.7
Executable file
@@ -0,0 +1,12 @@
|
||||
#!/var/pycore/bin/python3
|
||||
# EASY-INSTALL-ENTRY-SCRIPT: 'pip==19.0.3','console_scripts','pip3.7'
|
||||
__requires__ = 'pip==19.0.3'
|
||||
import re
|
||||
import sys
|
||||
from pkg_resources import load_entry_point
|
||||
|
||||
if __name__ == '__main__':
|
||||
sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0])
|
||||
sys.exit(
|
||||
load_entry_point('pip==19.0.3', 'console_scripts', 'pip3.7')()
|
||||
)
|
||||
203
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/pkg_app.py
Executable file
203
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/pkg_app.py
Executable file
@@ -0,0 +1,203 @@
|
||||
#!/var/pycore/bin/python
|
||||
# -*- coding: utf-8 -*-
|
||||
'''
|
||||
package python app
|
||||
Created on 2019/3/11
|
||||
@author: CC
|
||||
'''
|
||||
import os
|
||||
import sys
|
||||
import shutil
|
||||
#import commands
|
||||
import strict_rfc3339
|
||||
import time
|
||||
import json
|
||||
|
||||
pyapp_base_dir = '/var/user/app/'
|
||||
pyapp_lib_dir = '/var/user/lib/'
|
||||
pycore_bin_dir = '/var/pycore/bin/'
|
||||
fw_info_file = '/tmp/fwinfo.txt'
|
||||
pyapp_name = None
|
||||
pyapp_name_bak = None
|
||||
pyapp_version = None
|
||||
pyapp_rsa_pri_key = '/etc/dm/rsa_pyapp_private.key'
|
||||
pyapp_pri_pw = 'mp2rXSXumnQoQ4aFIVJHuM0VGX0jTWIbgp7c3OqC47WdLImWAozxwIfEf2t4CbjE5AyKrOmP0hymS6wPyNGY136muWZ7zHPiBto4YCK8rtIKa4OGMVvm1x3uZ+iy81DxusGU+kYBhPYotaEmFAg8S58ukM4FKEbcJlVw1lqL8+g='
|
||||
|
||||
def help():
|
||||
print("Usage:")
|
||||
print(" pkg_app.py <appname> <app_version>")
|
||||
|
||||
sys.exit(-1)
|
||||
|
||||
def get_app_base_dir():
|
||||
global pyapp_base_dir
|
||||
global pyapp_lib_dir
|
||||
|
||||
if not os.access(fw_info_file, os.F_OK):
|
||||
return False
|
||||
|
||||
with open(fw_info_file, "r") as fp:
|
||||
fw_info = fp.read().replace("'", "\"")
|
||||
model_name = json.loads(fw_info)['model_name']
|
||||
model_name = model_name.strip()
|
||||
if model_name.find('501L') >= 0 or model_name.find('902') >= 0 or model_name.find('502') >= 0:
|
||||
pyapp_base_dir = '/var/user/app/'
|
||||
pyapp_lib_dir = '/var/user/lib/'
|
||||
else:
|
||||
pyapp_base_dir = '/var/app/'
|
||||
pyapp_lib_dir = '/var/app/lib/'
|
||||
|
||||
|
||||
def get_app_version():
|
||||
global pyapp_version
|
||||
global pyapp_name
|
||||
|
||||
pyapp_dir = pyapp_base_dir + pyapp_name
|
||||
app_setup_file = pyapp_dir + '/' + 'setup.py'
|
||||
|
||||
if not os.access(app_setup_file, os.F_OK):
|
||||
return False
|
||||
|
||||
with open(app_setup_file, "r", encoding='utf-8') as f:
|
||||
for rline in f.readlines():
|
||||
if "version" in rline and "sdk_version" not in rline and "=" in rline:
|
||||
pyapp_version = rline.split("=", 1)[1][1:-3]
|
||||
break
|
||||
|
||||
|
||||
def generate_app_info():
|
||||
global pyapp_name
|
||||
|
||||
pyapp_dir = pyapp_base_dir + pyapp_name
|
||||
app_info_file = pyapp_dir + '/' + pyapp_name + '.info'
|
||||
app_setup_file = pyapp_dir + '/' + 'setup.py'
|
||||
|
||||
if not os.access(app_setup_file, os.F_OK):
|
||||
return False
|
||||
|
||||
with open(app_setup_file, "r", encoding='utf-8') as f:
|
||||
info = {}
|
||||
for rline in f.readlines():
|
||||
if "name" in rline and "=" in rline:
|
||||
info["name"] = rline.split("=", 1)[1][1:-3]
|
||||
if "sdk_version" in rline and "=" in rline:
|
||||
info["sdk_version"] = rline.split("=", 1)[1][1:-3]
|
||||
elif "version" in rline and "sdk_version" not in rline and "=" in rline:
|
||||
info["version"] = rline.split("=", 1)[1][1:-3]
|
||||
if "author" in rline and "=" in rline:
|
||||
info["author"] = rline.split("=", 1)[1][1:-3]
|
||||
|
||||
with open(app_info_file, "w") as fp:
|
||||
json.dump(info, fp)
|
||||
|
||||
|
||||
def pkg_app():
|
||||
pyapp_dir = pyapp_base_dir + pyapp_name
|
||||
if not os.path.exists(pyapp_dir):
|
||||
return False
|
||||
|
||||
cmd = 'rm -f %s/*.tar.gz' % (pyapp_dir)
|
||||
os.system(cmd)
|
||||
|
||||
app_info = pyapp_dir + '/' + pyapp_name + '.info'
|
||||
if not os.path.exists(app_info):
|
||||
print("This APP is invalid!")
|
||||
return False
|
||||
|
||||
pyapp_bak_dir = pyapp_base_dir + pyapp_name_bak
|
||||
|
||||
cmd = 'rm -rf %s;mkdir -p %s' % (pyapp_bak_dir, pyapp_bak_dir)
|
||||
os.system(cmd)
|
||||
|
||||
cmd = 'rm -rf %s/build' % (pyapp_dir)
|
||||
os.system(cmd)
|
||||
|
||||
cmd = 'cp -rf %s %s/' % (pyapp_dir, pyapp_bak_dir)
|
||||
os.system(cmd)
|
||||
|
||||
cmd = 'rm -rf %s/%s/.vscode' % (pyapp_bak_dir, pyapp_name)
|
||||
os.system(cmd)
|
||||
|
||||
cmd = 'rm -rf %s/%s/build' % (pyapp_bak_dir, pyapp_name)
|
||||
os.system(cmd)
|
||||
|
||||
cmd = 'cp -rf %s %s/' % (pyapp_lib_dir, pyapp_bak_dir)
|
||||
os.system(cmd)
|
||||
|
||||
pip_dir=pycore_bin_dir + 'pip2'
|
||||
if os.access(pip_dir, os.F_OK):
|
||||
cmd = 'find %s/%s/src -name "*.py"|xargs python -m compileall 1>/dev/null' % (pyapp_bak_dir, pyapp_name)
|
||||
os.system(cmd)
|
||||
cmd = 'find %s/%s/lib -name "*.py"|xargs python -m compileall 1>/dev/null' % (pyapp_bak_dir, pyapp_name)
|
||||
os.system(cmd)
|
||||
else:
|
||||
cmd = 'find %s/%s/src -name "*.py"|xargs python -m compileall -b 1>/dev/null' % (pyapp_bak_dir, pyapp_name)
|
||||
os.system(cmd)
|
||||
cmd = 'find %s/%s/lib -name "*.py"|xargs python -m compileall -b 1>/dev/null' % (pyapp_bak_dir, pyapp_name)
|
||||
os.system(cmd)
|
||||
|
||||
cmd = 'find %s/%s/src -name "*.py" | xargs rm -rf' % (pyapp_bak_dir, pyapp_name)
|
||||
os.system(cmd)
|
||||
|
||||
app_lib_dir = pyapp_bak_dir + '/' + pyapp_name + '/lib'
|
||||
if os.access(app_lib_dir, os.F_OK):
|
||||
cmd = 'find %s/%s/lib -name "*.py" | xargs rm -rf' % (pyapp_bak_dir, pyapp_name)
|
||||
os.system(cmd)
|
||||
|
||||
#cmd = 'ln -s %s/%s/src/main.pyc /tmp/%s/bin/%s' % (pyapp_base_dir, pyapp_name, pyapp_name, pyapp_name)
|
||||
#os.system(cmd)
|
||||
|
||||
app_bak_info = pyapp_bak_dir + '/' + pyapp_name + '/' + pyapp_name + '.info'
|
||||
cmd = 'rm -f %s' % (app_bak_info)
|
||||
os.system(cmd)
|
||||
|
||||
cmd = 'cd %s;tar -czf %s-V%s.tar.gz lib %s' % (pyapp_bak_dir, pyapp_name, pyapp_version, pyapp_name)
|
||||
os.system(cmd)
|
||||
|
||||
cmd = 'openssl2 enc -d -aes256 -in %s -out %s/%s.key -pass pass:%s' % (pyapp_rsa_pri_key, pyapp_bak_dir, pyapp_name, pyapp_pri_pw)
|
||||
os.system(cmd)
|
||||
|
||||
cmd = 'openssl2 dgst -sign %s/%s.key -sha1 -out %s/%s.sign %s/%s-V%s.tar.gz' % (pyapp_bak_dir, pyapp_name, pyapp_bak_dir, pyapp_name, pyapp_bak_dir, pyapp_name, pyapp_version)
|
||||
os.system(cmd)
|
||||
|
||||
cmd = 'cp %s %s;cd %s;tar -czf %s-V%s.tar.gz %s-V%s.tar.gz %s.info %s.sign' % (app_info, pyapp_bak_dir, pyapp_bak_dir, pyapp_name_bak, pyapp_version, pyapp_name, pyapp_version, pyapp_name, pyapp_name)
|
||||
os.system(cmd)
|
||||
|
||||
build_app_dir = pyapp_dir + '/build'
|
||||
if not os.access(build_app_dir, os.F_OK):
|
||||
os.mkdir(build_app_dir)
|
||||
|
||||
cmd = 'mv %s/%s-V%s.tar.gz %s/%s-V%s.tar.gz' % (pyapp_bak_dir, pyapp_name_bak, pyapp_version, build_app_dir, pyapp_name, pyapp_version)
|
||||
os.system(cmd)
|
||||
|
||||
cmd = 'rm -rf %s' % (pyapp_bak_dir)
|
||||
os.system(cmd)
|
||||
|
||||
|
||||
if __name__ == '__main__':
|
||||
if len(sys.argv) < 2:
|
||||
help()
|
||||
|
||||
pyapp_name = sys.argv[1]
|
||||
pyapp_name = pyapp_name.strip()
|
||||
pyapp_name = pyapp_name.rstrip('/')
|
||||
pyapp_name_bak = pyapp_name + 'bak'
|
||||
#pyapp_version = sys.argv[2]
|
||||
|
||||
get_app_base_dir()
|
||||
app_dir = pyapp_base_dir + pyapp_name
|
||||
if not os.path.exists(app_dir):
|
||||
sys.exit(0)
|
||||
|
||||
app_bak_dir = pyapp_base_dir + pyapp_name_bak
|
||||
cmd = 'rm -rf %s' % (app_bak_dir)
|
||||
os.system(cmd)
|
||||
|
||||
get_app_version()
|
||||
|
||||
if pyapp_name.strip() == "" or pyapp_version.strip() == "":
|
||||
help()
|
||||
|
||||
generate_app_info()
|
||||
pkg_app()
|
||||
|
||||
@@ -0,0 +1 @@
|
||||
python3
|
||||
BIN
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/python3
Executable file
BIN
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/python3
Executable file
Binary file not shown.
@@ -0,0 +1,10 @@
|
||||
#!/var/pycore/bin/python3
|
||||
# -*- coding: utf-8 -*-
|
||||
import re
|
||||
import sys
|
||||
|
||||
from supervisor.supervisorctl import main
|
||||
|
||||
if __name__ == '__main__':
|
||||
sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0])
|
||||
sys.exit(main())
|
||||
10
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/supervisord
Executable file
10
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/supervisord
Executable file
@@ -0,0 +1,10 @@
|
||||
#!/var/pycore/bin/python3
|
||||
# -*- coding: utf-8 -*-
|
||||
import re
|
||||
import sys
|
||||
|
||||
from supervisor.supervisord import main
|
||||
|
||||
if __name__ == '__main__':
|
||||
sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0])
|
||||
sys.exit(main())
|
||||
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/uabrowse
Executable file
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/uabrowse
Executable file
@@ -0,0 +1,12 @@
|
||||
#!/var/pycore/bin/python
|
||||
# EASY-INSTALL-ENTRY-SCRIPT: 'opcua==0.98.9','console_scripts','uabrowse'
|
||||
__requires__ = 'opcua==0.98.9'
|
||||
import re
|
||||
import sys
|
||||
from pkg_resources import load_entry_point
|
||||
|
||||
if __name__ == '__main__':
|
||||
sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0])
|
||||
sys.exit(
|
||||
load_entry_point('opcua==0.98.9', 'console_scripts', 'uabrowse')()
|
||||
)
|
||||
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/uacall
Executable file
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/uacall
Executable file
@@ -0,0 +1,12 @@
|
||||
#!/var/pycore/bin/python
|
||||
# EASY-INSTALL-ENTRY-SCRIPT: 'opcua==0.98.9','console_scripts','uacall'
|
||||
__requires__ = 'opcua==0.98.9'
|
||||
import re
|
||||
import sys
|
||||
from pkg_resources import load_entry_point
|
||||
|
||||
if __name__ == '__main__':
|
||||
sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0])
|
||||
sys.exit(
|
||||
load_entry_point('opcua==0.98.9', 'console_scripts', 'uacall')()
|
||||
)
|
||||
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/uaclient
Executable file
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/uaclient
Executable file
@@ -0,0 +1,12 @@
|
||||
#!/var/pycore/bin/python
|
||||
# EASY-INSTALL-ENTRY-SCRIPT: 'opcua==0.98.9','console_scripts','uaclient'
|
||||
__requires__ = 'opcua==0.98.9'
|
||||
import re
|
||||
import sys
|
||||
from pkg_resources import load_entry_point
|
||||
|
||||
if __name__ == '__main__':
|
||||
sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0])
|
||||
sys.exit(
|
||||
load_entry_point('opcua==0.98.9', 'console_scripts', 'uaclient')()
|
||||
)
|
||||
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/uadiscover
Executable file
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/uadiscover
Executable file
@@ -0,0 +1,12 @@
|
||||
#!/var/pycore/bin/python
|
||||
# EASY-INSTALL-ENTRY-SCRIPT: 'opcua==0.98.9','console_scripts','uadiscover'
|
||||
__requires__ = 'opcua==0.98.9'
|
||||
import re
|
||||
import sys
|
||||
from pkg_resources import load_entry_point
|
||||
|
||||
if __name__ == '__main__':
|
||||
sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0])
|
||||
sys.exit(
|
||||
load_entry_point('opcua==0.98.9', 'console_scripts', 'uadiscover')()
|
||||
)
|
||||
@@ -0,0 +1,12 @@
|
||||
#!/var/pycore/bin/python
|
||||
# EASY-INSTALL-ENTRY-SCRIPT: 'opcua==0.98.9','console_scripts','uahistoryread'
|
||||
__requires__ = 'opcua==0.98.9'
|
||||
import re
|
||||
import sys
|
||||
from pkg_resources import load_entry_point
|
||||
|
||||
if __name__ == '__main__':
|
||||
sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0])
|
||||
sys.exit(
|
||||
load_entry_point('opcua==0.98.9', 'console_scripts', 'uahistoryread')()
|
||||
)
|
||||
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/uals
Executable file
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/uals
Executable file
@@ -0,0 +1,12 @@
|
||||
#!/var/pycore/bin/python
|
||||
# EASY-INSTALL-ENTRY-SCRIPT: 'opcua==0.98.9','console_scripts','uals'
|
||||
__requires__ = 'opcua==0.98.9'
|
||||
import re
|
||||
import sys
|
||||
from pkg_resources import load_entry_point
|
||||
|
||||
if __name__ == '__main__':
|
||||
sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0])
|
||||
sys.exit(
|
||||
load_entry_point('opcua==0.98.9', 'console_scripts', 'uals')()
|
||||
)
|
||||
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/uaread
Executable file
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/uaread
Executable file
@@ -0,0 +1,12 @@
|
||||
#!/var/pycore/bin/python
|
||||
# EASY-INSTALL-ENTRY-SCRIPT: 'opcua==0.98.9','console_scripts','uaread'
|
||||
__requires__ = 'opcua==0.98.9'
|
||||
import re
|
||||
import sys
|
||||
from pkg_resources import load_entry_point
|
||||
|
||||
if __name__ == '__main__':
|
||||
sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0])
|
||||
sys.exit(
|
||||
load_entry_point('opcua==0.98.9', 'console_scripts', 'uaread')()
|
||||
)
|
||||
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/uaserver
Executable file
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/uaserver
Executable file
@@ -0,0 +1,12 @@
|
||||
#!/var/pycore/bin/python
|
||||
# EASY-INSTALL-ENTRY-SCRIPT: 'opcua==0.98.9','console_scripts','uaserver'
|
||||
__requires__ = 'opcua==0.98.9'
|
||||
import re
|
||||
import sys
|
||||
from pkg_resources import load_entry_point
|
||||
|
||||
if __name__ == '__main__':
|
||||
sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0])
|
||||
sys.exit(
|
||||
load_entry_point('opcua==0.98.9', 'console_scripts', 'uaserver')()
|
||||
)
|
||||
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/uasubscribe
Executable file
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/uasubscribe
Executable file
@@ -0,0 +1,12 @@
|
||||
#!/var/pycore/bin/python
|
||||
# EASY-INSTALL-ENTRY-SCRIPT: 'opcua==0.98.9','console_scripts','uasubscribe'
|
||||
__requires__ = 'opcua==0.98.9'
|
||||
import re
|
||||
import sys
|
||||
from pkg_resources import load_entry_point
|
||||
|
||||
if __name__ == '__main__':
|
||||
sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0])
|
||||
sys.exit(
|
||||
load_entry_point('opcua==0.98.9', 'console_scripts', 'uasubscribe')()
|
||||
)
|
||||
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/uawrite
Executable file
12
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/uawrite
Executable file
@@ -0,0 +1,12 @@
|
||||
#!/var/pycore/bin/python
|
||||
# EASY-INSTALL-ENTRY-SCRIPT: 'opcua==0.98.9','console_scripts','uawrite'
|
||||
__requires__ = 'opcua==0.98.9'
|
||||
import re
|
||||
import sys
|
||||
from pkg_resources import load_entry_point
|
||||
|
||||
if __name__ == '__main__':
|
||||
sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0])
|
||||
sys.exit(
|
||||
load_entry_point('opcua==0.98.9', 'console_scripts', 'uawrite')()
|
||||
)
|
||||
106
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/xml2-config
Executable file
106
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/xml2-config
Executable file
@@ -0,0 +1,106 @@
|
||||
#! /bin/sh
|
||||
|
||||
prefix=/opt/IG9/system/libxml2/build
|
||||
exec_prefix=${prefix}
|
||||
includedir=${prefix}/include
|
||||
libdir=${exec_prefix}/lib
|
||||
|
||||
usage()
|
||||
{
|
||||
cat <<EOF
|
||||
Usage: xml2-config [OPTION]
|
||||
|
||||
Known values for OPTION are:
|
||||
|
||||
--prefix=DIR change libxml prefix [default $prefix]
|
||||
--exec-prefix=DIR change libxml exec prefix [default $exec_prefix]
|
||||
--libs print library linking information
|
||||
--cflags print pre-processor and compiler flags
|
||||
--modules module support enabled
|
||||
--help display this help and exit
|
||||
--version output version information
|
||||
EOF
|
||||
|
||||
exit $1
|
||||
}
|
||||
|
||||
if test $# -eq 0; then
|
||||
usage 1
|
||||
fi
|
||||
|
||||
cflags=false
|
||||
libs=false
|
||||
|
||||
while test $# -gt 0; do
|
||||
case "$1" in
|
||||
-*=*) optarg=`echo "$1" | sed 's/[-_a-zA-Z0-9]*=//'` ;;
|
||||
*) optarg= ;;
|
||||
esac
|
||||
|
||||
case "$1" in
|
||||
--prefix=*)
|
||||
prefix=$optarg
|
||||
includedir=$prefix/include
|
||||
libdir=$prefix/lib
|
||||
;;
|
||||
|
||||
--prefix)
|
||||
echo $prefix
|
||||
;;
|
||||
|
||||
--exec-prefix=*)
|
||||
exec_prefix=$optarg
|
||||
libdir=$exec_prefix/lib
|
||||
;;
|
||||
|
||||
--exec-prefix)
|
||||
echo $exec_prefix
|
||||
;;
|
||||
|
||||
--version)
|
||||
echo 2.9.8
|
||||
exit 0
|
||||
;;
|
||||
|
||||
--help)
|
||||
usage 0
|
||||
;;
|
||||
|
||||
--cflags)
|
||||
echo -I${includedir}/libxml2
|
||||
;;
|
||||
|
||||
--libtool-libs)
|
||||
if [ -r ${libdir}/libxml2.la ]
|
||||
then
|
||||
echo ${libdir}/libxml2.la
|
||||
fi
|
||||
;;
|
||||
|
||||
--modules)
|
||||
echo 1
|
||||
;;
|
||||
|
||||
--libs)
|
||||
if [ "`uname`" = "Linux" ]
|
||||
then
|
||||
if [ "-L${libdir}" = "-L/usr/lib" -o "-L${libdir}" = "-L/usr/lib64" ]
|
||||
then
|
||||
echo -lxml2 -lm -ldl
|
||||
else
|
||||
echo -L${libdir} -lxml2 -lm -ldl
|
||||
fi
|
||||
else
|
||||
echo -L${libdir} -lxml2 -lm -ldl
|
||||
fi
|
||||
;;
|
||||
|
||||
*)
|
||||
usage
|
||||
exit 1
|
||||
;;
|
||||
esac
|
||||
shift
|
||||
done
|
||||
|
||||
exit 0
|
||||
BIN
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/xmlcatalog
Executable file
BIN
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/xmlcatalog
Executable file
Binary file not shown.
BIN
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/xmllint
Executable file
BIN
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/xmllint
Executable file
Binary file not shown.
138
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/xslt-config
Executable file
138
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/xslt-config
Executable file
@@ -0,0 +1,138 @@
|
||||
#! /bin/sh
|
||||
|
||||
prefix=/opt/IG9/system/libxslt/build
|
||||
exec_prefix=${prefix}
|
||||
exec_prefix_set=no
|
||||
includedir=${prefix}/include
|
||||
libdir=${exec_prefix}/lib
|
||||
|
||||
usage()
|
||||
{
|
||||
cat <<EOF
|
||||
Usage: xslt-config [OPTION]...
|
||||
|
||||
Known values for OPTION are:
|
||||
|
||||
--prefix=DIR change XSLT prefix [default $prefix]
|
||||
--exec-prefix=DIR change XSLT executable prefix [default $exec_prefix]
|
||||
--libs print library linking information
|
||||
add --dynamic to print only shared libraries
|
||||
--cflags print pre-processor and compiler flags
|
||||
--plugins print plugin directory
|
||||
--help display this help and exit
|
||||
--version output version information
|
||||
EOF
|
||||
|
||||
exit $1
|
||||
}
|
||||
|
||||
if test $# -eq 0; then
|
||||
usage 1
|
||||
fi
|
||||
|
||||
while test $# -gt 0; do
|
||||
case "$1" in
|
||||
-*=*) optarg=`echo "$1" | sed 's/[-_a-zA-Z0-9]*=//'` ;;
|
||||
*) optarg= ;;
|
||||
esac
|
||||
|
||||
case "$1" in
|
||||
--prefix=*)
|
||||
prefix=$optarg
|
||||
includedir=${prefix}/include
|
||||
libdir=${prefix}/lib
|
||||
if test $exec_prefix_set = no ; then
|
||||
exec_prefix=$optarg
|
||||
fi
|
||||
;;
|
||||
|
||||
--prefix)
|
||||
echo $prefix
|
||||
;;
|
||||
|
||||
--exec-prefix=*)
|
||||
exec_prefix=$optarg
|
||||
exec_prefix_set=yes
|
||||
;;
|
||||
|
||||
--exec-prefix)
|
||||
echo $exec_prefix
|
||||
;;
|
||||
|
||||
--version)
|
||||
echo 1.1.34
|
||||
exit 0
|
||||
;;
|
||||
|
||||
--plugins)
|
||||
echo /opt/IG9/system/libxslt/build/lib/libxslt-plugins
|
||||
exit 0
|
||||
;;
|
||||
|
||||
--help)
|
||||
usage 0
|
||||
;;
|
||||
|
||||
--cflags)
|
||||
cflags="-I/opt/IG9/system/libxml2/build/include/libxml2"
|
||||
if test "$includedir" != "/usr/include"; then
|
||||
cflags="$cflags -I${includedir}"
|
||||
fi
|
||||
;;
|
||||
|
||||
--libs)
|
||||
if [ "$2" = "--dynamic" ]; then
|
||||
shift
|
||||
libs="-lxslt -L/opt/IG9/system/libxml2/build/lib -lxml2 -lm -ldl"
|
||||
else
|
||||
libs="-lxslt -L/opt/IG9/system/libxml2/build/lib -lxml2 -lm -ldl -lm"
|
||||
fi
|
||||
|
||||
if [ "-L${libdir}" != "-L/usr/lib" -a "-L${libdir}" != "-L/usr/lib64" ]; then
|
||||
libs="-L${libdir} $libs"
|
||||
fi
|
||||
|
||||
libs="$libs "
|
||||
;;
|
||||
|
||||
*)
|
||||
usage
|
||||
exit 1
|
||||
;;
|
||||
esac
|
||||
shift
|
||||
done
|
||||
|
||||
all_flags="$cflags $libs"
|
||||
|
||||
if test -z "$all_flags" || test "x$all_flags" = "x "; then
|
||||
exit 1
|
||||
fi
|
||||
|
||||
# Straight out any possible duplicates, but be careful to
|
||||
# get `-lfoo -lbar -lbaz' for `-lfoo -lbaz -lbar -lbaz'
|
||||
other_flags=
|
||||
rev_libs=
|
||||
for i in $all_flags; do
|
||||
case "$i" in
|
||||
# a library, save it for later, in reverse order
|
||||
-l*) rev_libs="$i $rev_libs" ;;
|
||||
*)
|
||||
case " $other_flags " in
|
||||
*\ $i\ *) ;; # already there
|
||||
*) other_flags="$other_flags $i" ;; # add it to output
|
||||
esac ;;
|
||||
esac
|
||||
done
|
||||
|
||||
ord_libs=
|
||||
for i in $rev_libs; do
|
||||
case " $ord_libs " in
|
||||
*\ $i\ *) ;; # already there
|
||||
*) ord_libs="$i $ord_libs" ;; # add it to output in reverse order
|
||||
esac
|
||||
done
|
||||
|
||||
echo $other_flags $ord_libs
|
||||
|
||||
exit 0
|
||||
BIN
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/xsltproc
Executable file
BIN
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/bin/xsltproc
Executable file
Binary file not shown.
@@ -0,0 +1,50 @@
|
||||
[unix_http_server]
|
||||
file=/var/run/python/supervisor.sock
|
||||
chmod=0777
|
||||
chown=pyapp:pyapp
|
||||
|
||||
[inet_http_server]
|
||||
port=0.0.0.0:9001
|
||||
|
||||
[supervisord]
|
||||
logfile=/var/app/log/supervisord/supervisord.log
|
||||
logfile_maxbytes=1MB
|
||||
logfile_backups=1
|
||||
pidfile=/var/run/python/supervisord.pid
|
||||
nodaemon=true
|
||||
nocleanup=true
|
||||
childlogdir=/var/app/log
|
||||
user=root
|
||||
|
||||
[rpcinterface:supervisor]
|
||||
; This section is always necessary because supervisor uses RPC internally.
|
||||
supervisor.rpcinterface_factory = supervisor.rpcinterface:make_main_rpcinterface
|
||||
|
||||
[supervisorctl]
|
||||
serverurl=unix:///var/run/python/supervisor.sock
|
||||
|
||||
[program:APPWatcher]
|
||||
priority=100
|
||||
command=APPWatcher -h 127.0.0.1 -p 1883
|
||||
autostart=true
|
||||
autorestart=true
|
||||
startsecs=3
|
||||
startretries=10
|
||||
stderr_logfile=/dev/null
|
||||
stdout_logfile=/dev/null
|
||||
|
||||
[program:VarService]
|
||||
command=python /var/pycore/bin/VarService
|
||||
autostart=false
|
||||
autorestart=true
|
||||
startsecs=5
|
||||
startretries=10
|
||||
redirect_stderr=true
|
||||
stdout_logfile=/var/app/log/VarService/VarService.log
|
||||
stdout_logfile_maxbytes=1MB
|
||||
stdout_logfile_backups=1
|
||||
stdout_capture_maxbytes=1MB
|
||||
|
||||
[include]
|
||||
files = /var/run/python/conf/supervisor_subconf/*.conf
|
||||
|
||||
@@ -0,0 +1,25 @@
|
||||
[group:DM]
|
||||
programs=dt-telnetcpcd,dt-openvpn
|
||||
priority=200
|
||||
|
||||
[program:dt-telnetcpcd]
|
||||
user=root
|
||||
priority=201
|
||||
command=telnetcpcd -c /var/run/python/conf/dt-telnetcpd.conf -p 10001
|
||||
autostart=false
|
||||
autorestart=true
|
||||
startsecs=10
|
||||
startretries=3
|
||||
stderr_logfile=/dev/null
|
||||
stdout_logfile=/dev/null
|
||||
|
||||
[program:dt-openvpn]
|
||||
user=root
|
||||
priority=202
|
||||
command=openvpn --config /var/run/python/conf/dt-ovpn.conf
|
||||
autostart=false
|
||||
autorestart=true
|
||||
startsecs=10
|
||||
startretries=3
|
||||
stderr_logfile=/dev/null
|
||||
stdout_logfile=/dev/null
|
||||
@@ -0,0 +1 @@
|
||||
libboost_atomic.so.1.65.1
|
||||
Binary file not shown.
@@ -0,0 +1 @@
|
||||
libboost_filesystem.so.1.65.1
|
||||
Binary file not shown.
@@ -0,0 +1 @@
|
||||
libboost_program_options.so.1.65.1
|
||||
Binary file not shown.
@@ -0,0 +1 @@
|
||||
libboost_python3.so.1.65.1
|
||||
Binary file not shown.
@@ -0,0 +1 @@
|
||||
libboost_system.so.1.65.1
|
||||
Binary file not shown.
@@ -0,0 +1 @@
|
||||
libboost_thread.so.1.65.1
|
||||
Binary file not shown.
BIN
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/lib/libdb-5.1.so
Executable file
BIN
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/lib/libdb-5.1.so
Executable file
Binary file not shown.
@@ -0,0 +1 @@
|
||||
libdb-5.1.so
|
||||
@@ -0,0 +1 @@
|
||||
libexslt.so.0.8.20
|
||||
@@ -0,0 +1 @@
|
||||
libexslt.so.0.8.20
|
||||
Binary file not shown.
@@ -0,0 +1 @@
|
||||
libpython3.7m.so.1.0
|
||||
Binary file not shown.
@@ -0,0 +1 @@
|
||||
libpython3.7m.so.1.0
|
||||
BIN
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/lib/libsnap7.so
Executable file
BIN
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/lib/libsnap7.so
Executable file
Binary file not shown.
@@ -0,0 +1 @@
|
||||
libxml2.so.2.9.8
|
||||
@@ -0,0 +1 @@
|
||||
libxml2.so.2.9.8
|
||||
BIN
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/lib/libxml2.so.2.9.8
Executable file
BIN
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/lib/libxml2.so.2.9.8
Executable file
Binary file not shown.
@@ -0,0 +1 @@
|
||||
libxslt.so.1.1.34
|
||||
@@ -0,0 +1 @@
|
||||
libxslt.so.1.1.34
|
||||
Binary file not shown.
BIN
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/lib/pyIndustrial.so
Executable file
BIN
IG502 Edge Compute/py3sdk-V1.4.5_Edge-IG5/py3sdk_1.4.5_Edge/lib/pyIndustrial.so
Executable file
Binary file not shown.
@@ -0,0 +1,52 @@
|
||||
Metadata-Version: 1.1
|
||||
Name: bsddb3
|
||||
Version: 6.2.5
|
||||
Summary: Python bindings for Oracle Berkeley DB
|
||||
Home-page: https://www.jcea.es/programacion/pybsddb.htm
|
||||
Author: Jesus Cea, Robin Dunn, Gregory P. Smith, Andrew Kuchling, Barry Warsaw
|
||||
Author-email: pybsddb@jcea.es
|
||||
License: 3-clause BSD License
|
||||
Description-Content-Type: UNKNOWN
|
||||
Description: This module provides a nearly complete wrapping of the Oracle/Sleepycat C API
|
||||
for the Database Environment, Database, Cursor, Log Cursor, Sequence and
|
||||
Transaction objects, and each of these is exposed as a Python type in the
|
||||
bsddb3.db module. The database objects can use various access methods: btree,
|
||||
hash, recno, and queue. Complete support of Berkeley DB distributed
|
||||
transactions. Complete support for Berkeley DB Replication Manager. Complete
|
||||
support for Berkeley DB Base Replication. Support for RPC.
|
||||
|
||||
Please see the documents in the docs directory of the source distribution or at
|
||||
the website for more details on the types and methods provided. The goal is to
|
||||
mirror most of the real Berkeley DB API so fall back to the Oracle Berkeley DB
|
||||
documentation as appropriate.
|
||||
|
||||
If you need to support ancient versiones of Python and/or Berkeley DB , you can
|
||||
use old releases of this bindings.
|
||||
|
||||
|
||||
`Homepage <https://www.jcea.es/programacion/
|
||||
pybsddb.htm>`__ --
|
||||
`Documentation <https://www.jcea.es/programacion/
|
||||
pybsddb_doc/>`__ --
|
||||
`Mailing List <https://mailman.jcea.es/listinfo/pybsddb>`__ --
|
||||
`Donation <https://www.jcea.es/programacion/pybsddb_doc/donate.html>`__
|
||||
|
||||
Platform: UNKNOWN
|
||||
Classifier: License :: OSI Approved :: BSD License
|
||||
Classifier: Development Status :: 5 - Production/Stable
|
||||
Classifier: Intended Audience :: Developers
|
||||
Classifier: Intended Audience :: Information Technology
|
||||
Classifier: Natural Language :: English
|
||||
Classifier: Natural Language :: Spanish
|
||||
Classifier: Operating System :: OS Independent
|
||||
Classifier: Programming Language :: Python
|
||||
Classifier: Topic :: Database
|
||||
Classifier: Topic :: Software Development
|
||||
Classifier: Topic :: System :: Clustering
|
||||
Classifier: Programming Language :: Python :: 2
|
||||
Classifier: Programming Language :: Python :: 2.6
|
||||
Classifier: Programming Language :: Python :: 2.7
|
||||
Classifier: Programming Language :: Python :: 3
|
||||
Classifier: Programming Language :: Python :: 3.3
|
||||
Classifier: Programming Language :: Python :: 3.4
|
||||
Classifier: Programming Language :: Python :: 3.5
|
||||
@@ -0,0 +1,100 @@
|
||||
ChangeLog
|
||||
LICENSE.txt
|
||||
MANIFEST.in
|
||||
README.txt
|
||||
TODO.txt
|
||||
licenses.txt
|
||||
make3.py
|
||||
setup.cfg
|
||||
setup.py
|
||||
setup2.py
|
||||
setup3.py
|
||||
test-full_prerelease.py
|
||||
test.py
|
||||
test2.py
|
||||
test3.py
|
||||
Lib/bsddb/__init__.py
|
||||
Lib/bsddb/db.py
|
||||
Lib/bsddb/dbobj.py
|
||||
Lib/bsddb/dbrecio.py
|
||||
Lib/bsddb/dbshelve.py
|
||||
Lib/bsddb/dbtables.py
|
||||
Lib/bsddb/dbutils.py
|
||||
Lib/bsddb/test/__init__.py
|
||||
Lib/bsddb/test/test_all.py
|
||||
Lib/bsddb/test/test_associate.py
|
||||
Lib/bsddb/test/test_basics.py
|
||||
Lib/bsddb/test/test_compare.py
|
||||
Lib/bsddb/test/test_compat.py
|
||||
Lib/bsddb/test/test_cursor_pget_bug.py
|
||||
Lib/bsddb/test/test_db.py
|
||||
Lib/bsddb/test/test_dbenv.py
|
||||
Lib/bsddb/test/test_dbobj.py
|
||||
Lib/bsddb/test/test_dbshelve.py
|
||||
Lib/bsddb/test/test_dbtables.py
|
||||
Lib/bsddb/test/test_distributed_transactions.py
|
||||
Lib/bsddb/test/test_early_close.py
|
||||
Lib/bsddb/test/test_fileid.py
|
||||
Lib/bsddb/test/test_get_none.py
|
||||
Lib/bsddb/test/test_join.py
|
||||
Lib/bsddb/test/test_lock.py
|
||||
Lib/bsddb/test/test_misc.py
|
||||
Lib/bsddb/test/test_pickle.py
|
||||
Lib/bsddb/test/test_queue.py
|
||||
Lib/bsddb/test/test_recno.py
|
||||
Lib/bsddb/test/test_replication.py
|
||||
Lib/bsddb/test/test_sequence.py
|
||||
Lib/bsddb/test/test_thread.py
|
||||
Lib3/bsddb/__init__.py
|
||||
Lib3/bsddb/db.py
|
||||
Lib3/bsddb/dbobj.py
|
||||
Lib3/bsddb/dbrecio.py
|
||||
Lib3/bsddb/dbshelve.py
|
||||
Lib3/bsddb/dbtables.py
|
||||
Lib3/bsddb/dbutils.py
|
||||
Lib3/bsddb/test/__init__.py
|
||||
Lib3/bsddb/test/test_all.py
|
||||
Lib3/bsddb/test/test_associate.py
|
||||
Lib3/bsddb/test/test_basics.py
|
||||
Lib3/bsddb/test/test_compare.py
|
||||
Lib3/bsddb/test/test_compat.py
|
||||
Lib3/bsddb/test/test_cursor_pget_bug.py
|
||||
Lib3/bsddb/test/test_db.py
|
||||
Lib3/bsddb/test/test_dbenv.py
|
||||
Lib3/bsddb/test/test_dbobj.py
|
||||
Lib3/bsddb/test/test_dbshelve.py
|
||||
Lib3/bsddb/test/test_dbtables.py
|
||||
Lib3/bsddb/test/test_distributed_transactions.py
|
||||
Lib3/bsddb/test/test_early_close.py
|
||||
Lib3/bsddb/test/test_fileid.py
|
||||
Lib3/bsddb/test/test_get_none.py
|
||||
Lib3/bsddb/test/test_join.py
|
||||
Lib3/bsddb/test/test_lock.py
|
||||
Lib3/bsddb/test/test_misc.py
|
||||
Lib3/bsddb/test/test_pickle.py
|
||||
Lib3/bsddb/test/test_queue.py
|
||||
Lib3/bsddb/test/test_recno.py
|
||||
Lib3/bsddb/test/test_replication.py
|
||||
Lib3/bsddb/test/test_sequence.py
|
||||
Lib3/bsddb/test/test_thread.py
|
||||
Modules/_bsddb.c
|
||||
Modules/bsddb.h
|
||||
bsddb3.egg-info/PKG-INFO
|
||||
bsddb3.egg-info/SOURCES.txt
|
||||
bsddb3.egg-info/dependency_links.txt
|
||||
bsddb3.egg-info/top_level.txt
|
||||
docs/README.txt
|
||||
docs/bitcoin.png
|
||||
docs/contents.rst
|
||||
docs/db.rst
|
||||
docs/dbcursor.rst
|
||||
docs/dbenv.rst
|
||||
docs/dblock.rst
|
||||
docs/dblogcursor.rst
|
||||
docs/dbsequence.rst
|
||||
docs/dbsite.rst
|
||||
docs/dbtxn.rst
|
||||
docs/donate.rst
|
||||
docs/history.rst
|
||||
docs/introduction.rst
|
||||
docs/license.rst
|
||||
@@ -0,0 +1 @@
|
||||
|
||||
@@ -0,0 +1 @@
|
||||
bsddb3/_pybsddb.so
|
||||
@@ -0,0 +1,2 @@
|
||||
bsddb3
|
||||
bsddb3/tests
|
||||
@@ -0,0 +1 @@
|
||||
|
||||
@@ -0,0 +1,33 @@
|
||||
Metadata-Version: 1.1
|
||||
Name: PyYAML
|
||||
Version: 3.13
|
||||
Summary: YAML parser and emitter for Python
|
||||
Home-page: http://pyyaml.org/wiki/PyYAML
|
||||
Author: Kirill Simonov
|
||||
Author-email: xi@resolvent.net
|
||||
License: MIT
|
||||
Download-URL: http://pyyaml.org/download/pyyaml/PyYAML-3.13.tar.gz
|
||||
Description: YAML is a data serialization format designed for human readability
|
||||
and interaction with scripting languages. PyYAML is a YAML parser
|
||||
and emitter for Python.
|
||||
|
||||
PyYAML features a complete YAML 1.1 parser, Unicode support, pickle
|
||||
support, capable extension API, and sensible error messages. PyYAML
|
||||
supports standard YAML tags and provides Python-specific tags that
|
||||
allow to represent an arbitrary Python object.
|
||||
|
||||
PyYAML is applicable for a broad range of tasks from complex
|
||||
configuration files to object serialization and persistance.
|
||||
Platform: Any
|
||||
Classifier: Development Status :: 5 - Production/Stable
|
||||
Classifier: Intended Audience :: Developers
|
||||
Classifier: License :: OSI Approved :: MIT License
|
||||
Classifier: Operating System :: OS Independent
|
||||
Classifier: Programming Language :: Python
|
||||
Classifier: Programming Language :: Python :: 2
|
||||
Classifier: Programming Language :: Python :: 2.7
|
||||
Classifier: Programming Language :: Python :: 3
|
||||
Classifier: Programming Language :: Python :: 3.4
|
||||
Classifier: Programming Language :: Python :: 3.5
|
||||
Classifier: Topic :: Software Development :: Libraries :: Python Modules
|
||||
Classifier: Topic :: Text Processing :: Markup
|
||||
@@ -0,0 +1,28 @@
|
||||
README
|
||||
setup.cfg
|
||||
setup.py
|
||||
ext/_yaml.c
|
||||
ext/_yaml.h
|
||||
ext/_yaml.pxd
|
||||
ext/_yaml.pyx
|
||||
lib3/PyYAML.egg-info/PKG-INFO
|
||||
lib3/PyYAML.egg-info/SOURCES.txt
|
||||
lib3/PyYAML.egg-info/dependency_links.txt
|
||||
lib3/PyYAML.egg-info/top_level.txt
|
||||
lib3/yaml/__init__.py
|
||||
lib3/yaml/composer.py
|
||||
lib3/yaml/constructor.py
|
||||
lib3/yaml/cyaml.py
|
||||
lib3/yaml/dumper.py
|
||||
lib3/yaml/emitter.py
|
||||
lib3/yaml/error.py
|
||||
lib3/yaml/events.py
|
||||
lib3/yaml/loader.py
|
||||
lib3/yaml/nodes.py
|
||||
lib3/yaml/parser.py
|
||||
lib3/yaml/reader.py
|
||||
lib3/yaml/representer.py
|
||||
lib3/yaml/resolver.py
|
||||
lib3/yaml/scanner.py
|
||||
lib3/yaml/serializer.py
|
||||
lib3/yaml/tokens.py
|
||||
@@ -0,0 +1 @@
|
||||
|
||||
@@ -0,0 +1,38 @@
|
||||
../yaml/__init__.py
|
||||
../yaml/__pycache__/__init__.cpython-37.pyc
|
||||
../yaml/__pycache__/composer.cpython-37.pyc
|
||||
../yaml/__pycache__/constructor.cpython-37.pyc
|
||||
../yaml/__pycache__/cyaml.cpython-37.pyc
|
||||
../yaml/__pycache__/dumper.cpython-37.pyc
|
||||
../yaml/__pycache__/emitter.cpython-37.pyc
|
||||
../yaml/__pycache__/error.cpython-37.pyc
|
||||
../yaml/__pycache__/events.cpython-37.pyc
|
||||
../yaml/__pycache__/loader.cpython-37.pyc
|
||||
../yaml/__pycache__/nodes.cpython-37.pyc
|
||||
../yaml/__pycache__/parser.cpython-37.pyc
|
||||
../yaml/__pycache__/reader.cpython-37.pyc
|
||||
../yaml/__pycache__/representer.cpython-37.pyc
|
||||
../yaml/__pycache__/resolver.cpython-37.pyc
|
||||
../yaml/__pycache__/scanner.cpython-37.pyc
|
||||
../yaml/__pycache__/serializer.cpython-37.pyc
|
||||
../yaml/__pycache__/tokens.cpython-37.pyc
|
||||
../yaml/composer.py
|
||||
../yaml/constructor.py
|
||||
../yaml/cyaml.py
|
||||
../yaml/dumper.py
|
||||
../yaml/emitter.py
|
||||
../yaml/error.py
|
||||
../yaml/events.py
|
||||
../yaml/loader.py
|
||||
../yaml/nodes.py
|
||||
../yaml/parser.py
|
||||
../yaml/reader.py
|
||||
../yaml/representer.py
|
||||
../yaml/resolver.py
|
||||
../yaml/scanner.py
|
||||
../yaml/serializer.py
|
||||
../yaml/tokens.py
|
||||
PKG-INFO
|
||||
SOURCES.txt
|
||||
dependency_links.txt
|
||||
top_level.txt
|
||||
@@ -0,0 +1,2 @@
|
||||
_yaml
|
||||
yaml
|
||||
Binary file not shown.
@@ -0,0 +1,55 @@
|
||||
Metadata-Version: 1.0
|
||||
Name: bitmap
|
||||
Version: 0.0.6
|
||||
Summary: .
|
||||
Home-page: https://github.com/wanji/bitmap
|
||||
Author: WAN Ji
|
||||
Author-email: wanji@live.com
|
||||
License: UNKNOWN
|
||||
Description: BitMap for python
|
||||
=================
|
||||
|
||||
This package provides a `BitMap` class which is an array of bits stored in compact format.
|
||||
|
||||
# Installation
|
||||
|
||||
`bitmap` can be installed from `pip`:
|
||||
|
||||
```
|
||||
#!bash
|
||||
$ sudo pip install bitmap
|
||||
```
|
||||
|
||||
# Functions
|
||||
|
||||
- `BitMap(maxnum)`: construct a `BitMap` object with `maxnum` bits
|
||||
- `set(pos)`: set the bit at position `pos` to 1
|
||||
- `reset(pos)`: reset the bit at position `pos` to 1
|
||||
- `flip(pos)`: flip the bit at position `pos`
|
||||
- `count()`: return the number of 1s
|
||||
- `size()`: return the size of the `BitMap`
|
||||
- `test(pos)`: check if bit at position `pos` has been set to 1
|
||||
- `any()`: check if any bit in the `BitMap` has been set to 1
|
||||
- `none()`: check if none of the bits in the `BitMap` has been set to 1
|
||||
- `all()`: check if all bits in the `BitMap` has been set to 1
|
||||
- `nonzero()`: return indexes of all non-zero bits
|
||||
- `tostring()`: convert a `BitMap` object to `0` and `1` string
|
||||
- `fromstring(bitstring)`: create a `BitMap` object from `0` and `1` string
|
||||
|
||||
# Examples
|
||||
|
||||
```
|
||||
#!python
|
||||
from bitmap import BitMap
|
||||
bm = BitMap(32)
|
||||
print bm.tostring()
|
||||
bm.set(1)
|
||||
print bm.tostring()
|
||||
|
||||
bm = BitMap.fromstring("00011101")
|
||||
print bm.tostring()
|
||||
bm.flip(1)
|
||||
print bm.tostring()
|
||||
```
|
||||
|
||||
Platform: UNKNOWN
|
||||
@@ -0,0 +1,11 @@
|
||||
MANIFEST.in
|
||||
README.md
|
||||
setup.cfg
|
||||
setup.py
|
||||
bitmap.egg-info/PKG-INFO
|
||||
bitmap.egg-info/SOURCES.txt
|
||||
bitmap.egg-info/dependency_links.txt
|
||||
bitmap.egg-info/top_level.txt
|
||||
src/__init__.py
|
||||
src/bitmap.py
|
||||
test/test_bitmap.py
|
||||
@@ -0,0 +1 @@
|
||||
|
||||
@@ -0,0 +1 @@
|
||||
bitmap
|
||||
Binary file not shown.
Binary file not shown.
@@ -0,0 +1,53 @@
|
||||
Metadata-Version: 1.1
|
||||
Name: bsddb3
|
||||
Version: 6.2.6
|
||||
Summary: Python bindings for Oracle Berkeley DB
|
||||
Home-page: https://www.jcea.es/programacion/pybsddb.htm
|
||||
Author: Jesus Cea, Robin Dunn, Gregory P. Smith, Andrew Kuchling, Barry Warsaw
|
||||
Author-email: pybsddb@jcea.es
|
||||
License: 3-clause BSD License
|
||||
Description: This module provides a nearly complete wrapping of the Oracle/Sleepycat C API
|
||||
for the Database Environment, Database, Cursor, Log Cursor, Sequence and
|
||||
Transaction objects, and each of these is exposed as a Python type in the
|
||||
bsddb3.db module. The database objects can use various access methods: btree,
|
||||
hash, recno, and queue. Complete support of Berkeley DB distributed
|
||||
transactions. Complete support for Berkeley DB Replication Manager. Complete
|
||||
support for Berkeley DB Base Replication. Support for RPC.
|
||||
|
||||
Please see the documents in the docs directory of the source distribution or at
|
||||
the website for more details on the types and methods provided. The goal is to
|
||||
mirror most of the real Berkeley DB API so fall back to the Oracle Berkeley DB
|
||||
documentation as appropriate.
|
||||
|
||||
If you need to support ancient versiones of Python and/or Berkeley DB , you can
|
||||
use old releases of this bindings.
|
||||
|
||||
|
||||
`Homepage <https://www.jcea.es/programacion/
|
||||
pybsddb.htm>`__ --
|
||||
`Documentation <https://www.jcea.es/programacion/
|
||||
pybsddb_doc/>`__ --
|
||||
`Mailing List <https://mailman.jcea.es/listinfo/pybsddb>`__ --
|
||||
`Donation <https://www.jcea.es/programacion/pybsddb_doc/donate.html>`__
|
||||
|
||||
Platform: UNKNOWN
|
||||
Classifier: License :: OSI Approved :: BSD License
|
||||
Classifier: Development Status :: 5 - Production/Stable
|
||||
Classifier: Intended Audience :: Developers
|
||||
Classifier: Intended Audience :: Information Technology
|
||||
Classifier: Natural Language :: English
|
||||
Classifier: Natural Language :: Spanish
|
||||
Classifier: Operating System :: OS Independent
|
||||
Classifier: Programming Language :: Python
|
||||
Classifier: Topic :: Database
|
||||
Classifier: Topic :: Software Development
|
||||
Classifier: Topic :: System :: Clustering
|
||||
Classifier: Programming Language :: Python :: 2
|
||||
Classifier: Programming Language :: Python :: 2.6
|
||||
Classifier: Programming Language :: Python :: 2.7
|
||||
Classifier: Programming Language :: Python :: 3
|
||||
Classifier: Programming Language :: Python :: 3.3
|
||||
Classifier: Programming Language :: Python :: 3.4
|
||||
Classifier: Programming Language :: Python :: 3.5
|
||||
Classifier: Programming Language :: Python :: 3.6
|
||||
Classifier: Programming Language :: Python :: 3.7
|
||||
@@ -0,0 +1,100 @@
|
||||
ChangeLog
|
||||
LICENSE.txt
|
||||
MANIFEST.in
|
||||
README.txt
|
||||
TODO.txt
|
||||
licenses.txt
|
||||
make3.py
|
||||
setup.cfg
|
||||
setup.py
|
||||
setup2.py
|
||||
setup3.py
|
||||
test-full_prerelease.py
|
||||
test.py
|
||||
test2.py
|
||||
test3.py
|
||||
Lib/bsddb/__init__.py
|
||||
Lib/bsddb/db.py
|
||||
Lib/bsddb/dbobj.py
|
||||
Lib/bsddb/dbrecio.py
|
||||
Lib/bsddb/dbshelve.py
|
||||
Lib/bsddb/dbtables.py
|
||||
Lib/bsddb/dbutils.py
|
||||
Lib/bsddb/test/__init__.py
|
||||
Lib/bsddb/test/test_all.py
|
||||
Lib/bsddb/test/test_associate.py
|
||||
Lib/bsddb/test/test_basics.py
|
||||
Lib/bsddb/test/test_compare.py
|
||||
Lib/bsddb/test/test_compat.py
|
||||
Lib/bsddb/test/test_cursor_pget_bug.py
|
||||
Lib/bsddb/test/test_db.py
|
||||
Lib/bsddb/test/test_dbenv.py
|
||||
Lib/bsddb/test/test_dbobj.py
|
||||
Lib/bsddb/test/test_dbshelve.py
|
||||
Lib/bsddb/test/test_dbtables.py
|
||||
Lib/bsddb/test/test_distributed_transactions.py
|
||||
Lib/bsddb/test/test_early_close.py
|
||||
Lib/bsddb/test/test_fileid.py
|
||||
Lib/bsddb/test/test_get_none.py
|
||||
Lib/bsddb/test/test_join.py
|
||||
Lib/bsddb/test/test_lock.py
|
||||
Lib/bsddb/test/test_misc.py
|
||||
Lib/bsddb/test/test_pickle.py
|
||||
Lib/bsddb/test/test_queue.py
|
||||
Lib/bsddb/test/test_recno.py
|
||||
Lib/bsddb/test/test_replication.py
|
||||
Lib/bsddb/test/test_sequence.py
|
||||
Lib/bsddb/test/test_thread.py
|
||||
Lib3/bsddb/__init__.py
|
||||
Lib3/bsddb/db.py
|
||||
Lib3/bsddb/dbobj.py
|
||||
Lib3/bsddb/dbrecio.py
|
||||
Lib3/bsddb/dbshelve.py
|
||||
Lib3/bsddb/dbtables.py
|
||||
Lib3/bsddb/dbutils.py
|
||||
Lib3/bsddb/test/__init__.py
|
||||
Lib3/bsddb/test/test_all.py
|
||||
Lib3/bsddb/test/test_associate.py
|
||||
Lib3/bsddb/test/test_basics.py
|
||||
Lib3/bsddb/test/test_compare.py
|
||||
Lib3/bsddb/test/test_compat.py
|
||||
Lib3/bsddb/test/test_cursor_pget_bug.py
|
||||
Lib3/bsddb/test/test_db.py
|
||||
Lib3/bsddb/test/test_dbenv.py
|
||||
Lib3/bsddb/test/test_dbobj.py
|
||||
Lib3/bsddb/test/test_dbshelve.py
|
||||
Lib3/bsddb/test/test_dbtables.py
|
||||
Lib3/bsddb/test/test_distributed_transactions.py
|
||||
Lib3/bsddb/test/test_early_close.py
|
||||
Lib3/bsddb/test/test_fileid.py
|
||||
Lib3/bsddb/test/test_get_none.py
|
||||
Lib3/bsddb/test/test_join.py
|
||||
Lib3/bsddb/test/test_lock.py
|
||||
Lib3/bsddb/test/test_misc.py
|
||||
Lib3/bsddb/test/test_pickle.py
|
||||
Lib3/bsddb/test/test_queue.py
|
||||
Lib3/bsddb/test/test_recno.py
|
||||
Lib3/bsddb/test/test_replication.py
|
||||
Lib3/bsddb/test/test_sequence.py
|
||||
Lib3/bsddb/test/test_thread.py
|
||||
Modules/_bsddb.c
|
||||
Modules/bsddb.h
|
||||
bsddb3.egg-info/PKG-INFO
|
||||
bsddb3.egg-info/SOURCES.txt
|
||||
bsddb3.egg-info/dependency_links.txt
|
||||
bsddb3.egg-info/top_level.txt
|
||||
docs/README.txt
|
||||
docs/bitcoin.png
|
||||
docs/contents.rst
|
||||
docs/db.rst
|
||||
docs/dbcursor.rst
|
||||
docs/dbenv.rst
|
||||
docs/dblock.rst
|
||||
docs/dblogcursor.rst
|
||||
docs/dbsequence.rst
|
||||
docs/dbsite.rst
|
||||
docs/dbtxn.rst
|
||||
docs/donate.rst
|
||||
docs/history.rst
|
||||
docs/introduction.rst
|
||||
docs/license.rst
|
||||
@@ -0,0 +1 @@
|
||||
|
||||
@@ -0,0 +1,2 @@
|
||||
bsddb3
|
||||
bsddb3/tests
|
||||
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Some files were not shown because too many files have changed in this diff Show More
Reference in New Issue
Block a user