neso-3.8.2/0000755000175000017500000000000012645023635012006 5ustar cedced00000000000000neso-3.8.2/bin/0000755000175000017500000000000012645023635012556 5ustar cedced00000000000000neso-3.8.2/bin/neso0000755000175000017500000002611712615730056013456 0ustar cedced00000000000000#!/usr/bin/env python #This file is part of Tryton. The COPYRIGHT file at the top level of #this repository contains the full copyright notices and license terms. import sys import os import time import threading import xmlrpclib import traceback from functools import partial from contextlib import contextmanager import gobject try: DIR = os.path.abspath(os.path.normpath(os.path.join(__file__, '..', '..', 'neso'))) if os.path.isdir(DIR): sys.path.insert(0, os.path.dirname(DIR)) except: pass # True only if running as a py2exe app if os.name == 'nt' and hasattr(sys, "frozen"): if not ('-v' in sys.argv or '--verbose' in sys.argv or '-l' in sys.argv or '--log-level' in sys.argv): sys.stdout = open(os.devnull, 'w') sys.stderr = open(os.devnull, 'w') etc = os.path.join(os.path.dirname(sys.executable), 'etc') os.environ['GTK2_RC_FILES'] = os.path.join(etc, 'gtk-2.0', 'gtkrc') os.environ['GDK_PIXBUF_MODULE_FILE'] = os.path.join(etc, 'gtk-2.0', 'gdk-pixbuf.loaders') os.environ['GTK_IM_MODULE_FILE'] = os.path.join(etc, 'gtk-2.0', 'gtk.immodules') if os.name == 'mac' or \ (hasattr(os, 'uname') and os.uname()[0] == 'Darwin'): resources = os.path.join(os.path.dirname(sys.argv[0]), '..', 'Resources') gtkrc = os.path.join(resources, 'gtkrc') pixbuf_loader = os.path.join(resources, 'gdk-pixbuf.loaders') pangorc = os.path.join(resources, 'pangorc') immodules = os.path.join(resources, 'gtk.immodules') if os.path.isdir(resources): os.environ['GTK2_RC_FILES'] = gtkrc os.environ['GTK_EXE_PREFIX'] = resources os.environ['GTK_DATA_PREFIX'] = resources os.environ['GDK_PIXBUF_MODULE_FILE'] = pixbuf_loader os.environ['PANGO_RC_FILE'] = pangorc os.environ['GTK_IM_MODULE_FILE'] = immodules import gtk from neso import __version__ for i in ('tryton', 'trytond'): try: DIR = os.path.abspath(os.path.normpath(os.path.join(__file__, '..', '..', i, i))) if os.path.isdir(DIR): sys.path.insert(0, os.path.dirname(DIR)) continue except: # Exception with py2exe pass # try for py2exe DIR = os.path.join(os.path.abspath(os.path.normpath( os.path.dirname(sys.argv[0]))), i, i) if os.path.isdir(DIR): sys.path.insert(0, os.path.dirname(DIR)) continue # try for py2app DIR = os.path.join(os.path.abspath(os.path.normpath( os.path.dirname(sys.argv[0]))), '..', 'Resources', i, i) if os.path.isdir(DIR): sys.path.insert(0, os.path.dirname(DIR)) import tryton.client from trytond.config import config DATA_DIR = os.path.join(os.path.abspath(os.path.normpath( os.path.dirname(sys.argv[0]))), '.neso') if not os.path.isdir(DATA_DIR): if os.name == 'nt': HOME = os.path.join(os.environ['HOMEDRIVE'], os.environ['HOMEPATH'] ).decode(sys.getfilesystemencoding()) else: HOME = os.environ['HOME'] DATA_DIR = os.path.join(HOME, '.neso') if not os.path.isdir(DATA_DIR): os.mkdir(DATA_DIR, 0700) VERSION_DATA_DIR = os.path.join(DATA_DIR, __version__.rsplit('.', 1)[0]) if not os.path.isdir(VERSION_DATA_DIR): os.mkdir(VERSION_DATA_DIR, 0700) config.set('database', 'path', VERSION_DATA_DIR) for mod in sys.modules.keys(): if mod.startswith('trytond.') \ and not mod.startswith('trytond.config'): del sys.modules[mod] from trytond.pool import Pool Pool.start() from trytond import security security.check_super = lambda *a: True from trytond.protocols.dispatcher import dispatch from trytond.exceptions import UserError, UserWarning, NotLogged, \ ConcurrencyException import tryton.rpc as rpc from tryton.exceptions import TrytonServerError class LocalProxy(xmlrpclib.ServerProxy): def __init__(self, host, port, database='', verbose=0, fingerprints=None, ca_certs=None): self.__host = host self.__port = port self.__database = database self.__verbose = verbose def __request(self, methodname, params): method_list = methodname.split('.') object_type = method_list[0] object_name = '.'.join(method_list[1:-1]) method = method_list[-1] args = (self.__host, self.__port, 'local', self.__database, params[0], params[1], object_type, object_name, method) + tuple(params[2:]) try: return dispatch(*args) except (UserError, UserWarning, NotLogged, ConcurrencyException), exception: raise TrytonServerError(*exception.args) except Exception: tb_s = '' for line in traceback.format_exception(*sys.exc_info()): try: line = line.encode('utf-8', 'ignore') except Exception: continue tb_s += line for path in sys.path: tb_s = tb_s.replace(path, '') raise TrytonServerError(str(sys.exc_value), tb_s) def __repr__(self): return "" % self.__database __str__ = __repr__ def close(self): pass @property def ssl(self): return False def __getattr__(self, name): # Override to force to use LocalProxy.__request return xmlrpclib._Method(self.__request, name) rpc.ServerProxy = LocalProxy # TODO: replace LocalPool by ServerPool using a parameter for ServerProxy class LocalPool(object): def __init__(self, *args, **kwargs): self.LocalProxy = partial(LocalProxy, *args, **kwargs) self._lock = threading.Lock() self._pool = [] self._used = {} def getconn(self): with self._lock: if self._pool: conn = self._pool.pop() else: conn = self.LocalProxy() self._used[id(conn)] = conn return conn def putconn(self, conn): with self._lock: self._pool.append(conn) del self._used[id(conn)] def close(self): with self._lock: for conn in self._pool + self._used.values(): conn.close() @property def ssl(self): for conn in self._pool + self._used.values(): return conn.ssl return False @contextmanager def __call__(self): conn = self.getconn() yield conn self.putconn(conn) rpc.ServerPool = LocalPool CRON_RUNNING = True def cron(): threads = {} while CRON_RUNNING: for dbname in Pool.database_list(): thread = threads.get(dbname) if thread and thread.is_alive(): continue pool = Pool(dbname) if not pool.lock.acquire(0): continue try: try: Cron = pool.get('ir.cron') except KeyError: continue finally: pool.lock.release() thread = threading.Thread( target=Cron.run, args=(dbname,), kwargs={}) thread.start() threads[dbname] = thread for i in xrange(60): time.sleep(1) if not CRON_RUNNING: break thread = threading.Thread(target=cron) thread.start() from tryton.config import CONFIG as CLIENT_CONFIG CLIENT_CONFIG.__setitem__('login.host', False, config=False) CLIENT_CONFIG.__setitem__('login.server', 'localhost', config=False) CLIENT_CONFIG.__setitem__('login.port', 8000, config=False) from tryton.gui.window.dbcreate import DBCreate _DBCreate_run = DBCreate.run def DBCreate_run(self): self.entry_serverpasswd.set_text('admin') self.event_show_button_create(self.dialog, None) return _DBCreate_run(self) DBCreate.run = DBCreate_run from tryton.gui.window.dbdumpdrop import DBBackupDrop _DBBackupDrop_run = DBBackupDrop.run def DBBackupDrop_run(self): self.entry_serverpasswd.set_text('admin') self.event_show_button_ok(self.dialog, None) self.button_ok.set_sensitive(True) return _DBBackupDrop_run(self) DBBackupDrop.run = DBBackupDrop_run from tryton.gui.window.dbrestore import DBRestore _DBRestore_run = DBRestore.run def DBRestore_run(self): self.entry_server_password.set_text('admin') self.event_show_button_restore(self.dialog, None) return _DBRestore_run(self) DBRestore.run = DBRestore_run from tryton.common import refresh_dblist from tryton.gui.window.dblogin import DBLogin from tryton.exceptions import TrytonError def DBLogin_run(self): self.combo_profile.destroy() self.profile_button.destroy() self.expander.destroy() self.label_host.destroy() self.entry_host.destroy() self.label_database.destroy() self.entry_database.destroy() self.profile_label.set_text('Database') dbstore = gtk.ListStore(gobject.TYPE_STRING) self.database_combo = gtk.ComboBox() self.database_combo.set_model(dbstore) cell = gtk.CellRendererText() self.database_combo.pack_start(cell, True) self.database_combo.add_attribute(cell, 'text', 0) dbs = refresh_dblist('localhost', 8000) if dbs: current_db = CLIENT_CONFIG['login.db'] for idx, dbname in enumerate(dbs): dbstore.append((dbname,)) if current_db == dbname: self.database_combo.set_active(idx) self.table_main.attach(self.database_combo, 1, 3, 1, 2, xoptions=gtk.FILL) else: dbname = None def db_create(button): dia = DBCreate('localhost', 8000) dbname = dia.run() button.hide() self.table_main.attach(self.database_combo, 1, 3, 1, 2, xoptions=gtk.FILL) self.database_combo.show() dbstore.append((dbname,)) self.database_combo.set_active(len(dbstore) - 1) image = gtk.Image() image.set_from_stock('tryton-new', gtk.ICON_SIZE_BUTTON) create_button = gtk.Button(u'Create') create_button.set_image(image) create_button.connect('clicked', db_create) self.table_main.attach(create_button, 1, 3, 1, 2, xoptions=gtk.FILL) self.dialog.show_all() self.dialog.reshow_with_initial_size() res, result = None, ('', '', '', '', '') while not (res in (gtk.RESPONSE_CANCEL, gtk.RESPONSE_DELETE_EVENT) or (res == gtk.RESPONSE_OK and all(result))): self.database_combo.grab_focus() res = self.dialog.run() database = self.database_combo.get_active() if database != -1: db_name = dbstore[database][0] CLIENT_CONFIG['login.db'] = db_name result = (self.entry_login.get_text(), self.entry_password.get_text(), 'localhost', 8000, db_name) self.parent.present() self.dialog.destroy() if res != gtk.RESPONSE_OK: rpc.logout() raise TrytonError('QueryCanceled') return result DBLogin.run = DBLogin_run class NesoClient(tryton.client.TrytonClient): def quit_mainloop(self): global CRON_RUNNING CRON_RUNNING = False thread.join() super(NesoClient, self).quit_mainloop() NesoClient().run() neso-3.8.2/neso/0000755000175000017500000000000012645023635012752 5ustar cedced00000000000000neso-3.8.2/neso/__init__.py0000644000175000017500000000024612615730220015055 0ustar cedced00000000000000# This file is part of Tryton. The COPYRIGHT file at the top level of # this repository contains the full copyright notices and license terms. __version__ = "3.8.2" neso-3.8.2/neso.egg-info/0000755000175000017500000000000012645023635014444 5ustar cedced00000000000000neso-3.8.2/neso.egg-info/PKG-INFO0000644000175000017500000000457012645023633015545 0ustar cedced00000000000000Metadata-Version: 1.1 Name: neso Version: 3.8.2 Summary: Standalone Client/Server for the Tryton Application Platform Home-page: http://www.tryton.org/ Author: Tryton Author-email: issue_tracker@tryton.org License: GPL-3 Download-URL: http://downloads.tryton.org/3.8/ Description: neso ==== The client/server of the Tryton application platform. A three-tiers high-level general purpose application platform written in Python and use SQLite as database engine. It is the core base of an Open Source ERP. It provides modularity, scalability and security. Installing ---------- See INSTALL Package Contents ---------------- bin/ Script for startup. Support ------- If you encounter any problems with Tryton, please don't hesitate to ask questions on the Tryton bug tracker, mailing list, wiki or IRC channel: http://bugs.tryton.org/ http://groups.tryton.org/ http://wiki.tryton.org/ irc://irc.freenode.net/tryton License ------- See LICENSE Copyright --------- See COPYRIGHT For more information please visit the Tryton web site: http://www.tryton.org/ Keywords: business application ERP Platform: any Classifier: Development Status :: 5 - Production/Stable Classifier: Environment :: X11 Applications :: GTK Classifier: Framework :: Tryton Classifier: Intended Audience :: End Users/Desktop Classifier: License :: OSI Approved :: GNU General Public License (GPL) Classifier: Natural Language :: Bulgarian Classifier: Natural Language :: Catalan Classifier: Natural Language :: Czech Classifier: Natural Language :: Dutch Classifier: Natural Language :: English Classifier: Natural Language :: French Classifier: Natural Language :: German Classifier: Natural Language :: Italian Classifier: Natural Language :: Portuguese (Brazilian) Classifier: Natural Language :: Russian Classifier: Natural Language :: Spanish Classifier: Natural Language :: Slovenian Classifier: Natural Language :: Japanese Classifier: Operating System :: OS Independent Classifier: Programming Language :: Python :: 2.7 Classifier: Topic :: Office/Business neso-3.8.2/neso.egg-info/SOURCES.txt0000644000175000017500000000070712645023634016333 0ustar cedced00000000000000CHANGELOG COPYRIGHT INSTALL LICENSE MANIFEST.in README catalan.nsh english.nsh french.nsh german.nsh neso.desktop portuguese.nsh setup.nsi setup.py slovenian.nsh spanish.nsh bin/neso neso/__init__.py neso.egg-info/PKG-INFO neso.egg-info/SOURCES.txt neso.egg-info/dependency_links.txt neso.egg-info/not-zip-safe neso.egg-info/requires.txt neso.egg-info/top_level.txt share/pixmaps/neso/neso-icon.svg share/pixmaps/neso/neso.icns share/pixmaps/neso/neso.iconeso-3.8.2/neso.egg-info/dependency_links.txt0000644000175000017500000000000112645023633020510 0ustar cedced00000000000000 neso-3.8.2/neso.egg-info/not-zip-safe0000644000175000017500000000000112615730134016666 0ustar cedced00000000000000 neso-3.8.2/neso.egg-info/requires.txt0000644000175000017500000000005212645023633017037 0ustar cedced00000000000000tryton >= 3.8, < 3.9 trytond >= 3.8, < 3.9neso-3.8.2/neso.egg-info/top_level.txt0000644000175000017500000000000512645023633017167 0ustar cedced00000000000000neso neso-3.8.2/share/0000755000175000017500000000000012645023635013110 5ustar cedced00000000000000neso-3.8.2/share/pixmaps/0000755000175000017500000000000012645023635014571 5ustar cedced00000000000000neso-3.8.2/share/pixmaps/neso/0000755000175000017500000000000012645023635015535 5ustar cedced00000000000000neso-3.8.2/share/pixmaps/neso/neso-icon.svg0000644000175000017500000001221212615706057020151 0ustar cedced00000000000000 Tryton image/svg+xml Tryton Bertrand Chenal neso-3.8.2/share/pixmaps/neso/neso.icns0000644000175000017500000006411212615706057017366 0ustar cedced00000000000000icnshJICN#????il32@ 7O  2zZ-+ "8 !1 K;`v{5b1Wx%c >dFD L$kf g6 !Q@$ tu -=4ﭔ8.T Y1*tc ލo +$ ; яdk 1! 'OQ9k(Rށ 4MTG/"!    "!! !!$!!  !$ !  ;S% " 6}] 1/ !' = ! &6 $ ! O? cy  ~9 f6 $Z z* g $ #B   h  JH $P ) ni j$ : $ &U D) wx 2A 8ﯖ = 3X   \5 #. wf !ޏ! r 0)@ ёgo 5& !+ST !  =n ! -Uބ  " "9QWK3 " !!  " " !! !! " 5M 0yX+)  6 0I9^uz3a/Uv$b<cEC J"ie e4 O?# st +<2ﭓ6,S X/(sa ތn *": Ўbj} / %MO7j&P݀ 3KRE-l8mkMߦN " ki}s*' I[it32 1LN)Cp CU&І8Nj;U|"G,')"SHR_$ދJ}ЬʌQ$ڊvsЉ2݊UWasB(57}5fpJl_p&ׅrZlΟIɅ08Xc'ŅI0مJ 0fDLYKmLrSbNQ\φ@O 0f>'#CQ^J"P_ '݁+qQ0ݜ"]R_֜Lʦ(0Ϝ}KYQǜŅQq'a"HF̅LhFԇMR҅+2 ʌ0q"gv!؆^Ј̗Rr%5!EؖHU*?߉*mfmGۉ 'a1 C)^&=y/Yy9ܟ&G,9ȋgxl_M)%1RʠnݍhUɎ"uԦ͏BZ{SL>FArY#@#m)9Zdc3ˇ43JrC{`ZTqMiKUk.N ز*Ŏu(jhg>,Г~~<Aa"ES$cL-0lnNǽ1m?Qʵ4p S̬.5rL"Vѣi;xf%\֚b@~<(b֐n.WԅҿA!0>NXI7$              6OR.  Gs%  GX  "* !ц!  <ȍ? Y  ' K  1 +  .  & WL  Vb )ߋ  N$ Ѭ  ʌT )ۊ!  x v$  # $щ  7݊ Y  [ dv  F  $ˆ -9 ; : is N o bs *ׅ u] oΟ M "ʅ4 < [g , ƅ M5 څ " N% 4 i H O \ O p P u W e R™ T ` ІD S" %4 i B, (GTaN' S# b% ,݁0 t $# U4 †ޜ &` Vb ֜ P˦ - 4Ϝ O \ TȜ ƅU t #+ d' LJ "ͅ O lJ Շ QV #҅/ 7 %ˌ4 t& j y &؆" ˜ a" ! ш͗ Vu* 9& Iٖ LY . C߉. pi! p" Kۉ% +d6 %G. a* A |3 \| "> #ܟ *K 1 >ɋj {o c Q" #. * 6V ˠ$ "qݍ k# Yʎ& xըΏF ]~ W" PB J Eu\( D( p. >] hf 7 !̇ 87 Nu G} d^ W# tQ lO Yn 2R %ز. Ǝx- m ljC" 1 $ѓš@ E d& IW  )f  "O2  4oq  #RȽ!  6pC  $Tʵ  8s"  %Wͬ2  :uP  &Zңl  ?{i  *`֚e  D@  -e֐q!  2[ՅE  &4CR[M;)              /JM'AoBS$І6NJ9T{ F*%' RGQ]"ދH|ЬɌO"ڊtrЉ0܊TV`r@&35|4eoHj]o$ׅqXj͟Hȅ.6Wb%ąH/مH.eCJWIlKqR`MO[φ>M.e<%!BO\H N]%܁*p~P.ݜ \Q]֜Kʦ&.Μ|IWOǜŅPp%` GD̅JgDԇLQ҅)0ʌ.o eu׆\Ј̗Qq#3CؖGT(>߉(kekEۉ%`/B'\$;x-Wx8ܟ$E*8ȋewj^L'#/Qʠm܍fTȎ tԦ͏@XzRK<D?qW!>!l'8Xca1ˇ21HqBy_YRoLhITj,Mײ(Ŏt&ige=*Г}}:?` CR"aJ+.jmMǽ/l>Oɵ2oR̬,4qK Uѣh9we#[֚`>}:&`֐m,VԅҾ?.=MWH5" t8mk@(^̽g/RREIqt} $[`mlJE+&818-TMUQ¹|kG+ |j8*x` ghPa} t'`s%lE6 J|굀IDv˾V neso-3.8.2/share/pixmaps/neso/neso.ico0000644000175000017500000017233612615706057017214 0ustar cedced00000000000000  -00 %.  8T(d00  F&00 6PNG  IHDR\rfsRGBgAMA a-IDATx XM1U\D2Oi5dL  2e.RDd!u%4 ) q}y=λY.(_|wVNFjFvFvVf,g^degeD zmyye>}T7!OT*@(ʔX|wtJJUUQɁ% ʕ-VړꪪTU՟>PxRj LEHn8 C%Rz{SSS޾sMӟץ.MpJ]7tu_oNC-[VrlHIIx S'Oo킂uABVWhobblrج !(ٕO>ĩOt|.u+B^V+䰉iE3xEI>v2ϼOyeF%ooһgϝ:)u^̙fwtܷ+R!G J~֥{ND"/_ݵ+rPՓoiI]Pviջ7jԘÇ(w )e׍Y=#+6=vjիe9v^4v*tBGtXt7mSSMd)jYO d*.3^~ECzQ<5k~E__\ x_{ކu/A $|AEOO ^^7vm?=>`-W- ;-H~0yh gϜ3cqd ƍ/n-=&-zzX>.Orus%#z4 ڶ9%<Ǐk fw4^֭͑ι<|!IէGAQ555q&iiiuLNK{M Sw2]vO z Am۱g %%w.r];wYnU-b ϢkCR BLj[p` 66zR/p*`nn(Coo>|I$z?|E%>J$ ZA$dƍ9 [rR^}hݪ5QT\M^$.^Q䀪U+H9|A_K<N aWNH#14S&M6yw 77fV>|P§C|k׾X+(( (tܺ})@kǴEo$  \8BԩkBւfmzq/X /s^RP$'Q+SпE/_IaS|ʕ+[v@ Xi/;; <}< |x9m{wۺLt)f`!ӂkC!du0wBX>tNBJ*A:" ϟgZ'J.-cx4g @/a6m Z ˿UV`3ڵՃ?WCy&$J#Ikzyv#k$>S ??3ʔxouLM77ש -?~zM(<}tF ud~0s;M@\XrSR0y<C' Wi\;sı..LΝ _OSeZI>:Ԃ=3Spthή'O)|~[)?qv Aжu[VŅ'~'z!`m`5/x|?:c۝*†A~uW- @C FGF;]5kw`ѱͻ7&p| 4C tM=oG=˵GuC-Zo?(Pnqag柳Co^ ug.d7DEo}.noj5eam">M@"?z7 o ^\k%y' µ7y#fx ίVUgPOeѤPL<ҺU".WSSom\6iJ V,[f2kONsx{Mow|L-Zux<*A`t yy= 'V{V-dgfi0=8,d ggmX8ϮxCѦmLf-G"fs^ͭ"BWn q{ `M6j޾^( *URՠΧ/_K [ݻvuR',RS2^ /ʗ+FYOCpLmsk+ P 9)а&cwnƬiOD6sJ|2i0l=BPUUGXkw2RpIN wLڎ;!~&?Z{ǒad , @p 짋)ȯA&tmb`[V ,  )b7U5&H$M6>,qajb($3 :5ƆJ[XO^T""[vvCVv6 M_Ç`4W * 4k6oa%U ;S@! S'Oc-<~ Vp6 a-+~p=?:a2p`Pc;*UTQmI@*3>^~ЯO?V"5ӫ/ `<?r*07`~05 nZ$𵛘Aix8 zNGaQ['`ƺ8YJLt`iy5XQ@Id|УtAγUO * lQ\~ L=_<typ@A% C.$I:۝`&Aph @n6J!,҂UA soeK 6`񏄃-#=-;Ł=;w|NcVڢQ gQvUJ[Z;#'rʬ5x ~e$`3fϜ#糳[Jv짏e=Ld J. {@MMM6yC]J0jڳLT$^ )܇VJ%hbBV",5~ 6Q*IS&G3 o ^Gho܎0q6&O<s0bu, S:v7{p1+>6U&qC+J}A}Xi M@ QNaD?,(Wΰ>lkJ[W^C #JxJcC)(} \`ȱԉD"8"X K$I7 P5Up{;;vE_/a$ڸ-)'Nq*|GhѼ%lݸf ~*@R ~C`Ŭ|RXq=a$8&H^0e Ũ `(_<3 ^m(z{9s7}T8H^$KcqIE@Qa3AjԨ)q'@dOb!^j- 0v0̜>KIv!??_RL8{Uʺ//@P}LHמ鳧 [k;p-籀H~=;VƊl56 '19-?57%233Q#ܾsKMLu^R. g{ {1՝6aVX" z:uW^A̾=qK8deenwᶗٯ;*DC[639[Eַ¢% !zO `۽:>|,_L! Xk͛`lNexf҂밌 `H Z^K!Nl1E@e{LE6^ȝ$lwzԓq1]PdIf cTZF2 Nl[7IG0oğ/((a#yC1MMs(̙ d{`F H_"A[mcf#&dm^xG9(ˏɇArdvEK歛H˟]a%R1kL'׊MO[u c;Q999$R@$b b4ґ LwGtQge6v^KsK\R67o˗w @ܧf1g'iK9/{R; ز6<do wRwg +#AyJ۟&HU8,\lL -fbt0iDSΰz Qf?@+,x6g]|3 ؾ96i&U;脋@&M(`B&VqIpH êAR}ϳ}q &84Bׄ(ebc=ˏ"@6mZH{AP4eQ2"m1I̟$RWH5{6sShG=$쁵?` aAllTM?<$;ү(ElU~ X_T-  Z-u;芋,4aܦ*Y5y !!<͕-mJNؾcྟ!%` 6&0h [uH:[o a/˂^76F00u2ϒ& [wJ4ylX; 4ѭLv=+M?QQdT}8Me,IX͂B!U3gI0r(^A$ o"%gժ[pC JGt֍YuTз`6;w,Iuq0 2a%&\ Cƺylz uG ;dU`N]Rp.I (cQXkT4+<CfP\JfӨf?,$2q8{ $uܯ>~L=QCظn#'h>vh_APDf{v,0{kՆe[`ϖxKAob|,cUhby{,]u*  k(a 5mZYks~@pHS;>|e+2B.F$DV.:_JC#KIZs/&I˃c$ӂce-_<ӧ0@ٜPA2}ܿ>2;0UOt8+T#*U~C' WZuNA)ǏAPfX{l7Əui_a=5jBP/^dHпί8L40djphS+7cj5ѬpI|!cCc p0=PY<^cvl~E!hE0g#:\D )U4ILf5qq-;A|N"pG EIG(QsLpو rO[ v0` D!? H/ޓJZ@JCx?.DpOSN:\\(ur0)qZ)K B-W,[Y~㼟>~ ('d>/_5"m'|F$RS A?i+ we{mf/THX`8ҪK(y/}@=?Y;vE_ VBO=K-Z|ot~>>;{ u!5jÁD /#F;|Kнoo~}=!zO\<@@! gUJ[Zf7nѮ_>ӟ1 Z^ `9570fLz[ 8Ç όr&/?g|WgϜvwõ3 K_V1l wW]Ȟ]{A <{wyxC(ϩkҀ͚3+c#ZKA!`U˃򈖭*9)nIh9ۀH(>׆BP:MACm$hJ(.?d`KsK\lٶ.Q(iצlX\/.Tb\!No, r%fc;B,.v7IQ?`Ƕ]X=rLsw1@&9C\op<#%WGOAɒ%鍒3mOjj0^|>s$AVIPƅ?o~ͯєdXxSYx%g(Ÿ B(;&֬ ujbAEQr.I-HL>_ . H۷۷8>S"B2ypr \\\qCx̯׿2/"5kBbA(U p8s #IkVG3,W2nʾNJ R 7sȥKr 4hjي&9d8'8s BZ^ bıf ™ ;kp=x)3,,۰lٲ{=}cg/!(7/5ǎW2o$;3K @Vm@aNO`ݻ`77h7о#jo}3ZZuWcCcoO; < }a:_{MdjjB1.lժ5BD)Es1=zzOzz^Z D,Ɔ&JO(,):QLI9{\yqI#ch۶`= nC\V³g"0jfKZ 1#:xzB*^T\]D>֭__ Z4oĔ%8y'c, [:k"~AZ435g9:~SzfCoQ\\(g'7kXbP[6alٷQLb]z]>].]JY@'N6#'”)pUQnnn&-g)s Ҽ#XPYy H ?Pbwoܯ5m*N2n%3Us @c 024Lے>{p{0]v⑁%3] "(֮b2isNa`̠M[Ý),7XZt&Mh݀'%D CBV-[9j6oٶeԌY(,Ek" nPti +=)IG4ѭ{Ԧ]oPX$_7062 ,)S-`|m$ U`0PPP jѺyW/jRx̜Y@BzbӸ c9*%-FG#-:su >n]P:Zt3 nٚ<% Θ5%P0X`^n|[GNwJ˪2&f`anLp@E|X$f>#== @VVV6tB${0 c.&jҠ?QD`#TKֻk׮0qn+)F sKb'1"l×/Yen}SSQ @_|nӧ ;w-Tp֠uڗ/_ȀO |GD$#Cc@O9 ;;>˨TιuV-qX 8zXW 0A###c`ԁ1MQC1vnWphl޺L=dİ!&$5W LD}ڵc T <Գ{O4Я͛7[oIҟץp>ހTz A+ݷ/lÓ1[=?fO ]j^~$/6O0~-Ɇ6իW&%ǏqDP۾(||md?ϬES,RCCوHcs}?[o;?oי}[iջwIݯ{)5'{/)8*PWj5UԬQ ?޾y ߼f^W9O=e ! -\hc3(i>$567HBHIڷ%K#Ǎ0|֪gIÐ#ɇS( B073Kض) @ZZZ; ReJ}L;ҢaÆwd[f|1yˢwE?q={Ph BؠOTDT¶$ ֧ݻیBL¤ZjY ijj)Xwmhկɗ/^R BX,Y2ˆm]̒b~?nM+P B8xLrr8(]F ۛOEB7~gs''J=j.ہ6,Z$ 8رc9~]%z =v6v/X: |Hy]zA1&#+6=+}'IϚ %4f.0LW==渍1&PڶX;=}<o\?j lV˃---/#GNu@f".ڶ9r]Q|x$''ς;"Fh Ls=~܄ſ:/(ʩ:xyyqzzQ|0FݐE2u.7/-==RojkJ>gUiVyotH+fF gTfprZ8D|||M[;?y?ν#G\0tѻ)P6p?f/]0}E6R\7F)&FƇeO ? B .蝻pÙgM]8!'':u+B+W c#dcm۶=@aكԛ׽zRu{Y3M~sOڍ4nsQc uo4l𦎎] !";;5srUddj<jϳ^R9LǏ|yj~AӇO?~XT*ſW,[]re+T-]՚53k֨fY93U՚5j?K^^_ ܑW/dIENDB`(0` %9?9(.2.i$,' &! ' %!                       ! $" & #*#'-)4<8?484?#*$"#"!  !!!!!!!!!!!!!!!!!!!!!!!!   !#$ )$282V).+%!                                    !$(-(&-($                                   #%-(-50_$                       !             $.4.bUjj $!                   joly}z&-(                &!fff -30Y$             &-(Y^[MSO !            $.41R%*'"         284kolFLH  !           "$+& &!!       ?EA{}$+&           ! &!'    '-)UZW             !%"!! CIEZ_[ !          ! !  ptq"         !  9?:jnkFKG9?9,+2-o$*&% !(#!                        !&# &!$+'*1,r:      lpm#)%         !  !          X\Y.50         ! !!!  X]Z"       OTPkol           !!# 283$       #*%         #$!  V[X       .40         !$!(!#w{yy}{     5;7OTQ          #!(#.4.,#    !      afc>D@  !         #.44,$*&}$              !         $$*$}%+'u!#!! !!!!!!!!!!!!!!!!  !#"$*&w6=6!$*&x%!$#                 %&!#)%z4<4"PNG  IHDR\rfsRGBgAMA a(hIDATxxM} H F$JcA!!]"AB.H""$Z)ea(cQAyYxO {)ysgw/h13q܅{2^=uVy^|[Ϟ{(X . TX?+U<  CYr0eFX@`w!\2&$x`hhF a*3;tyO8@BуƍaI W"4 +5̟PE z;'{}BīHۓKL /_7-} nxB穦_ = 01kݹ{:A|Bҥ*3Fmķ+WN9 hؖ zG֭IU)&pˣ?CO *AA*k{+ڵ?#C{U)^h ؃[ׯP)RےAL6aQbbS[ T$`۴ G!=5U}d&IL AK[ ? I%VCM[8p) BCcHL{L ݿz F- r h\SOB#U@8"傦#7f&uPAS1ڹk,Ah;v0\" BȸvK7n߹MIFj72NO=IZ: YN zuٿ jPD W8yn޼A*UΞʳEEGQ>Ӷu;ճ71fM؞ 7$f䈑5J'00{:Br!(060/d_8O@s/3fs! Ct*U’PRe%¦-`9CT >]PBjT{2G V8ʕо;zd&. -EaTY᳀s܁)U TV=QTP@&f޼!X%gPFeN ^ ~j]I#Tg? uG*JgϞ#Cz;޾}K.3 k׿.rO7>իWD۷I kVڢ_'9% r@ˀG#Ǐ^#Fk^ׯ_C(ʍ T+_F/3͛e7 T䘪83x3iڟwh~@LZa}\d_^`Ͼ2 ,rL1`^(0mOS!>a=Z-51?S!m1+e3f$&V/RHQXtpDF-@Rwl~׼Ȁ~aDG`̆td_מf;ѯ KCP 6'r~=dOƐ9czoЀ0?NDz?8r(|sB^.+ }\xcr 6A%i!ݷX kr!#yáoWG^ C=O?YgDA 0x`nӦ] Me%Â0r9zl+ڸlަdff҃^n. ފz..UZNde6UuɒɁ`dw@^.xy'iSd;{8=xTIG0Oᄇ<Zoɟ]udܸq:(c@ r2kLYAoA6?X@d>Y7 6MleytuMo)Щc'ɯkegIGuQpVTR|Ӵ=KR af(}iI EFcdӡM붲uCw: 6f]drp]J, &@ٲz\rU4 lLUJr)SW0n$ך3o6D\N.斠jն9wY1ŹE*_1&|IE : ع&j~AnŲcI ^1l @ȇam#PY62nɟ[|[V(4FJc) mL4 '䥚~5P52UK$;lR1?Yg3omFz)TXTF Ϟ(K+hoi8e1f$ڤ)ɣQA(YTU2%1}Lhݲ .]N7HN{1Оr@Ju^Ǭ`eN`&%>V )[ƌ)RsJ@ j .,J'O}] ===HۺY{xǮ <: mvdx9X4t[vf޻{ %;|[Wd eЭ ]X<3Vǭ%;@ZLE/ >u]k@-7Q{ će cԱ$3{a2VVI[XS;Ta`51k&r39 mIJ ?փQ1LRqkʢ@oW7Ť-<~ &.=HXUS}=5mT[KJŋUm˔.#-< HC?'`b 8vpdٮ0C8yvb׬-=tk2$쾴JQKA!ܼytlMo¸2 ЈG#K!Љ4`LӧOޒ:@΀6BC4!ށ;,Gc?}ԩ$'7(hpӭ ǠOwT4 Zh1UUpmz]5MxIJ 5 j f |q V,] AӧRKȜ`3ʀ[]U6@,%4HŸ1DGjcp׃:B,҂UA :1Q:B(ض}+2i QY߼u3/+ E*`QvaXlNw%J0iGpie$ܥWeB-u6uY{@ $(PR6orʩIaz|0jMڳVT$^.W^:䖠U_=:D 9Xj|kb #=te&ȤW^Ac+Sa$ӧw_~ G>:2`Ip, 4m@#@z0 /mOҩaj4h߶@Y1 C=x942m̤S^}z#bŊöTCP]tm;yS TG!~ l 4~7^ܼ*;tJeǒ l-f ([Vvncv B#@^0mu9pp? 6P_~U+V3kmn 7Pl%KYWhټ Ŭy@Ha$ѧ~}P P g/v^~ؙY{|`k*y(,-%?2ΜEȞ)SV6{ {wke& +0kr P ݻc<o߾ժ~)X 9pLpԵ#_ ^M)P\yۘ06'hU@ZmnߢF,uuqj slUܱ0Vf ڀ'Ns.׫?+U?Lϟ=w׳O6uN0us|"27d,֞=]a/6M-F;) nݡ]Pr\}ǰiKLVvn{ >ɓ'Z~cAwF7`bސF3q~jYx3gπ $,ʷ: -6MlSl&OBuXƎh|ꂖWiE q=  :[,kőįKj?TS;nFC|-@Vǀr(Ulސe .lʹHҦu[9}]yM&|9]\uZƏ];\μ_6ŃAM@ zC1DaI2m?q wwB vsfU$BisK5}6Ǝ-y+V,E?iբ%50w=zD T* fZn70 OGuش)A~ذy@ dAmD\sָ{ @ܧfMabx}-=Z !wQYݵ\LQ =kVCЌi:>I'&E^1{:Ĭ^I {[{?WX><yҘhrha]d]a[ٔ[vM, veXv q5|X UX%%>#`4yl{_ Ta5a$\'!񤼂Ec^@ tR:hf_"BѨ7q 5~?Slg=$ x_jvְ `m\ 89;w{S#}A:nν7zzz=9yP57@VpvYi¸MUbĚB^H۹Fy"jY4n'hT]0KIoRgϝ\HX z_8_L`s&z_z|& kV4y֣+oШM6?St=)V8Q^H[֓0eL80 1C!?Ç~}=IXx~ȴS!N7m?S ;;bdhV2uTR&!5;"=Q@gXnS.Vb8 :nܸSV]vꂳ-u @.+Vh{>1+V˖DRJ"oU@KVʟfaz:YtaoOp.50Κ#cȿ[a}:fIr/(kpk- k), @*sgQRA!͛36ڊb1U!1!Y~Z懆h }K6;! S'E @d )]FeQ1*cM 6%'7̝?J1#$#b+ yx2K[:qɁh|$%1ڑF?5 HS9 0a{IX+"aET::fS=~髱zh$Y8<³$W53)=9p"v7>t CB%+Tk"Ŋ!N>5!O% K"bnc0dPQr},m5)SDH >OO I'cgɯq\c~ S:58 ~ҥ&rPA8/Qz:?LF]\)x _v57&+{6uhAS:R}q$@@pHJ$6xd3&Q[ lBhHuD?G&L6Jz]uw(ٱWsJv?Hz97`?dvOye{Z*ڣ"1$K|J-](Y~\_>idptx2P `V_)ރ5"{t2HR\9ؑ:"9#y,ۣޣGBdZU:"p\gd%](0`)Щc'HٖcJ_3{̜ +TG+m}05`uDeg'rdD1; :U@TlMLxwѷ1˛5iO׈gC"g-~MZժziК #f͒4R )9y](?٦q_Gc1+'L,5 J*{YԸgAʕ*D̸!6a^BqEd XG "|q{Ν?ρ_zǸ~?}J#! 7C5#ݱڟ׀^SWPխ/,EbWM/BBV7Wg*9hצ%Eh?Ss$ q;~-p!`[/wr/C^͛7$AP4 %tSps9 #+alq"`iCSXtu׭#x\B;9ۣUDtٖ:B ٶ}+_C`.%JzuC9==|ǏBy+WE*=$PD< AK0dP_7n FwfaÚx9ZBĒp{T[Cf>lx;ghD@ I'D93Ŗs;J#I}ӤDgdɒsnќYv ޣ4NCtd  'u6.Hq3Fyj4А0A Putjw!B"y!nm,L>Uc:M6{;~70 g? ~j@I?9L!T* LA$Yp8}4\*\rn߾ůs6xƍcf޲2 ܑq;#;1n-ELTN>} NΎ:oIе<[lRJh 'æ- $v`gkی꫙H#G{QGOr)g f%jǡ׭GJQEBVMN2nTs @c׾䩓j`ia @'W> LMMgr<XIXե<~;cWoF1po uP@&v ǿ{u=W& pq PH{d^@P:{fMlj{pw鬘H>z@#:@;[;~g}`ŦA‘TK(&c7ȃKIIa @Sf`-?Geݘ!u6  -6ֶ`og/p@|8LTa id#2GLX"uJ3`ͺ8 f?B% 9 @-ӧ^VSvŘׯa̸ѐs ڹ̛=/ge2d9E+?GZ2G ?": YZXx!7a,ܻI1ŋ /~]zvCP X6MS˔)gQ"Bah2ޮuefhSF&z6&Cp՗xE0leʠ00p>`؜TtE~W<»%i3ĮY o\'2 M 1!)w@O0/Ɇ\~?hݽ=-^zEH_ @F {j^:| o-"#ݸy_8/f=gΞ _~58Pf ʗAl'|jK>7Mx9<}q6:ϙMrw A( ~fƴZ_5jp/Du`@~Yʢ^'0d;_:  eЭ3̙X|vݚ) 8sL5ܥ!%}@i0Ta AhOVDA>sq+<{LML`s|1+ZQcص4 `=-6Ξ=CO /yXX7ndܤ'JRŊp ǧk'L9WFN]q)[J]P νZ) 7nJ$"t ϷdA=χKM$Sn=HMڮ"Cfs '~;NFSp07Uo*MHw7czRpahlj1q_*Ml??Kp}6}dϟ/Ykծ #5n                       Y]Z           ;A=                                 &!              !                                                                      #                                                                                        GLH                                                                       "            FKG                                         픗                           !                                                                                                                     173             fjg                                    )0+                       4:6                              =C@                  PUQ                 INJ                                                              062BHD                                                               AFB                                          KPLgkh                                        fjg                                                                      ( @                                                 +2-                                           LQN;A=                                  psp                         173           =C>                                                              퐓                 6<8                                                                                                                                             ink                                                    mqn                                  JPL                                                                                               퇊                        퍐                     _c`               fjg                                          &                           &                       RWRPNG  IHDR\rfsRGBgAMA a&JIDATx]}վ6KئVBm@qvkкQ[QcRl}kK1JBuS@GЀ@-)$bjT4jJj FLs׻wg~3s܏97!粻HxZ{wyG3'O|裏ĩS{O|ⓟdg?ˎ7N?^,[,=~0W_?Dr>ψ;OL8QG WoookϞ=/* ?/:;;# /7|}3EB@1cFVBPj{ytUn ɳēO>1(o7$ͤ|p++#2*xݭ<}g-5:;;[y"Toz,HsU/ؿTK8D4,mMp ɜ9sZӟ,K]SN[n* (yGDY"褭nZ1aSYY5"PHN8hӳdikn}BJϊϒeq 5kY=K\a %Kկ$Xd,#Jd2ڰ DTf?d/8h(zzzZjQK,L~{?N=,Y/ ,dvvȑ#ЮRdIE svm%ʯdx@DaϒeW 21m+dɊO;E*#?KJ&Mj%%{ ĨQgtqq!?9)l_=* ~ aKPU:?ázr=zTlٲEڵkhx ߿0 P$bC'_zŗ{mo3Di.@@U?2S)Ds=L[o{a3hr1˂?},sNkv@5ĭ2G&?NAKƍ+|>wrko9< ĒWˀ}Yg'w3aAs9sP3x"qL]rVk*b;Qh`je`,_t eUW]%Ԧ3V~wTc"@*kSkFȹMg4-[AE~'_$ݪU{kEe~3@ `wK2*Q_ H4? zy &s2x%8@d,j48P~5Y3~js.ڹuwiR/K9$@Ռ (vi twws&Ў"{+W'Ν $ud !5ݟ8q",:H:>PM7?k}gW'% cG* s|~ߊ{キP^?& `OB9s$qF30ݣ5uһ{ӞGj;vL̞={ˑ?]Q*@ ShW :@kiREfɒ%@ n?F̀,ui{?NMEYm޾}{K3HT,'y\.B<.C+Wr7ӂEn>5  @}5aRQB i ڎ04TrY0w\?XKÇ)SˀM;.jKV|E,W|!좟3k\x{"9w-k VѣG̙3sUJ],X@ IM9'05X@3.^!A^`2#Z%((t@V~Xӧ|$"c߮v\R3p :ӷZe {Al`,pJdۢꫯ.<4`T+\sc8UJ% ʗjY R1nT%eH̛7/w7P)HEE 5w2| .62TT~{zzgY /25UEa{3TVO[\ Ow*gQB 57 l(Pʀ Xd"n VElC[/@ʒ^d Ai7a/5\Thl*?<&yZ+Y5V~W^yt _p:1ڶ\=F^C=lf:o78IimU@z>H0vjC3f+W$Թʕ P3m'5kBa-fed I,@P|gSS,Y2 Au[E݀,ઃ@YB ƕK#`zV#PVbܛǓz- )V}X@@V>R&/^\ H~|۵kW@<zd k PK֠  L6-@3uxĉŸq?yB:uB>|88pՖWfYT9<|Aח:Tu'7tS%ᪿ-}rUX-cY [Eoٳg'Xw}w|0NTs$ `au]#*O8!z衡 ^K az'JuaXRאA@x`,WcGQLZ*kYP䰩3LʃӆVlcgr@STXR@m,QWIE Hvl@e*>bԨ\&*6:DԒ ,x 9&g-vIOTl" "K)isuY+@y͛QXo.m"E@6ʦt&Qm6rJJ߯Z+PKN@S+@m5B.VGl 6X*X)bZz]wu$/AMR6'X`W;w5W3QET,LV+L̲TacM!MtVT֣4f2՞!#`BscLHu}2M/ d ![4`h4M}p>\dME!t*ATXӫ$]@y6մ+Py*J@S_t2e Pb Ij)꺅ЬU떤 314٪@@Baʟ-Y'K +bZgDI-H1P6q^^_r+  sXNB 2,dt;v8SN"d cuuuXp7 yXe-_V(v|*ni C}vCA(+BSӔ\"T  B$W`>A $ MH; "% $˴G@Wz+惓%!ZN},m g?$}&{֭ "}NAu+)=R lYuKKܫEw TOR2VxcxKA.\0LK2)2!! &OM~}yI-r3|>`r=UMXj#Z%UP~1ZLͱA @E)킀u˗_!:*)?PyT FX }0lWPQG7 ^(zI@Ք E3=z4)m\P4"F]@h0KqÆ ʏsucjK1**ct_OfHE4+7,{ !}P5pjٛPeƒgFLL ȞۺNL=^_L@Օ_C%uL R u/lZ*P^oG(z6^~T7 :XAٲeB!jrV3j p=+FTNÕ҇}rlL)Az-T~,NWM5 NʟƢc G&CG~jcǎNNQ<4Е߶ο/`oGJF0PP,K@E8V4K*)mw˽``>h_U3^Az϶`Da*ʶ.*dZ/_j d=)SćY[N[ĩuVJ&QdH-(=2h;œ 3)+*LAݚkmާ.A$$e#>}y={$￧ts=\uZp~g,n^ 4W)R H-Ozլv-dw pb$i <.~@S_6ըm.\QЂ=pDw-&+xfͺқ›H1Ph킸CƲ(O7E{4h \J:<ܻ+QЬ#fΜieq#k~^}7y7N6#dKfGKof  T \Rvϛ70IYE*u>bA [+sBGMū)[Ai@Vb& +|nuX+V/^x TPSMrHY 5d{  cƌ?O6\_$z)єg`,}Cާ؊|G}۟oM`x5pH+%fթX?lzf̚ `.Qܬ~ڵqFഽf~ q f]K@Rd;}EԷ"[D7-ba& ,I=> I,.Ah VNJi(ozdp:9cX˓-"MĊG\@w o'qn_ouM@Ccf+ysdF}6@DžE!S46IYg r#ӑI=z4Yg%."q饗f2gڪR9@cI*iVr&i֯5duQژv(ǵr Gg.ʙYdž5YC|ZyPw__+rڜuwɹqtjnrUCq H ce>'o/$a'cP=j':[S~ّ2WVz1C@,Ur`Vlt]^mwr s/wމ&VgtLZ=$Ɲ\mw81\l ,Q/m6wrR2JT:e^xdUg`.ǨfQftfpBEe`ѓ-_` شiS0{rUn@DEEU_wyg"T1)?+ 5 T=ڔN?J*P]h7{ƍmq,ܲe + SI>PVmHLE0V Dޣh?d DOŶTJ4UV>裬D5 H9\0WRUotRο(G( @ (CzՑ| 2yd'Er4U2bE,oH @ :s@;v,~($ 1* 5vx}Խ.ᒡV+UL6?N%|H/Rbz0h*ӂ'gd MAR>w +Tz/f 7 -2&b { r"VU~KR~c wKmW^-~ >k֕\ϔ6^tܹ3v#Vz/b۶MbԨZ኿:}n{!(ƍСCΑUwX'F F1,$ !?r:E E$R:ԙX+ Fr %^|Eo?JD<:u*5A3_ $9r$ƍ]v7_^ķ~^}"J Vɳ=m_z+Vp +ZZ}]1uh\U0$>|xH2>u^\|x_V&n /xt_^E,@F1P9JȺaG?q>??;48qbHs:XN%]_&:@ &Mj*Z%G_r%1藿;Vۚw-Ľ!Y4_M,dVPPY7iS;/I^A@УH5l)~;@]@# ӧ_Ι1lҲSP?c -}m%l!=v`>~ҥC$ќ9sZ䓢8m!0mڴ`p dF)G]A 3Ђ…^<'m#}.Dv[- T`ڴa3E1̣. -[gb8 '̙3/὿=XUDIYȑ#QMV5`(n!8c q饗fM<%y?$cGM. F@U& r5M"S) ,UYVǏo[4(rM@+9@WB_@y>| @;q+"v/WLnS__U *py}D09x`i:.CR܀S}n&n7T(sL  ;&nF!WM. Pl|"8 LxY$;/|$1(iAKN@໓<7 8hK,w&SҪxbP@BP~ƥٳgVFKki%@J?vJ)Rå5k*WuAd T~jD=|'7jRArdHՈ2T~D2b3@P!oQG{_ˍ'jUAO緊] ;ǏC=߯%@%oVlٲP$6.(vZ'zpZ1(3@%P'姶$ DKBg֭bӦM䬙Uj F; R(̀" ?|qH(ݻwx=y}ow $Z"IݕV#~n„ sύy[ u_o'^{Ԩ>UVGAq}AD.芇qŮ%A?_W(.w}i{:_ϖ@sr ru!* &488hm” `ڽs v %/ͷ=6O.6lPtPT +@;@iUpP*Y e[ ^A@e!֛oiMX|Η}QQ11cƈB*dg.W /zP*ri U~cyXYR?}gJ KXCeF ,C*XyYt?Юs8˺XTFa>b!X&?uZrd3K)v в]$tAt NWءh^XV1&Om; Z-D|޺ @.. 2[{U"U0]暑|\">, Y}VZzcFYv X.i2ij z#j %KBH^xꫯ|pY:o"Tދ/뛾r@Kwx ,CUV~|x" Yrf/.XrTyd| k'O|?SNgW3 8㌡Ƨ>xhqYgn6**IENDB`(0` ʦ @ ` @@ @@@`@@@@`` `@`````` @` @` @` @`@@ @@@`@@@@@ @ @ @@ `@ @ @ @ @@@@ @@@@@`@@@@@@@@@`@` @`@@``@`@`@`@`@@ @@@`@@@@@@ @@@`@@@@@@ @@@`@@@@@@ @@@`@@@@ @` @ ` @@ @@@`@@@@`` `@`````` @` @` @` @` @` @ ` @@ @@@`@@@@`` `@`````` @` @` @`IIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIRIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIII[IIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIII[IIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIII[IIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIRIIIIIIIIIIIIIIIIRIIIIIIIIIIIIIIIIIII[[IIIIIIIIIIIIII[IIIIII[IIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIRIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIRIIIIIIIIIIIIIIIIIIIIIII[IIIIIIIIIIIRIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIRIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIRIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIRIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIRIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIRIIIIIIIIIIIIIIIIII[IIIIIIIIIIIIIIIIIRIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIRRIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIRIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIRIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIII( @ʦ @ ` @@ @@@`@@@@`` `@`````` @` @` @` @`@@ @@@`@@@@@ @ @ @@ `@ @ @ @ @@@@ @@@@@`@@@@@@@@@`@` @`@@``@`@`@`@`@@ @@@`@@@@@@ @@@`@@@@@@ @@@`@@@@@@ @@@`@@@@ @` @ ` @@ @@@`@@@@`` `@`````` @` @` @` @` @` @ ` @@ @@@`@@@@`` `@`````` @` @` @`IIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIRIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIRRIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIRIIIIIIIIIIIRIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIRIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIRIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIII[IIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIII[neso-3.8.2/CHANGELOG0000644000175000017500000000220012645023624013210 0ustar cedced00000000000000Version 3.8.2 - 2016-01-11 * Bug fixes (see mercurial logs for details) Version 3.8.1 - 2015-11-02 * Bug fixes (see mercurial logs for details) Version 3.8.0 - 2015-11-02 * Bug fixes (see mercurial logs for details) Version 3.6.0 - 2015-04-20 * Bug fixes (see mercurial logs for details) Version 3.4.0 - 2014-10-20 * Bug fixes (see mercurial logs for details) Version 3.2.0 - 2014-04-21 * Bug fixes (see mercurial logs for details) * Drop support of Python 2.6 Version 3.0.0 - 2013-10-21 * Bug fixes (see mercurial logs for details) Version 2.8.0 - 2013-04-22 * Bug fixes (see mercurial logs for details) Version 2.6.0 - 2012-10-22 * Bug fixes (see mercurial logs for details) Version 2.4.0 - 2012-04-23 * Bug fixes (see mercurial logs for details) Version 2.2.0 - 2011-10-25 * Bug fixes (see mercurial logs for details) Version 2.0.0 - 2011-04-28 * Bug fixes (see mercurial logs for details) Version 1.8.0 - 2010-11-01 * Bug fixes (see mercurial logs for details) * Add test for a .neso data directory in neso directory Version 1.6.0 - 2010-05-15 * Bug fixes (see mercurial logs for details) Version 1.4.0 - 2009-10-19 * Initial release neso-3.8.2/COPYRIGHT0000644000175000017500000000132312645023622013274 0ustar cedced00000000000000Copyright (C) 2009-2015 Cédric Krier. Copyright (C) 2009 Bertrand Chenal. Copyright (C) 2009-2015 B2CK SPRL. This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . neso-3.8.2/INSTALL0000644000175000017500000000154612615706057013050 0ustar cedced00000000000000Installing neso =============== Prerequisites ------------- * Python 2.7 or later (http://www.python.org/) * tryton (http://www.tryton.org/) * trytond (http://www.tryton.org/) Installation ------------ Once you've downloaded and unpacked a neso source release, enter the directory where the archive was unpacked, and run: python setup.py install Note that you may need administrator/root privileges for this step, as this command will by default attempt to install neso to the Python site-packages directory on your system. For advanced options, please refer to the easy_install and/or the distutils documentation: http://peak.telecommunity.com/DevCenter/EasyInstall http://docs.python.org/inst/inst.html To use without installation, run ``bin/neso`` from where the archive was unpacked. You must have tryton and trytond unpacked inside neso folder. neso-3.8.2/LICENSE0000644000175000017500000010451312615706057013022 0ustar cedced00000000000000 GNU GENERAL PUBLIC LICENSE Version 3, 29 June 2007 Copyright (C) 2007 Free Software Foundation, Inc. Everyone is permitted to copy and distribute verbatim copies of this license document, but changing it is not allowed. Preamble The GNU General Public License is a free, copyleft license for software and other kinds of works. The licenses for most software and other practical works are designed to take away your freedom to share and change the works. By contrast, the GNU General Public License is intended to guarantee your freedom to share and change all versions of a program--to make sure it remains free software for all its users. We, the Free Software Foundation, use the GNU General Public License for most of our software; it applies also to any other work released this way by its authors. You can apply it to your programs, too. When we speak of free software, we are referring to freedom, not price. Our General Public Licenses are designed to make sure that you have the freedom to distribute copies of free software (and charge for them if you wish), that you receive source code or can get it if you want it, that you can change the software or use pieces of it in new free programs, and that you know you can do these things. To protect your rights, we need to prevent others from denying you these rights or asking you to surrender the rights. Therefore, you have certain responsibilities if you distribute copies of the software, or if you modify it: responsibilities to respect the freedom of others. For example, if you distribute copies of such a program, whether gratis or for a fee, you must pass on to the recipients the same freedoms that you received. You must make sure that they, too, receive or can get the source code. And you must show them these terms so they know their rights. Developers that use the GNU GPL protect your rights with two steps: (1) assert copyright on the software, and (2) offer you this License giving you legal permission to copy, distribute and/or modify it. For the developers' and authors' protection, the GPL clearly explains that there is no warranty for this free software. For both users' and authors' sake, the GPL requires that modified versions be marked as changed, so that their problems will not be attributed erroneously to authors of previous versions. Some devices are designed to deny users access to install or run modified versions of the software inside them, although the manufacturer can do so. This is fundamentally incompatible with the aim of protecting users' freedom to change the software. The systematic pattern of such abuse occurs in the area of products for individuals to use, which is precisely where it is most unacceptable. Therefore, we have designed this version of the GPL to prohibit the practice for those products. If such problems arise substantially in other domains, we stand ready to extend this provision to those domains in future versions of the GPL, as needed to protect the freedom of users. Finally, every program is threatened constantly by software patents. States should not allow patents to restrict development and use of software on general-purpose computers, but in those that do, we wish to avoid the special danger that patents applied to a free program could make it effectively proprietary. To prevent this, the GPL assures that patents cannot be used to render the program non-free. The precise terms and conditions for copying, distribution and modification follow. TERMS AND CONDITIONS 0. Definitions. "This License" refers to version 3 of the GNU General Public License. "Copyright" also means copyright-like laws that apply to other kinds of works, such as semiconductor masks. "The Program" refers to any copyrightable work licensed under this License. Each licensee is addressed as "you". "Licensees" and "recipients" may be individuals or organizations. To "modify" a work means to copy from or adapt all or part of the work in a fashion requiring copyright permission, other than the making of an exact copy. The resulting work is called a "modified version" of the earlier work or a work "based on" the earlier work. A "covered work" means either the unmodified Program or a work based on the Program. To "propagate" a work means to do anything with it that, without permission, would make you directly or secondarily liable for infringement under applicable copyright law, except executing it on a computer or modifying a private copy. Propagation includes copying, distribution (with or without modification), making available to the public, and in some countries other activities as well. To "convey" a work means any kind of propagation that enables other parties to make or receive copies. Mere interaction with a user through a computer network, with no transfer of a copy, is not conveying. An interactive user interface displays "Appropriate Legal Notices" to the extent that it includes a convenient and prominently visible feature that (1) displays an appropriate copyright notice, and (2) tells the user that there is no warranty for the work (except to the extent that warranties are provided), that licensees may convey the work under this License, and how to view a copy of this License. If the interface presents a list of user commands or options, such as a menu, a prominent item in the list meets this criterion. 1. Source Code. The "source code" for a work means the preferred form of the work for making modifications to it. "Object code" means any non-source form of a work. A "Standard Interface" means an interface that either is an official standard defined by a recognized standards body, or, in the case of interfaces specified for a particular programming language, one that is widely used among developers working in that language. The "System Libraries" of an executable work include anything, other than the work as a whole, that (a) is included in the normal form of packaging a Major Component, but which is not part of that Major Component, and (b) serves only to enable use of the work with that Major Component, or to implement a Standard Interface for which an implementation is available to the public in source code form. A "Major Component", in this context, means a major essential component (kernel, window system, and so on) of the specific operating system (if any) on which the executable work runs, or a compiler used to produce the work, or an object code interpreter used to run it. The "Corresponding Source" for a work in object code form means all the source code needed to generate, install, and (for an executable work) run the object code and to modify the work, including scripts to control those activities. However, it does not include the work's System Libraries, or general-purpose tools or generally available free programs which are used unmodified in performing those activities but which are not part of the work. For example, Corresponding Source includes interface definition files associated with source files for the work, and the source code for shared libraries and dynamically linked subprograms that the work is specifically designed to require, such as by intimate data communication or control flow between those subprograms and other parts of the work. The Corresponding Source need not include anything that users can regenerate automatically from other parts of the Corresponding Source. The Corresponding Source for a work in source code form is that same work. 2. Basic Permissions. All rights granted under this License are granted for the term of copyright on the Program, and are irrevocable provided the stated conditions are met. This License explicitly affirms your unlimited permission to run the unmodified Program. The output from running a covered work is covered by this License only if the output, given its content, constitutes a covered work. This License acknowledges your rights of fair use or other equivalent, as provided by copyright law. You may make, run and propagate covered works that you do not convey, without conditions so long as your license otherwise remains in force. You may convey covered works to others for the sole purpose of having them make modifications exclusively for you, or provide you with facilities for running those works, provided that you comply with the terms of this License in conveying all material for which you do not control copyright. Those thus making or running the covered works for you must do so exclusively on your behalf, under your direction and control, on terms that prohibit them from making any copies of your copyrighted material outside their relationship with you. Conveying under any other circumstances is permitted solely under the conditions stated below. Sublicensing is not allowed; section 10 makes it unnecessary. 3. Protecting Users' Legal Rights From Anti-Circumvention Law. No covered work shall be deemed part of an effective technological measure under any applicable law fulfilling obligations under article 11 of the WIPO copyright treaty adopted on 20 December 1996, or similar laws prohibiting or restricting circumvention of such measures. When you convey a covered work, you waive any legal power to forbid circumvention of technological measures to the extent such circumvention is effected by exercising rights under this License with respect to the covered work, and you disclaim any intention to limit operation or modification of the work as a means of enforcing, against the work's users, your or third parties' legal rights to forbid circumvention of technological measures. 4. Conveying Verbatim Copies. You may convey verbatim copies of the Program's source code as you receive it, in any medium, provided that you conspicuously and appropriately publish on each copy an appropriate copyright notice; keep intact all notices stating that this License and any non-permissive terms added in accord with section 7 apply to the code; keep intact all notices of the absence of any warranty; and give all recipients a copy of this License along with the Program. You may charge any price or no price for each copy that you convey, and you may offer support or warranty protection for a fee. 5. Conveying Modified Source Versions. You may convey a work based on the Program, or the modifications to produce it from the Program, in the form of source code under the terms of section 4, provided that you also meet all of these conditions: a) The work must carry prominent notices stating that you modified it, and giving a relevant date. b) The work must carry prominent notices stating that it is released under this License and any conditions added under section 7. This requirement modifies the requirement in section 4 to "keep intact all notices". c) You must license the entire work, as a whole, under this License to anyone who comes into possession of a copy. This License will therefore apply, along with any applicable section 7 additional terms, to the whole of the work, and all its parts, regardless of how they are packaged. This License gives no permission to license the work in any other way, but it does not invalidate such permission if you have separately received it. d) If the work has interactive user interfaces, each must display Appropriate Legal Notices; however, if the Program has interactive interfaces that do not display Appropriate Legal Notices, your work need not make them do so. A compilation of a covered work with other separate and independent works, which are not by their nature extensions of the covered work, and which are not combined with it such as to form a larger program, in or on a volume of a storage or distribution medium, is called an "aggregate" if the compilation and its resulting copyright are not used to limit the access or legal rights of the compilation's users beyond what the individual works permit. Inclusion of a covered work in an aggregate does not cause this License to apply to the other parts of the aggregate. 6. Conveying Non-Source Forms. You may convey a covered work in object code form under the terms of sections 4 and 5, provided that you also convey the machine-readable Corresponding Source under the terms of this License, in one of these ways: a) Convey the object code in, or embodied in, a physical product (including a physical distribution medium), accompanied by the Corresponding Source fixed on a durable physical medium customarily used for software interchange. b) Convey the object code in, or embodied in, a physical product (including a physical distribution medium), accompanied by a written offer, valid for at least three years and valid for as long as you offer spare parts or customer support for that product model, to give anyone who possesses the object code either (1) a copy of the Corresponding Source for all the software in the product that is covered by this License, on a durable physical medium customarily used for software interchange, for a price no more than your reasonable cost of physically performing this conveying of source, or (2) access to copy the Corresponding Source from a network server at no charge. c) Convey individual copies of the object code with a copy of the written offer to provide the Corresponding Source. This alternative is allowed only occasionally and noncommercially, and only if you received the object code with such an offer, in accord with subsection 6b. d) Convey the object code by offering access from a designated place (gratis or for a charge), and offer equivalent access to the Corresponding Source in the same way through the same place at no further charge. You need not require recipients to copy the Corresponding Source along with the object code. If the place to copy the object code is a network server, the Corresponding Source may be on a different server (operated by you or a third party) that supports equivalent copying facilities, provided you maintain clear directions next to the object code saying where to find the Corresponding Source. Regardless of what server hosts the Corresponding Source, you remain obligated to ensure that it is available for as long as needed to satisfy these requirements. e) Convey the object code using peer-to-peer transmission, provided you inform other peers where the object code and Corresponding Source of the work are being offered to the general public at no charge under subsection 6d. A separable portion of the object code, whose source code is excluded from the Corresponding Source as a System Library, need not be included in conveying the object code work. A "User Product" is either (1) a "consumer product", which means any tangible personal property which is normally used for personal, family, or household purposes, or (2) anything designed or sold for incorporation into a dwelling. In determining whether a product is a consumer product, doubtful cases shall be resolved in favor of coverage. For a particular product received by a particular user, "normally used" refers to a typical or common use of that class of product, regardless of the status of the particular user or of the way in which the particular user actually uses, or expects or is expected to use, the product. A product is a consumer product regardless of whether the product has substantial commercial, industrial or non-consumer uses, unless such uses represent the only significant mode of use of the product. "Installation Information" for a User Product means any methods, procedures, authorization keys, or other information required to install and execute modified versions of a covered work in that User Product from a modified version of its Corresponding Source. The information must suffice to ensure that the continued functioning of the modified object code is in no case prevented or interfered with solely because modification has been made. If you convey an object code work under this section in, or with, or specifically for use in, a User Product, and the conveying occurs as part of a transaction in which the right of possession and use of the User Product is transferred to the recipient in perpetuity or for a fixed term (regardless of how the transaction is characterized), the Corresponding Source conveyed under this section must be accompanied by the Installation Information. But this requirement does not apply if neither you nor any third party retains the ability to install modified object code on the User Product (for example, the work has been installed in ROM). The requirement to provide Installation Information does not include a requirement to continue to provide support service, warranty, or updates for a work that has been modified or installed by the recipient, or for the User Product in which it has been modified or installed. Access to a network may be denied when the modification itself materially and adversely affects the operation of the network or violates the rules and protocols for communication across the network. Corresponding Source conveyed, and Installation Information provided, in accord with this section must be in a format that is publicly documented (and with an implementation available to the public in source code form), and must require no special password or key for unpacking, reading or copying. 7. Additional Terms. "Additional permissions" are terms that supplement the terms of this License by making exceptions from one or more of its conditions. Additional permissions that are applicable to the entire Program shall be treated as though they were included in this License, to the extent that they are valid under applicable law. If additional permissions apply only to part of the Program, that part may be used separately under those permissions, but the entire Program remains governed by this License without regard to the additional permissions. When you convey a copy of a covered work, you may at your option remove any additional permissions from that copy, or from any part of it. (Additional permissions may be written to require their own removal in certain cases when you modify the work.) You may place additional permissions on material, added by you to a covered work, for which you have or can give appropriate copyright permission. Notwithstanding any other provision of this License, for material you add to a covered work, you may (if authorized by the copyright holders of that material) supplement the terms of this License with terms: a) Disclaiming warranty or limiting liability differently from the terms of sections 15 and 16 of this License; or b) Requiring preservation of specified reasonable legal notices or author attributions in that material or in the Appropriate Legal Notices displayed by works containing it; or c) Prohibiting misrepresentation of the origin of that material, or requiring that modified versions of such material be marked in reasonable ways as different from the original version; or d) Limiting the use for publicity purposes of names of licensors or authors of the material; or e) Declining to grant rights under trademark law for use of some trade names, trademarks, or service marks; or f) Requiring indemnification of licensors and authors of that material by anyone who conveys the material (or modified versions of it) with contractual assumptions of liability to the recipient, for any liability that these contractual assumptions directly impose on those licensors and authors. All other non-permissive additional terms are considered "further restrictions" within the meaning of section 10. If the Program as you received it, or any part of it, contains a notice stating that it is governed by this License along with a term that is a further restriction, you may remove that term. If a license document contains a further restriction but permits relicensing or conveying under this License, you may add to a covered work material governed by the terms of that license document, provided that the further restriction does not survive such relicensing or conveying. If you add terms to a covered work in accord with this section, you must place, in the relevant source files, a statement of the additional terms that apply to those files, or a notice indicating where to find the applicable terms. Additional terms, permissive or non-permissive, may be stated in the form of a separately written license, or stated as exceptions; the above requirements apply either way. 8. Termination. You may not propagate or modify a covered work except as expressly provided under this License. Any attempt otherwise to propagate or modify it is void, and will automatically terminate your rights under this License (including any patent licenses granted under the third paragraph of section 11). However, if you cease all violation of this License, then your license from a particular copyright holder is reinstated (a) provisionally, unless and until the copyright holder explicitly and finally terminates your license, and (b) permanently, if the copyright holder fails to notify you of the violation by some reasonable means prior to 60 days after the cessation. Moreover, your license from a particular copyright holder is reinstated permanently if the copyright holder notifies you of the violation by some reasonable means, this is the first time you have received notice of violation of this License (for any work) from that copyright holder, and you cure the violation prior to 30 days after your receipt of the notice. Termination of your rights under this section does not terminate the licenses of parties who have received copies or rights from you under this License. If your rights have been terminated and not permanently reinstated, you do not qualify to receive new licenses for the same material under section 10. 9. Acceptance Not Required for Having Copies. You are not required to accept this License in order to receive or run a copy of the Program. Ancillary propagation of a covered work occurring solely as a consequence of using peer-to-peer transmission to receive a copy likewise does not require acceptance. However, nothing other than this License grants you permission to propagate or modify any covered work. These actions infringe copyright if you do not accept this License. Therefore, by modifying or propagating a covered work, you indicate your acceptance of this License to do so. 10. Automatic Licensing of Downstream Recipients. Each time you convey a covered work, the recipient automatically receives a license from the original licensors, to run, modify and propagate that work, subject to this License. You are not responsible for enforcing compliance by third parties with this License. An "entity transaction" is a transaction transferring control of an organization, or substantially all assets of one, or subdividing an organization, or merging organizations. If propagation of a covered work results from an entity transaction, each party to that transaction who receives a copy of the work also receives whatever licenses to the work the party's predecessor in interest had or could give under the previous paragraph, plus a right to possession of the Corresponding Source of the work from the predecessor in interest, if the predecessor has it or can get it with reasonable efforts. You may not impose any further restrictions on the exercise of the rights granted or affirmed under this License. For example, you may not impose a license fee, royalty, or other charge for exercise of rights granted under this License, and you may not initiate litigation (including a cross-claim or counterclaim in a lawsuit) alleging that any patent claim is infringed by making, using, selling, offering for sale, or importing the Program or any portion of it. 11. Patents. A "contributor" is a copyright holder who authorizes use under this License of the Program or a work on which the Program is based. The work thus licensed is called the contributor's "contributor version". A contributor's "essential patent claims" are all patent claims owned or controlled by the contributor, whether already acquired or hereafter acquired, that would be infringed by some manner, permitted by this License, of making, using, or selling its contributor version, but do not include claims that would be infringed only as a consequence of further modification of the contributor version. For purposes of this definition, "control" includes the right to grant patent sublicenses in a manner consistent with the requirements of this License. Each contributor grants you a non-exclusive, worldwide, royalty-free patent license under the contributor's essential patent claims, to make, use, sell, offer for sale, import and otherwise run, modify and propagate the contents of its contributor version. In the following three paragraphs, a "patent license" is any express agreement or commitment, however denominated, not to enforce a patent (such as an express permission to practice a patent or covenant not to sue for patent infringement). To "grant" such a patent license to a party means to make such an agreement or commitment not to enforce a patent against the party. If you convey a covered work, knowingly relying on a patent license, and the Corresponding Source of the work is not available for anyone to copy, free of charge and under the terms of this License, through a publicly available network server or other readily accessible means, then you must either (1) cause the Corresponding Source to be so available, or (2) arrange to deprive yourself of the benefit of the patent license for this particular work, or (3) arrange, in a manner consistent with the requirements of this License, to extend the patent license to downstream recipients. "Knowingly relying" means you have actual knowledge that, but for the patent license, your conveying the covered work in a country, or your recipient's use of the covered work in a country, would infringe one or more identifiable patents in that country that you have reason to believe are valid. If, pursuant to or in connection with a single transaction or arrangement, you convey, or propagate by procuring conveyance of, a covered work, and grant a patent license to some of the parties receiving the covered work authorizing them to use, propagate, modify or convey a specific copy of the covered work, then the patent license you grant is automatically extended to all recipients of the covered work and works based on it. A patent license is "discriminatory" if it does not include within the scope of its coverage, prohibits the exercise of, or is conditioned on the non-exercise of one or more of the rights that are specifically granted under this License. You may not convey a covered work if you are a party to an arrangement with a third party that is in the business of distributing software, under which you make payment to the third party based on the extent of your activity of conveying the work, and under which the third party grants, to any of the parties who would receive the covered work from you, a discriminatory patent license (a) in connection with copies of the covered work conveyed by you (or copies made from those copies), or (b) primarily for and in connection with specific products or compilations that contain the covered work, unless you entered into that arrangement, or that patent license was granted, prior to 28 March 2007. Nothing in this License shall be construed as excluding or limiting any implied license or other defenses to infringement that may otherwise be available to you under applicable patent law. 12. No Surrender of Others' Freedom. If conditions are imposed on you (whether by court order, agreement or otherwise) that contradict the conditions of this License, they do not excuse you from the conditions of this License. If you cannot convey a covered work so as to satisfy simultaneously your obligations under this License and any other pertinent obligations, then as a consequence you may not convey it at all. For example, if you agree to terms that obligate you to collect a royalty for further conveying from those to whom you convey the Program, the only way you could satisfy both those terms and this License would be to refrain entirely from conveying the Program. 13. Use with the GNU Affero General Public License. Notwithstanding any other provision of this License, you have permission to link or combine any covered work with a work licensed under version 3 of the GNU Affero General Public License into a single combined work, and to convey the resulting work. The terms of this License will continue to apply to the part which is the covered work, but the special requirements of the GNU Affero General Public License, section 13, concerning interaction through a network will apply to the combination as such. 14. Revised Versions of this License. The Free Software Foundation may publish revised and/or new versions of the GNU General Public License from time to time. Such new versions will be similar in spirit to the present version, but may differ in detail to address new problems or concerns. Each version is given a distinguishing version number. If the Program specifies that a certain numbered version of the GNU General Public License "or any later version" applies to it, you have the option of following the terms and conditions either of that numbered version or of any later version published by the Free Software Foundation. If the Program does not specify a version number of the GNU General Public License, you may choose any version ever published by the Free Software Foundation. If the Program specifies that a proxy can decide which future versions of the GNU General Public License can be used, that proxy's public statement of acceptance of a version permanently authorizes you to choose that version for the Program. Later license versions may give you additional or different permissions. However, no additional obligations are imposed on any author or copyright holder as a result of your choosing to follow a later version. 15. Disclaimer of Warranty. THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF ALL NECESSARY SERVICING, REPAIR OR CORRECTION. 16. Limitation of Liability. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES. 17. Interpretation of Sections 15 and 16. If the disclaimer of warranty and limitation of liability provided above cannot be given local legal effect according to their terms, reviewing courts shall apply local law that most closely approximates an absolute waiver of all civil liability in connection with the Program, unless a warranty or assumption of liability accompanies a copy of the Program in return for a fee. END OF TERMS AND CONDITIONS How to Apply These Terms to Your New Programs If you develop a new program, and you want it to be of the greatest possible use to the public, the best way to achieve this is to make it free software which everyone can redistribute and change under these terms. To do so, attach the following notices to the program. It is safest to attach them to the start of each source file to most effectively state the exclusion of warranty; and each file should have at least the "copyright" line and a pointer to where the full notice is found. Copyright (C) This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . Also add information on how to contact you by electronic and paper mail. If the program does terminal interaction, make it output a short notice like this when it starts in an interactive mode: Copyright (C) This program comes with ABSOLUTELY NO WARRANTY; for details type `show w'. This is free software, and you are welcome to redistribute it under certain conditions; type `show c' for details. The hypothetical commands `show w' and `show c' should show the appropriate parts of the General Public License. Of course, your program's commands might be different; for a GUI interface, you would use an "about box". You should also get your employer (if you work as a programmer) or school, if any, to sign a "copyright disclaimer" for the program, if necessary. For more information on this, and how to apply and follow the GNU GPL, see . The GNU General Public License does not permit incorporating your program into proprietary programs. If your program is a subroutine library, you may consider it more useful to permit linking proprietary applications with the library. If this is what you want to do, use the GNU Lesser General Public License instead of this License. But first, please read . neso-3.8.2/MANIFEST.in0000644000175000017500000000037112615706057013550 0ustar cedced00000000000000include LICENSE include COPYRIGHT include README include INSTALL include TODO include CHANGELOG include setup.nsi include neso.desktop include *.nsh include share/pixmaps/neso/*.svg include share/pixmaps/neso/*.ico include share/pixmaps/neso/*.icns neso-3.8.2/README0000644000175000017500000000144312615706057012673 0ustar cedced00000000000000neso ==== The client/server of the Tryton application platform. A three-tiers high-level general purpose application platform written in Python and use SQLite as database engine. It is the core base of an Open Source ERP. It provides modularity, scalability and security. Installing ---------- See INSTALL Package Contents ---------------- bin/ Script for startup. Support ------- If you encounter any problems with Tryton, please don't hesitate to ask questions on the Tryton bug tracker, mailing list, wiki or IRC channel: http://bugs.tryton.org/ http://groups.tryton.org/ http://wiki.tryton.org/ irc://irc.freenode.net/tryton License ------- See LICENSE Copyright --------- See COPYRIGHT For more information please visit the Tryton web site: http://www.tryton.org/ neso-3.8.2/catalan.nsh0000644000175000017500000000171212615706057014127 0ustar cedced00000000000000;This file is part of Tryton. The COPYRIGHT file at the top level of ;this repository contains the full copyright notices and license terms. !verbose 3 !ifdef CURLANG !undef CURLANG !endif !define CURLANG ${LANG_CATALAN} LangString LicenseText ${CURLANG} "Neso est alliberat sota la llicncia GNU General Public License publicada per la Free Software Foundation, o b la versi 3 de la llicncia, o (sota la vostra elecci) qualsevol versi posterior. Llegiu detingudament la llicncia. Premeu Segent per continuar." LangString LicenseNext ${CURLANG} "&Segent" LangString PreviousInstall ${CURLANG} "Desinstalleu la versi anterior de Neso" LangString SecNesoName ${CURLANG} "Neso" LangString SecNesoDesc ${CURLANG} "Installa neso.exe i altres fitxers necessaris" LangString SecStartMenuName ${CURLANG} "Accessos directes al men d'inici i a l'escriptori" LangString SecStartMenuDesc ${CURLANG} "Crea accessos directes al men d'inici i a l'escriptori" neso-3.8.2/english.nsh0000644000175000017500000000161612615706057014160 0ustar cedced00000000000000;This file is part of Tryton. The COPYRIGHT file at the top level of ;this repository contains the full copyright notices and license terms. !verbose 3 !ifdef CURLANG !undef CURLANG !endif !define CURLANG ${LANG_ENGLISH} LangString LicenseText ${CURLANG} "Neso is released under the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. Please carefully read the license. Click Next to continue." LangString LicenseNext ${CURLANG} "&Next" LangString PreviousInstall ${CURLANG} "Please uninstall the previous Neso installation" LangString SecNesoName ${CURLANG} "Neso" LangString SecNesoDesc ${CURLANG} "Install neso.exe and other required files" LangString SecStartMenuName ${CURLANG} "Start Menu and Desktop Shortcuts" LangString SecStartMenuDesc ${CURLANG} "Create shortcuts in the start menu and on desktop" neso-3.8.2/french.nsh0000644000175000017500000000172412615706057013774 0ustar cedced00000000000000;This file is part of Tryton. The COPYRIGHT file at the top level of ;this repository contains the full copyright notices and license terms. !verbose 3 !ifdef CURLANG !undef CURLANG !endif !define CURLANG ${LANG_FRENCH} LangString LicenseText ${CURLANG} "Neso est publi sous la GNU General Public License comme publie par la Free Software Foundation, soit la version 3 de la License, ou ( votre choix) toute version ultrieure. S'il vous plat lisez attentivement la license. Cliquez sur Suivant pour continuer." LangString LicenseNext ${CURLANG} "&Suivant" LangString PreviousInstall ${CURLANG} "Veuillez dsinstaller la prcdente installation de Neso" LangString SecNesoName ${CURLANG} "Neso" LangString SecNesoDesc ${CURLANG} "Installe neso.exe et d'autres fichiers requis" LangString SecStartMenuName ${CURLANG} "Raccourcis dans le menu Dmarrer et sur le bureau" LangString SecStartMenuDesc ${CURLANG} "Cr les raccourcis dans le menu Dmarrer et sur le bureau" neso-3.8.2/german.nsh0000644000175000017500000000172512615706057014001 0ustar cedced00000000000000;This file is part of Tryton. The COPYRIGHT file at the top level of ;this repository contains the full copyright notices and license terms. !verbose 3 !ifdef CURLANG !undef CURLANG !endif !define CURLANG ${LANG_GERMAN} LangString LicenseText ${CURLANG} "Neso wird unter der GNU General Public License wie von der Free Software Foundation verffentlicht freigegeben, entweder Version 3 der Lizenz oder (nach Ihrer Wahl) jeder spteren Version. Bitte lesen Sie die Lizenz aufmerksam. Klicken Sie auf Weiter, um fortzufahren." LangString LicenseNext ${CURLANG} "&Weiter" LangString PreviousInstall ${CURLANG} "Bitte deinstallieren Sie die vorherige Installation von Neso" LangString SecNesoName ${CURLANG} "Neso" LangString SecNesoDesc ${CURLANG} "neso.exe und andere bentigte Dateien installieren" LangString SecStartMenuName ${CURLANG} "Startmen und Desktop-Verknpfungen" LangString SecStartMenuDesc ${CURLANG} "Verknpfungen im Startmen und auf dem Desktop erstellen" neso-3.8.2/neso.desktop0000644000175000017500000000125112615706057014347 0ustar cedced00000000000000[Desktop Entry] Version=1.0 Type=Application Name=Neso GenericName=Standalone Client/Server for the Tryton Application Platform GenericName[ca_ES]=Client/Servidor autònom per l'aplicació Tryton GenericName[de]=Autonomer Client/Server für die Tryton Applikationsplattform GenericName[es_ES]=Cliente/Servidor autónomo para la aplicación Tryton GenericName[sl]=Samostojni odjemalec/strežnik za aplikacijsko platformo Tryton Comment=Run Tryton Comment[ca_ES]=Inicia Tryton Comment[de]=Tryton starten Comment[es_ES]=Iniciar Tryton Comment[sl]=Zaženi Tryton Keywords=Business;Management;Enterprise;ERP;Framework; Exec=neso Icon=neso-icon Terminal=false Categories=Office;Finance; neso-3.8.2/portuguese.nsh0000644000175000017500000000170012615706057014723 0ustar cedced00000000000000;This file is part of Tryton. The COPYRIGHT file at the top level of ;this repository contains the full copyright notices and license terms. !verbose 3 !ifdef CURLANG !undef CURLANG !endif !define CURLANG ${LANG_ENGLISH} LangString LicenseText ${CURLANG} "Neso é licenciado sobre a GNU General Public License como publicada pela Free Software Foundation, conforme a versão 3 da licença, ou (segundo sua escolha) qualquer versão posterior. Favor ler cuidadosamente a licença. Clique em Seguinte para continuar." LangString LicenseNext ${CURLANG} "&Seguinte" LangString PreviousInstall ${CURLANG} "Favor remover a instalação anterior do Neso" LangString SecNesoName ${CURLANG} "Neso" LangString SecNesoDesc ${CURLANG} "Instala neso.exe e outros arquivos necessários" LangString SecStartMenuName ${CURLANG} "Menu Iniciar e Atalhos da Área de Trabalho" LangString SecStartMenuDesc ${CURLANG} "Criar atalhos no menu iniciar e na Área de Trabalho" neso-3.8.2/setup.nsi0000644000175000017500000001046012615706057013665 0ustar cedced00000000000000;This file is part of Tryton. The COPYRIGHT file at the top level of ;this repository contains the full copyright notices and license terms. ;Check version !ifndef VERSION !error "Missing VERSION! Specify it with '/DVERSION='" !endif ;Include Modern UI !include "MUI.nsh" ;General Name "Neso ${VERSION}" OutFile "neso-setup-${VERSION}.exe" SetCompressor lzma SetCompress auto ;Default installation folder InstallDir "$PROGRAMFILES\neso-${VERSION}" ;Get installation folder from registry if available InstallDirRegKey HKCU "Software\neso-${VERSION}" "" BrandingText "Neso ${VERSION}" ;Vista redirects $SMPROGRAMS to all users without this RequestExecutionLevel admin ;Variables Var MUI_TEMP Var STARTMENU_FOLDER ;Interface Settings !define MUI_ABORTWARNING ;Language Selection Dialog Settings ;Remember the installer language !define MUI_LANGDLL_REGISTRY_ROOT "HKCU" !define MUI_LANGDLL_REGISTRY_KEY "Software\Modern UI Test" !define MUI_LANGDLL_REGISTRY_VALUENAME "Installer Language" ;Pages !define MUI_ICON "share\pixmaps\neso\neso.ico" !define MUI_LICENSEPAGE_TEXT_BOTTOM "$(LicenseText)" !define MUI_LICENSEPAGE_BUTTON "$(LicenseNext)" !insertmacro MUI_PAGE_LICENSE "LICENSE" !insertmacro MUI_PAGE_DIRECTORY !insertmacro MUI_PAGE_STARTMENU Application $STARTMENU_FOLDER !insertmacro MUI_PAGE_INSTFILES !insertmacro MUI_UNPAGE_CONFIRM !insertmacro MUI_UNPAGE_INSTFILES ;Languages !insertmacro MUI_LANGUAGE "English" !include "english.nsh" !insertmacro MUI_LANGUAGE "French" !include "french.nsh" !insertmacro MUI_LANGUAGE "German" !include "german.nsh" !insertmacro MUI_LANGUAGE "Spanish" !include "spanish.nsh" ;Reserve Files ;If you are using solid compression, files that are required before ;the actual installation should be stored first in the data block, ;because this will make your installer start faster. !insertmacro MUI_RESERVEFILE_LANGDLL ;Installer Sections Function .onInit ClearErrors ReadRegStr $0 HKCU "Software\neso-${VERSION}" "" IfErrors DoInstall 0 MessageBox MB_OK "$(PreviousInstall)" Quit DoInstall: FunctionEnd Section $(SecNesoName) SecNeso SectionIn 1 2 RO ;Set output path to the installation directory SetOutPath "$INSTDIR" ;Put file File /r "dist\*" File "COPYRIGHT" File "INSTALL" File "LICENSE" File "README" File "CHANGELOG" ;Write the installation path into the registry WriteRegStr HKCU "Software\neso-${VERSION}" "" $INSTDIR WriteRegStr HKLM "Software\neso-${VERSION}" "" $INSTDIR ;Write the uninstall keys for Windows WriteRegStr HKLM "Software\Microsoft\Windows\CurrentVersion\Uninstall\neso-${VERSION}" "DisplayName" "Neso ${VERSION} (remove only)" WriteRegStr HKLM "Software\Microsoft\Windows\CurrentVersion\Uninstall\neso-${VERSION}" "UninstallString" "$INSTDIR\uninstall.exe" ;Create the uninstaller WriteUninstaller uninstall.exe SectionEnd Section $(SecStartMenuName) SecStartMenu SectionIn 1 2 !insertmacro MUI_STARTMENU_WRITE_BEGIN Application SetShellVarContext all CreateDirectory "$SMPROGRAMS\$STARTMENU_FOLDER" CreateShortCut "$SMPROGRAMS\$STARTMENU_FOLDER\Uninstall.lnk" "$INSTDIR\uninstall.exe" "" "$INSTDIR\uninstall.exe" 0 CreateShortCut "$SMPROGRAMS\$STARTMENU_FOLDER\Neso-${VERSION}.lnk" "$INSTDIR\neso.exe" "" "$INSTDIR\neso.exe" 0 CreateShortCut "$DESKTOP\Neso-${VERSION}.lnk" "$INSTDIR\neso.exe" "" "$INSTDIR\neso.exe" 0 !insertmacro MUI_STARTMENU_WRITE_END SectionEnd ;Descriptions !insertmacro MUI_FUNCTION_DESCRIPTION_BEGIN !insertmacro MUI_DESCRIPTION_TEXT ${SecNeso} $(SecNesoDesc) !insertmacro MUI_DESCRIPTION_TEXT ${SecStartMenu} $(SecStartMenuDesc) !insertmacro MUI_FUNCTION_DESCRIPTION_END Section "Uninstall" ;Add your stuff here RMDIR /r "$INSTDIR" ;remove registry keys DeleteRegKey HKCU "Software\neso-${VERSION}" DeleteRegKey HKLM "Software\neso-${VERSION}" DeleteRegKey HKLM "Software\Microsoft\Windows\CurrentVersion\Uninstall\neso-${VERSION}" SetShellVarContext all Delete "$DESKTOP\Neso-${VERSION}.lnk" !insertmacro MUI_STARTMENU_GETFOLDER Application $MUI_TEMP StrCmp $MUI_TEMP "" noshortcuts Delete "$SMPROGRAMS\$MUI_TEMP\Uninstall.lnk" Delete "$SMPROGRAMS\$MUI_TEMP\Neso-${VERSION}.lnk" RMDir "$SMPROGRAMS\$MUI_TEMP" noshortcuts: SectionEnd neso-3.8.2/setup.py0000644000175000017500000004465112642603041013522 0ustar cedced00000000000000#!/usr/bin/env python # This file is part of Tryton. The COPYRIGHT file at the top level of # this repository contains the full copyright notices and license terms. from setuptools import setup, find_packages import os import sys import glob import re def read(fname): return open(os.path.join(os.path.dirname(__file__), fname)).read() args = {} languages = ( 'bg_BG', 'ca_ES', 'cs_CZ', 'de_DE', 'es_AR', 'es_CO', 'es_EC', 'es_ES', 'es_MX', 'fr_FR', 'it_IT', 'ja_JP', 'lt_LT', 'nl_NL', 'pt_BR', 'ru_RU', 'sl_SI', ) def all_languages(): for lang in languages: yield lang yield lang.split('_')[0] data_files = [] if os.name == 'nt': import py2exe args['windows'] = [{ 'script': os.path.join('bin', 'neso'), 'icon_resources': [ (1, os.path.join('share', 'pixmaps', 'neso', 'neso.ico'))], }] args['options'] = { 'py2exe': { 'optimize': 0, 'bundle_files': 3, # don't bundle because gtk doesn't support it 'packages': [ 'encodings', 'gtk', 'pygtk', 'pytz', 'atk', 'pango', 'pangocairo', 'cairo', 'ConfigParser', 'xmlrpclib', 'xml', 'decimal', 'dateutil', 'logging.config', 'logging.handlers', 'zipfile', 'sqlite3', 'relatorio', 'csv', 'lxml', 'pydoc', 'pywebdav', 'pydot', 'vobject', 'pkg_resources', 'vatnumber', 'suds', 'email', 'contextlib', 'gio', 'simplejson', 'polib', 'SimpleXMLRPCServer', 'SimpleHTTPServer', 'sql', 'stdnum', 'site', 'colorsys', 'uuid', 'simpleeval', 'cached_property', 'chardet', ], 'dll_excludes': ['dnsapi.dll', 'usp10.dll', 'iphlpapi.dll'], 'excludes': ['Tkconstants', 'Tkinter', 'tcl'], } } args['zipfile'] = 'library.zip' data_files.append(('', ['msvcr90.dll', 'msvcp90.dll', 'msvcm90.dll'])) manifest = read('Microsoft.VC90.CRT.manifest') args['windows'][0]['other_resources'] = [(24, 1, manifest)] elif sys.platform == 'darwin': import py2app from modulegraph.find_modules import PY_SUFFIXES PY_SUFFIXES.append('') args['app'] = [os.path.join('bin', 'neso')] args['options'] = { 'py2app': { 'argv_emulation': True, 'includes': ('pygtk, gtk, glib, cairo, pango, pangocairo, atk, ' 'gobject, gio, gtk.keysyms, pkg_resources, ConfigParser, ' 'xmlrpclib, decimal, uuid, ' 'dateutil, zipfile, sqlite3, ' 'csv, pydoc, pydot, ' 'vobject, vatnumber, suds, email, cPickle, sha, ' 'contextlib, gtk_osxapplication, ldap, simplejson'), 'packages': ('xml, logging, lxml, genshi, DAV, pytz, email, ' 'relatorio, sql', 'stdnum'), 'excludes': 'tryton, trytond', 'frameworks': 'librsvg-2.2.dylib, libjpeg.8.dylib, libtiff.3.dylib', 'plist': { 'CFBundleIdentifier': 'org.tryton.neso', 'CFBundleName': 'Neso', }, 'iconfile': os.path.join('share', 'pixmaps', 'neso', 'neso.icns'), }, } def get_require_version(name): if minor_version % 2: require = '%s >= %s.%s.dev0, < %s.%s' else: require = '%s >= %s.%s, < %s.%s' require %= (name, major_version, minor_version, major_version, minor_version + 1) return require def get_version(): init = read(os.path.join('neso', '__init__.py')) return re.search('__version__ = "([0-9.]*)"', init).group(1) version = get_version() major_version, minor_version, _ = version.split('.', 2) major_version = int(major_version) minor_version = int(minor_version) name = 'neso' download_url = 'http://downloads.tryton.org/%s.%s/' % ( major_version, minor_version) if minor_version % 2: version = '%s.%s.dev0' % (major_version, minor_version) download_url = 'hg+http://hg.tryton.org/%s#egg=%s-%s' % ( name, name, version) dist = setup(name=name, version=version, description='Standalone Client/Server for the Tryton Application Platform', long_description=read('README'), author='Tryton', author_email='issue_tracker@tryton.org', url='http://www.tryton.org/', download_url=download_url, keywords='business application ERP', packages=find_packages(), data_files=data_files, scripts=['bin/neso'], classifiers=[ 'Development Status :: 5 - Production/Stable', 'Environment :: X11 Applications :: GTK', 'Framework :: Tryton', 'Intended Audience :: End Users/Desktop', 'License :: OSI Approved :: GNU General Public License (GPL)', 'Natural Language :: Bulgarian', 'Natural Language :: Catalan', 'Natural Language :: Czech', 'Natural Language :: Dutch', 'Natural Language :: English', 'Natural Language :: French', 'Natural Language :: German', 'Natural Language :: Italian', 'Natural Language :: Portuguese (Brazilian)', 'Natural Language :: Russian', 'Natural Language :: Spanish', 'Natural Language :: Slovenian', 'Natural Language :: Japanese', 'Operating System :: OS Independent', 'Programming Language :: Python :: 2.7', 'Topic :: Office/Business', ], platforms='any', license='GPL-3', install_requires=[ get_require_version('tryton'), get_require_version('trytond'), ], zip_safe=False, **args ) def findFiles(topDir, pattern): import fnmatch for dirpath, dirnames, filenames in os.walk(topDir): for filename in filenames: if fnmatch.fnmatch(filename, pattern): yield os.path.join(dirpath, filename) def copy_trytons(dist_dir): from py_compile import compile for i in ('tryton', 'trytond'): if os.path.isdir(os.path.join(dist_dir, i)): shutil.rmtree(os.path.join(dist_dir, i)) shutil.copytree(os.path.join(os.path.dirname(__file__), i), os.path.join(dist_dir, i)) for j in ('.hg', 'dist', 'build', i + '.egg-info'): if os.path.isdir(os.path.join(dist_dir, i, j)): shutil.rmtree(os.path.join(dist_dir, i, j)) for j in ('.hgtags', '.hgignore'): if os.path.isfile(os.path.join(dist_dir, i, j)): os.remove(os.path.join(dist_dir, i, j)) for file in glob.iglob(os.path.join(dist_dir, i, '*.exe')): os.remove(file) for file in glob.iglob(os.path.join(dist_dir, i, '*.dmg')): os.remove(file) for file in findFiles(os.path.join(dist_dir, i), '*.py'): if file.endswith('__tryton__.py'): continue print "byte-compiling %s to %s" % (file, file[len(dist_dir) + len(os.sep):] + (__debug__ and 'c' or 'o')) compile(file, None, file[len(dist_dir) + len(os.sep):] + (__debug__ and 'c' or 'o'), True) os.remove(file) for j in ('.hg', 'dist', 'build', i + '.egg-info'): for dir in glob.iglob(os.path.join( dist_dir, 'trytond', 'trytond', 'modules', '*', j)): shutil.rmtree(dir) for j in ('.hgtags', '.hgignore'): for file in glob.iglob(os.path.join( dist_dir, 'trytond', 'trytond', 'modules', '*', j)): os.remove(file) if os.name == 'nt': def find_gtk_dir(): for directory in os.environ['PATH'].split(';'): if not os.path.isdir(directory): continue for file in ('gtk-demo.exe', 'gdk-pixbuf-query-loaders.exe'): if os.path.isfile(os.path.join(directory, file)): return os.path.dirname(directory) return None def find_makensis(): default_path = os.path.join(os.environ['PROGRAMFILES'], 'NSIS') for directory in os.environ['PATH'].split(';') + [default_path]: if not os.path.isdir(directory): continue path = os.path.join(directory, 'makensis.exe') if os.path.isfile(path): return path return None if 'py2exe' in dist.commands: import shutil import pytz import stdnum import zipfile gtk_dir = find_gtk_dir() dist_dir = dist.command_obj['py2exe'].dist_dir # pytz installs the zoneinfo directory tree in the same directory # Make sure the layout of pytz hasn't changed assert (pytz.__file__.endswith('__init__.pyc') or pytz.__file__.endswith('__init__.py')), pytz.__file__ zoneinfo_dir = os.path.join(os.path.dirname(pytz.__file__), 'zoneinfo') disk_basedir = os.path.dirname(os.path.dirname(pytz.__file__)) # stdnum installs dat files in the same directory # Make sure the layout of stdnum hasn't changed assert (stdnum.__file__.endswith('__init__.pyc') or stdnum.__file__.endswith('__init__.py')), stdnum.__file__ dat_dir = os.path.join(os.path.dirname(stdnum.__file__)) zipfile_path = os.path.join(dist_dir, 'library.zip') z = zipfile.ZipFile(zipfile_path, 'a') for absdir, directories, filenames in os.walk(zoneinfo_dir): assert absdir.startswith(disk_basedir), (absdir, disk_basedir) zip_dir = absdir[len(disk_basedir):] for f in filenames: z.write(os.path.join(absdir, f), os.path.join(zip_dir, f)) for f in os.listdir(dat_dir): if f.endswith('.dat'): z.write(os.path.join(dat_dir, f), os.path.join(os.path.basename(dat_dir), f)) z.close() copy_trytons(dist_dir) if os.path.isdir(os.path.join(dist_dir, 'etc')): shutil.rmtree(os.path.join(dist_dir, 'etc')) shutil.copytree(os.path.join(gtk_dir, 'etc'), os.path.join(dist_dir, 'etc')) from subprocess import Popen, PIPE query_loaders = Popen(os.path.join(gtk_dir, 'bin', 'gdk-pixbuf-query-loaders'), stdout=PIPE).stdout.read() query_loaders = query_loaders.replace( gtk_dir.replace(os.sep, '/') + '/', '') loaders_path = os.path.join(dist_dir, 'etc', 'gtk-2.0', 'gdk-pixbuf.loaders') with open(loaders_path, 'w') as loaders: loaders.writelines([line + "\n" for line in query_loaders.split(os.linesep)]) if os.path.isdir(os.path.join(dist_dir, 'lib')): shutil.rmtree(os.path.join(dist_dir, 'lib')) shutil.copytree(os.path.join(gtk_dir, 'lib'), os.path.join(dist_dir, 'lib')) for file in glob.iglob(os.path.join(gtk_dir, 'bin', '*.dll')): if os.path.isfile(file): shutil.copy(file, dist_dir) for lang in all_languages(): if os.path.isdir(os.path.join(dist_dir, 'share', 'locale', lang)): shutil.rmtree(os.path.join(dist_dir, 'share', 'locale', lang)) if os.path.isdir(os.path.join(gtk_dir, 'share', 'locale', lang)): shutil.copytree(os.path.join(gtk_dir, 'share', 'locale', lang), os.path.join(dist_dir, 'share', 'locale', lang)) if os.path.isdir(os.path.join(dist_dir, 'share', 'themes', 'MS-Windows')): shutil.rmtree(os.path.join(dist_dir, 'share', 'themes', 'MS-Windows')) shutil.copytree(os.path.join(gtk_dir, 'share', 'themes', 'MS-Windows'), os.path.join(dist_dir, 'share', 'themes', 'MS-Windows')) makensis = find_makensis() if makensis: from subprocess import Popen Popen([makensis, "/DVERSION=" + version, str(os.path.join(os.path.dirname(__file__), 'setup.nsi'))]).wait() else: print "makensis.exe not found: installers can not be created, "\ "skip setup.nsi" elif sys.platform == 'darwin': def find_gtk_dir(): for directory in os.environ['PATH'].split(':'): if not os.path.isdir(directory): continue for file in ('gtk-demo',): if os.path.isfile(os.path.join(directory, file)): return os.path.dirname(directory) return None if 'py2app' in dist.commands: import shutil from subprocess import Popen, PIPE from itertools import chain from glob import iglob gtk_dir = find_gtk_dir() gtk_binary_version = Popen(['pkg-config', '--variable=gtk_binary_version', 'gtk+-2.0'], stdout=PIPE).stdout.read().strip() dist_dir = dist.command_obj['py2app'].dist_dir resources_dir = os.path.join(dist_dir, 'neso.app', 'Contents', 'Resources') copy_trytons(resources_dir) gtk_2_dist_dir = os.path.join(resources_dir, 'lib', 'gtk-2.0') pango_dist_dir = os.path.join(resources_dir, 'lib', 'pango') if os.path.isdir(pango_dist_dir): shutil.rmtree(pango_dist_dir) shutil.copytree(os.path.join(gtk_dir, 'lib', 'pango'), pango_dist_dir) query_pango = Popen(os.path.join(gtk_dir, 'bin', 'pango-querymodules'), stdout=PIPE).stdout.read() query_pango = query_pango.replace(gtk_dir, '@executable_path/../Resources') pango_modules_path = os.path.join(resources_dir, 'pango.modules') with open(pango_modules_path, 'w') as pango_modules: pango_modules.write(query_pango) with open(os.path.join(resources_dir, 'pangorc'), 'w') as pangorc: pangorc.write('[Pango]\n') pangorc.write('ModuleFiles=./pango.modules\n') if not os.path.isdir(os.path.join(gtk_2_dist_dir, gtk_binary_version, 'engines')): os.makedirs(os.path.join(gtk_2_dist_dir, gtk_binary_version, 'engines')) shutil.copyfile(os.path.join(gtk_dir, 'lib', 'gtk-2.0', gtk_binary_version, 'engines', 'libclearlooks.so'), os.path.join(gtk_2_dist_dir, gtk_binary_version, 'engines', 'libclearlooks.so')) query_loaders = Popen(os.path.join(gtk_dir, 'bin', 'gdk-pixbuf-query-loaders'), stdout=PIPE).stdout.read() loader_dir, = re.findall('# LoaderDir = (.*)', query_loaders) loader_pkg = (loader_dir.replace(os.path.join(gtk_dir, 'lib'), '').split(os.path.sep)[-3]) loader_dist_dir = os.path.join(resources_dir, 'lib', loader_pkg, gtk_binary_version, 'loaders') if os.path.isdir(loader_dist_dir): shutil.rmtree(loader_dist_dir) if os.path.isdir(loader_dir): shutil.copytree(loader_dir, loader_dist_dir) query_loaders = query_loaders.replace(gtk_dir, '@executable_path/../Resources') loaders_path = os.path.join(resources_dir, 'gdk-pixbuf.loaders') with open(loaders_path, 'w') as loaders: loaders.write(query_loaders) if os.path.isdir(os.path.join(gtk_2_dist_dir, gtk_binary_version, 'immodules')): shutil.rmtree(os.path.join(gtk_2_dist_dir, gtk_binary_version, 'immodules')) shutil.copytree(os.path.join(gtk_dir, 'lib', 'gtk-2.0', gtk_binary_version, 'immodules'), os.path.join(gtk_2_dist_dir, gtk_binary_version, 'immodules')) query_immodules = Popen(os.path.join(gtk_dir, 'bin', 'gtk-query-immodules-2.0'), stdout=PIPE).stdout.read() query_immodules = query_immodules.replace(gtk_dir, '@executable_path/../Resources') immodules_path = os.path.join(resources_dir, 'gtk.immodules') with open(immodules_path, 'w') as immodules: immodules.write(query_immodules) shutil.copy(os.path.join(gtk_dir, 'share', 'themes', 'Clearlooks', 'gtk-2.0', 'gtkrc'), os.path.join(resources_dir, 'gtkrc')) for lang in all_languages(): if os.path.isdir(os.path.join(resources_dir, 'share', 'locale', lang)): shutil.rmtree(os.path.join(resources_dir, 'share', 'locale', lang)) if os.path.isdir(os.path.join(gtk_dir, 'share', 'locale', lang)): shutil.copytree(os.path.join(gtk_dir, 'share', 'locale', lang), os.path.join(resources_dir, 'share', 'locale', lang)) # fix pathes within shared libraries for library in chain( iglob(os.path.join(loader_dist_dir, '*.so')), iglob(os.path.join(gtk_2_dist_dir, gtk_binary_version, 'engines', '*.so')), iglob(os.path.join(gtk_2_dist_dir, gtk_binary_version, 'immodules', '*.so')), iglob(os.path.join(pango_dist_dir, '*', 'modules', '*.so'))): libs = [lib.split('(')[0].strip() for lib in Popen(['otool', '-L', library], stdout=PIPE).communicate()[0].splitlines() if 'compatibility' in lib] libs = dict(((lib, None) for lib in libs if gtk_dir in lib)) for lib in libs.keys(): fixed = lib.replace(gtk_dir + '/lib', '@executable_path/../Frameworks') Popen(['install_name_tool', '-change', lib, fixed, library]).wait() for file in ('CHANGELOG', 'COPYRIGHT', 'LICENSE', 'README'): shutil.copyfile(os.path.join(os.path.dirname(__file__), file), os.path.join(dist_dir, file + '.txt')) dmg_file = os.path.join(os.path.dirname(__file__), 'neso-' + version + '.dmg') if os.path.isfile(dmg_file): os.remove(dmg_file) Popen(['hdiutil', 'create', dmg_file, '-volname', 'Neso ' + version, '-fs', 'HFS+', '-srcfolder', dist_dir]).wait() neso-3.8.2/slovenian.nsh0000644000175000017500000000164512615706057014527 0ustar cedced00000000000000;This file is part of Tryton. The COPYRIGHT file at the top level of ;this repository contains the full copyright notices and license terms. !verbose 3 !ifdef CURLANG !undef CURLANG !endif !define CURLANG ${LANG_SLOVENIAN} LangString LicenseText ${CURLANG} "Neso je izdan pod licenco GNU General Public License, kot jo je objavila Free Software Foundation, bodisi pod razliico 3 ali (po vai izbiri) katerokoli poznejo razliico. Licenco pozorno preberite. Kliknite Naprej za nadaljevanje." LangString LicenseNext ${CURLANG} "&Naprej" LangString PreviousInstall ${CURLANG} "Prosimo, da odstranite prejnjo namestitev Nesa" LangString SecNesoName ${CURLANG} "Neso" LangString SecNesoDesc ${CURLANG} "Namestitev neso.exe in ostalih potrebnih datotek" LangString SecStartMenuName ${CURLANG} "Blinjici v zaetnem meniju in na namizju" LangString SecStartMenuDesc ${CURLANG} "Ustvari blinjici v zaetnem meniju in na namizju" neso-3.8.2/spanish.nsh0000644000175000017500000000172112615706057014171 0ustar cedced00000000000000;This file is part of Tryton. The COPYRIGHT file at the top level of ;this repository contains the full copyright notices and license terms. !verbose 3 !ifdef CURLANG !undef CURLANG !endif !define CURLANG ${LANG_SPANISH} LangString LicenseText ${CURLANG} "Neso est liberado bajo la licencia GNU General Public License publicada por la Free Software Foundation, o bien la versin 3 de la licencia, o (a su eleccin) cualquier versin posterior. Lea cuidadosamente la licencia. Pulse Siguiente para continuar." LangString LicenseNext ${CURLANG} "&Siguiente" LangString PreviousInstall ${CURLANG} "Desinstale la instalacin anterior de Neso" LangString SecNesoName ${CURLANG} "Neso" LangString SecNesoDesc ${CURLANG} "Instalar neso.exe y otros archivos necesarios" LangString SecStartMenuName ${CURLANG} "Accesos directos en el men de inicio y en el escritorio" LangString SecStartMenuDesc ${CURLANG} "Crear accesos directos en el men de inicio y en el escritorio" neso-3.8.2/PKG-INFO0000644000175000017500000000457012645023635013111 0ustar cedced00000000000000Metadata-Version: 1.1 Name: neso Version: 3.8.2 Summary: Standalone Client/Server for the Tryton Application Platform Home-page: http://www.tryton.org/ Author: Tryton Author-email: issue_tracker@tryton.org License: GPL-3 Download-URL: http://downloads.tryton.org/3.8/ Description: neso ==== The client/server of the Tryton application platform. A three-tiers high-level general purpose application platform written in Python and use SQLite as database engine. It is the core base of an Open Source ERP. It provides modularity, scalability and security. Installing ---------- See INSTALL Package Contents ---------------- bin/ Script for startup. Support ------- If you encounter any problems with Tryton, please don't hesitate to ask questions on the Tryton bug tracker, mailing list, wiki or IRC channel: http://bugs.tryton.org/ http://groups.tryton.org/ http://wiki.tryton.org/ irc://irc.freenode.net/tryton License ------- See LICENSE Copyright --------- See COPYRIGHT For more information please visit the Tryton web site: http://www.tryton.org/ Keywords: business application ERP Platform: any Classifier: Development Status :: 5 - Production/Stable Classifier: Environment :: X11 Applications :: GTK Classifier: Framework :: Tryton Classifier: Intended Audience :: End Users/Desktop Classifier: License :: OSI Approved :: GNU General Public License (GPL) Classifier: Natural Language :: Bulgarian Classifier: Natural Language :: Catalan Classifier: Natural Language :: Czech Classifier: Natural Language :: Dutch Classifier: Natural Language :: English Classifier: Natural Language :: French Classifier: Natural Language :: German Classifier: Natural Language :: Italian Classifier: Natural Language :: Portuguese (Brazilian) Classifier: Natural Language :: Russian Classifier: Natural Language :: Spanish Classifier: Natural Language :: Slovenian Classifier: Natural Language :: Japanese Classifier: Operating System :: OS Independent Classifier: Programming Language :: Python :: 2.7 Classifier: Topic :: Office/Business neso-3.8.2/setup.cfg0000644000175000017500000000007312645023635013627 0ustar cedced00000000000000[egg_info] tag_build = tag_date = 0 tag_svn_revision = 0