Difference between revisions of "PyOGP Client Library"

From Second Life Wiki
Jump to navigation Jump to search
m (Pyogp/Client Lib moved to PyOGP Client Library: More descriptive title.)
(Formatting repair)
 
(87 intermediate revisions by 7 users not shown)
Line 2: Line 2:
== Intro ==
== Intro ==


Pyogp is an young open source python client library akin to [http://openmetaverse.org/projects/libopenmetaverse libopenmetaverse] (nee libsl.) Hosted on svn.secondlife.com, it does require a contributor's agreement for commit access, and currently has a few contributors from the Second Life community.
PyOGP is a young, open source, python client library which provides an interface to an agent (client) of a Second Life grid. The code aims to enable automated testing of Second Life grids, to encourage and enable exploration into the client/server relationship and related protocols of Second Life, and to make possible simple prototyping of various client applications.


Conceived as a mechanism for testing OGP grid changes, it carries on with a charter of enabling testing of Second Life grids.
Hosted on svn.secondlife.com, it does require a contributor's agreement for commit access, and currently has a few contributors from the Second Life open source community.
 
P.S. We'll likely be moving to hg relatively soon...


* mailing list: pyogp@lists.secondlife.com
* mailing list: pyogp@lists.secondlife.com
Line 13: Line 15:
=== Goals ===
=== Goals ===


Why?
In the very near future, we can have tests available to be run as soon as a deploy is completed that exercise a simulator/grid in the same way we do a smoke test. We will use these as automated tests run at build time, post deploy validation, and regression testing of simulators and backend systems.


Because.
This provides early feedback on code quality. QA is then able to dive deeper in testing the changes specific to a branch.  


In the very near future, we can have tests available to be run as soon as a deploy is completed that exercise a simulator/grid in the same way we do a smoke test. Perhaps we run these tests as a post deploy step.  
Having this library available also allows us to test potential changes before we have finalized design and are ready to submit to QA. Not sure how something will play out? Try it, and test it with PyOGP....


This provides early feedback on code quality. QA is then able to dive deeper in testing the changes specific to a branch. Perhaps pyogp has been revved (in a side branch?) and knows about the changes the linden branch was made, and can test those directly with new test suites as well. The possibilities are endless.
=== A Brief History ===


Having this library available also allows us to test potential changes before we have finalized design and are ready to submit to QA. Not sure how something will play out? Try it, and test it with pyogp...
PyOGP was originally created as a tool for testing [[OGP]] related changes to the Second Life grid. By the end of the summer in 2008, the '''pyogp.lib.base''' package provided a skeleton messaging system and was able to test Linden Lab's first implementation of an agent domain and the related changes in an agent's region handoff and teleport. As the development effort around OGP waned, we started to extend pyogp by adding higher level client related functionality. Recently, this functionality was split out into a separate python package ('''pyogp.lib.client'''), and sample scripts (and future apps) were moved into '''pyogp.apps'''.


== Current functional coverage ==
== Architecture Overview==


Anything not listed as covered is probably not yet covered.
=== Structure ===


Pyogp knows about (modules in parenthesis are prefaced with pyogp.lib.base. in practice):
PyOGP is comprised of three python packages. The library consists of pyogp.lib.base and pyogp.lib.client, while sample scripts, and in time applications, live in pyogp.apps.
:'''pyogp.lib.base''' - consists of basic networking, messaging systems (UDP and event queue) and capabilities, custom datatypes, and a low level message related event system
:'''pyogp.lib.client''' - consists of 'convenience' classes mapping methods and handlers to specific messages (e.g. Agent().say(msg) tells the client to send the ChatFromViewer message to the host region). Raises application oriented events based on processing of messages (these are currently sparsely implemented)
:'''pyogp.apps''' - sample scripts and works in progress, the scripts here generally illustrate simple usage of classes as related to in world interactions by an agent of a Second Life grid


:* agents (agent.Agent())
=== Dependencies ===
:* OGP agentdomain (agentdomain.AgentDomain())
:* base udp messaging system (message.*)
:* base event queue messaging system (event_queue.EventQueueClient())
:* capabilities and their methods. Seed capabilities are a special case. (caps.Capability())
:** currently only pulling caps available to the agent via the seed cap (plus using the inventory related caps in the AIS context)
:* internal event systems
:** packets (message.packethandler.PacketHandler())
:** event queue (event_queue.EventQueueHandler()
:** application level - new! (event_system.EventsHandler())
:* some object handling (objects.*)
:** name, description, next-owner permissions and more
:* some inventory handling (inventory.*)
:** login inv skeletons
:** fetching inventory, including AIS (caps based Agent Inventory Services))
:* regions (region.Region())
:** host and neighboring regions are handled slightly differently)
:** udp and eq connections are optionally enabled for each case


Pyogp can also do a little bit of:
==== Platform / Python version compatibility ====


:* chat
PyOGP aims to be compatible across platforms, though there are known problems with various environments. We'll be focusing on ensuring better compatibility soon.
:* some ImprovedInstantMessage handling
:** raises events on received instant messages
:** can deal with inventory offers/accepts/declines
:** other cases in this message are currently only logged
:* groups
:* group chat


== How to install and use ==
'''Known good configurations'''


=== Standalone dev environment ===
:Windows XP + Python 2.5
:Mac + Python 2.5, 2.6
:Linux + Python 2.4, 2.5, 2.6 (Linden hosts fall into this group)


On a desktop, one can checkout a dev environment for working with pyogp. Currently, buildout is used to configure the environment. One may optionally use a virtualenv python env.
'''Known bad configurations'''
:Windows Vista + Python 2.6
:Windows 7 + Python 2.6


:svn co https://svn.secondlife.com/svn/linden/projects/2008/pyogp/buildouts/libdev/trunk
There have been challenges in ensuring compatibility between the various dependencies, largely due to greenlet, eventlet, and pyopenssl. Please report bugs on [http://jira.secondlife.com/browse/PYO pJira]


Dependencies: buildout takes care of everything, grabbing needed modules etc.
==== Python module dependencies ====


Wiki instructions: https://wiki.secondlife.com/wiki/Pyogp/Client_Lib/The_Development_Sandbox
The packages that make up PyOGP have some dependencies on python modules not included in a standard install, or sometimes not available on an older Python distribution.


== Sample Scripts ==
'''pyogp.lib.base dependencies:'''


There are a variety of scripted examples that have been used to exercise functionality as it is added to the library. These persist as coded documentation.
<syntaxhighlight lang="python">  #from setup.py
 
    install_requires=[
        'setuptools',
        # -*- Extra requirements: -*-
        'uuid',
        'elementtree',
        'llbase',
        'WebOb',
        'wsgiref',
        'eventlet==0.8.14',
        'pyOpenssl'
        ]</syntaxhighlight>


{script} -h will display {meager} usage for each script.
'''pyogp.lib.client dependencies:'''


<syntaxhighlight lang="python">    install_requires=[
        'setuptools',
        # -*- Extra requirements: -*-
        'pyogp.lib.base'
        ] </syntaxhighlight>


:pyogp/lib/base/examples/sample_AIS_inventory_handling.py
'''pyogp.apps dependencies:'''
:pyogp/lib/base/examples/sample_agent_login.py
:pyogp/lib/base/examples/sample_agent_manager.py
:pyogp/lib/base/examples/sample_appearance_management.py
:pyogp/lib/base/examples/sample_chat_and_instant_messaging.py
:pyogp/lib/base/examples/sample_group_chat.py
:pyogp/lib/base/examples/sample_group_creation.py
:pyogp/lib/base/examples/sample_inventory_handling.py
:pyogp/lib/base/examples/sample_inventory_transfer.py
:pyogp/lib/base/examples/sample_inventory_transfer_specify_agent.py
:pyogp/lib/base/examples/sample_login.py
:pyogp/lib/base/examples/sample_multi_region_connect.py
:pyogp/lib/base/examples/sample_object_create_edit.py
:pyogp/lib/base/examples/sample_object_create_permissions.py
:pyogp/lib/base/examples/sample_object_creation.py
:pyogp/lib/base/examples/sample_object_properties.py
:pyogp/lib/base/examples/sample_object_tracking.py
:pyogp/lib/base/examples/sample_region_connect.py


== Agent Login ==
<syntaxhighlight lang="python">    install_requires=[
        'setuptools',
        'pyogp.lib.client'
        ]</syntaxhighlight>


=== Single Agent Login ===
=== How to install ===


non-eventlet context: many test cases may be written this way. the main script process is blocking and will terminate the client when completed.
''Lindens can see internal documentation for more specific guidance. https://wiki.lindenlab.com/wiki/Pyogp#How_to_Install''


<pre>
==== Standalone dev environment using buildout ====
    from pyogp.lib.base.agent import Agent


    client = Agent()
Buildout is a type of Python development environment, organizing and configuring various components and their dependencies. On a desktop, one may checkout such an environment for working with PyOGP. One may optionally use a virtualenv Python environment to isolate the development code and it's runtime environment on one's host.


    client.login(options.loginuri, args[0], args[1], password, start_location = options.region)
Dependencies: buildout takes care of everything, grabbing needed modules etc.
</pre>


eventlet context: spawn a client in a coroutine, allowing persistent presence until forcefully terminated.
Wiki instructions: https://wiki.secondlife.com/wiki/Pyogp/Client_Lib/The_Development_Sandbox


<pre>
==== Installing the PyOGP packages ====
    from eventlet import api


    from pyogp.lib.base.agent import Agent
Each of the PyOGP package may be installed to one's Python install or to a [http://pypi.python.org/pypi/virtualenv virtualenv]. '''Buyer beware''' if installing into your system's install: you'll want to be able to uninstall manually, as we haven't hooked up the uninstall. PyOGP is still coming up to speed with respect to distutils and pypi and the like, but it's relatively close now.
    from pyogp.lib.base.settings import Settings


    settings = Settings()
To install a package, simply run 'python setup.py install' in a package's root.


    settings.ENABLE_INVENTORY_MANAGEMENT = True
==== Referencing PyOGP packages via the PATH ====
    settings.MULTIPLE_SIM_CONNECTIONS = False


    client = Agent(settings = settings)
Source code can be referenced directly if one simply ensures that a package, and it's dependencies, are available in the PYTHONPATH environmental variable.


    api.spawn(client.login, options.loginuri, 'first', 'last', 'password', start_location = options.region)
== Current functional coverage ==


    # wait for the agent to connect to it's region
Anything not listed as covered is probably not yet covered.
    while client.connected == False:
        api.sleep(0)


    while client.region.connected == False:
pyogp.lib.base:
        api.sleep(0)
:* base udp messaging system (message.*)
:** UDP serialization/deserialization
:** message_template.msg parsing
:* base event queue messaging system (event_queue.EventQueueClient())
:* capabilities and their methods. Seed capabilities are a special case. (caps.Capability())
:* Message-based events (message.message_handler)


    # once connected, live until someone kills me
pyogp.lib.client:
    while client.running:
:* agents (agent.Agent())
        api.sleep(0)
:** L$ balance request, friending, and walk/fly/sit/stand actions...
</pre>
:* OGP agentdomain (agentdomain.AgentDomain())
:* application level events (event_system.AppEventsHandler())
:* some object handling (objects.*)
:** edit name, description, next-owner permissions and more
:** object creation is possible
:* some inventory handling (inventory.*)
:** login inv skeletons
:** fetching inventory, including AIS (caps based Agent Inventory Services))
:** some creating of new inventory items (LSL scripts, notecards)
:* regions (region.Region())
:** host and neighboring regions are handled slightly differently
:** udp and event queue connections are optionally enabled for each case
:** currently only pulling caps available to the agent via the seed cap (plus using the inventory related caps in the AIS context)
:* some appearance handling (appearance.AppearanceManager),
:* parcels
:* chat
:* some ImprovedInstantMessage handling
:** raises events on received instant messages
:** can deal with inventory offers/accepts/declines
:** other cases in this message are currently only logged
:* groups
:* group chat
:* LSL script uploading
 
=== Sample Scripts ===


=== Multiple Agent Login ===
There are a variety of scripted examples that have been used to exercise and test functionality as it is added to the library. These persist as coded documentation.


Eventlet and non-eventlet spawning methods apply to the agent manager in the same way as they apply to single agent usage. Each agent instance in logged in in a separate coroutine.
The source code is available in https://svn.secondlife.com/svn/linden/projects/2008/pyogp/pyogp.apps/trunk/pyogp/apps/examples/.


<pre>
The following refers to a buildout context. If one installs pyogp.apps vi setup.py, these scripts will exist in the python environment's bin/ directory. In the buildout context, these scripts are available in {buildout root}/bin.
    from pyogp.lib.base.agent import Agent
    from pyogp.lib.base.agentmanager import AgentManager
    from pyogp.lib.base.settings import Settings


    settings = Settings()
The scripts are derived from a package's 'setup.py' via the entry_points parameter, and essentially build executable Python scripts configured to run in the correct environment with the proper dependencies added the the path used by the script. These scripts are currently just simple illustrations of some uses of the PyOGP codebase.


    params = [['agent1', 'lastname', 'password'], ['agent2', 'lastname', 'password']]
<syntaxhighlight lang="python">  #the current entry_points in setup.py og pyogp.apps:
    agents = []
 
    entry_points={
        'console_scripts': [
            'AIS_inventory_handling = pyogp.apps.examples.AIS_inventory_handling:main',
            'agent_login = pyogp.apps.examples.agent_login:main',
            'agent_manager = pyogp.apps.examples.agent_manager:main',
            'appearance_management = pyogp.apps.examples.appearance_management:main',
            'chat_and_instant_messaging = pyogp.apps.examples.chat_and_instant_messaging:main',
            'group_chat = pyogp.apps.examples.group_chat:main',
            'group_creation = pyogp.apps.examples.group_creation:main',
            'inventory_handling = pyogp.apps.examples.inventory_handling:main',
            'inventory_transfer = pyogp.apps.examples.inventory_transfer:main',
            'inventory_transfer_specify_agent = pyogp.apps.examples.inventory_transfer_specify_agent:main',
            'login = pyogp.apps.examples.login:main',
            'multi_region_connect = pyogp.apps.examples.multi_region_connect:main',
            'object_create_edit = pyogp.apps.examples.object_create_edit:main',
            'object_create_permissions = pyogp.apps.examples.object_create_permissions:main',
            'object_create_rez_script = pyogp.apps.examples.object_create_rez_script:main',
            'object_creation = pyogp.apps.examples.object_creation:main',
            'object_properties = pyogp.apps.examples.object_properties:main',
            'object_tracking = pyogp.apps.examples.object_tracking:main',
            'parcel_management = pyogp.apps.examples.parcel_management:main',
            'parse_packets = pyogp.apps.examples.parse_packets:main',
            'region_connect = pyogp.apps.examples.region_connect:main',
            'smoke_test = pyogp.apps.examples.smoke_test:main',
            'chat = pyogp.apps.examples.chat_interface:main',
            ]
        }</syntaxhighlight>


    # prime the Agent instances
== How it Works (High Level) ==
    for params in clients:


        agents.append(Agent(settings, params[0], params[1], params[2]))
=== Eventlet ===


    agentmanager = AgentManager()
PyOGP use [[Eventlet]] to run coroutines to handle multiple 'concurrent' processes, rather than threads or multiple processes. Each client agent instance will spawn a handful of coroutines to handles e.g. the UDP pipe, the Event Queue, various monitors, while yielding time to the parent process which should ensure it yields to the other routines as well.
    agentmanager.initialize(agents)


    # log them in
PyOGP uses eventlet in very elementary ways at this point, but will perhaps start to use blocking queues in some cases, so that the coroutine only is allocated processing time if there is work for it to do.
    for key in agentmanager.agents:
        agentmanager.login(key, options.loginuri, options.region)


    # while they are connected, stay alive
=== pyogp.lib.base ===
    while agentmanager.has_agents_running():
        api.sleep(0)
</pre>


== Events & Callbacks ==
This package handles the protocols used when communicating with a Second Life grid. A high level perspective on the package reveals a MessageManager() (still in development) which provides an interface to the UDP and Event Queue connections, as well as basic networking with enables login and capabilities interactions. The base package also has a low level even system through which all messages are passed and sent to subscribers.


The event implementation in pyogp follows the observer pattern, where observers subscribe to and are notified when an event occurs. Data is passed throughout the client instance via events.  
Any subcomponent is available for direct interaction at any time, the MessageManager() and the MessageHandler() are the simple access points.


There are 3 types of internal event systems (overkill? perhaps. at least the PacketHandler and EventQueueHandler can be coalesced into a single class at some point in the future).
==== Events & Callbacks ====


* PacketHandler - is an attribute of a Region and every packet received/sent is filtered through here. subscriptions are by packet (message) name
The event implementation in pyogp follows the observer pattern, where observers subscribe to and are notified when an event occurs. Data is passed throughout the client instance via events.  
* EventQueueHandler - is an attribute of the Agent, and every categorized message received from the event queue is filtered through here. (message as defined in message_template.msg, or one of ['ChatterBoxInvitation', 'ChatterBoxSessionEventReply', 'ChatterBoxSessionAgentListUpdates', 'ChatterBoxSessionStartReply', 'EstablishAgentCommunication']. there may be unhandled messages, I just haven't seen em yet :))
* EventsHandler - an attribute of an Agent, also able to be passed in, that is intended as the primary interface of a pyogp application into the internal state and data events within the lib.


* MessageManager - is an attribute of a Region and every packet received/sent is filtered through here. subscriptions are by message name
** MessageHandler - is an attribute of MessageManager, and every categorized message received from the event queue or udp dispatcher is filtered through here. (message as defined in message_template.msg, or one of ['ChatterBoxInvitation', 'ChatterBoxSessionEventReply', 'ChatterBoxSessionAgentListUpdates', 'ChatterBoxSessionStartReply', 'EstablishAgentCommunication']. There may be unhandled messages, I just haven't seen em yet :))


=== Message Events ===
===== Message Events =====


In the most fundamental implementation of event usage, all packets are passed through a packet handler for evaluation. Observers may register to receive udp packets serialized into the form of UDPPacket() instances. The PacketHandler() is a consolidation point for subscribing to PacketReceivedNotifier() instances keyed by message message name, and created on demand via subscription.
In the most fundamental implementation of event usage, all packets are passed through a MessageManager() instance for evaluation. Observers may register to receive udp packets serialized into the form of Message() instances. The MessageHandler() is a consolidation point for subscribing to messages keyed by message name, and created on demand via subscription.


See pyogp.lib.base.message.packethandler.PacketHandler() for more details. Event queue messages are treated similarly, through a separate consolidation point (EventQueueHandler()).
See pyogp.lib.base.message.message_handler.MessageHandler() for more details.


The pyogp agent's Region() instances each monitor their stream of packets (e.g. the host region: agent.region.packet_handler). (Perhaps this should be changed to a generalized Network() class where all packets (coupled to their originating regions) are evaluated.
The pyogp agent's Region() instances each monitor their stream of packets (e.g. the host region: agent.region.message_manager.message_handler). (Perhaps this should be changed to a generalized Network() class where all packets (coupled to their originating regions) are evaluated.


Event firing passes data on to a callback handler defined in the subscription, in the form of (handler, *args, **kwargs).
Event firing passes data on to a callback handler defined in the subscription, in the form of (handler, *args, **kwargs).


The Agent class monitors the ImprovedInstantMessage packet:
The Agent class monitors the ImprovedInstantMessage packet:
<pre>
<syntaxhighlight lang="python">       onImprovedInstantMessage_received = self.region.message_handler.register('ImprovedInstantMessage')
    ...
        onImprovedInstantMessage_received.subscribe(self.onImprovedInstantMessage)
 
    onImprovedInstantMessage_received = self.region.packet_handler._register('ImprovedInstantMessage')
    onImprovedInstantMessage_received.subscribe(self.onImprovedInstantMessage)
 
    ...


     def onImprovedInstantMessage(self, packet):
     def onImprovedInstantMessage(self, packet):
         """ handles the many cases of data being passed in this message """
         """ handles the many cases of data being passed in this message """


         {code} # parse and handle the data...
         {code} # parse and handle the data...</syntaxhighlight>


</pre>
The messaging system then fires the event when an ImprovedInstantMessage message is received, which calls onImprovedInstantMessage method above to handle the message contents. Multiple subscribers may be listening for any message related event, and each would be notified of the same Message() instance.
 
The messaging system then fires the event when an ImprovedInstantMessage packet is received:
 
<pre lang="python">
    ... packet = UDPPacket(context & name = 'ImprovedInstantMessage')
 
    self.packet_handler.handle(packet)
</pre>
 
The onImprovedInstantMessage method above then does it's thing with the data received.


Unsubscribing from an event:
Unsubscribing from an event:
<pre lang="python">
<syntaxhighlight lang="python">       onImprovedInstantMessage_received.unsubscribe(self.onImprovedInstantMessage)</syntaxhighlight>
    onImprovedInstantMessage_received.unsubscribe(self.onImprovedInstantMessage)
</pre>


=== Event System Events ===
There are various event and callback implementations viewable in pyogp, poke around and help consolidate things if you like.


New! And not widely used yet...
=== pyogp.lib.client ===


The application level event system is a separate implementation in pyogp.lib.base.event_system.EventsHandler(). This allows for a timeout to be specified for the subscription to a particular event.  
The client package generally provides a convenient interface to initiate or interpret interactions with host region (or neighboring regions). By listening to the messaging related event system in pyogp.lib.base, the client package interprets the messages that come in off the wire, and executes business logic in building responses. pyogp.lib.client also provides simple methods to enable the ending of messages to a grid.


The api for subscribing to these events is similar to the PacketHandler() examples above, with an additional timeout parameter passed in the _register() method. When the specified timeout expires, the subscription returns None and expires the subscription.
==== Events ====


The first use of this can be seen with the InstantMessageReceived() implementation as handled in Agent().onImprovedInstantMessage(), and usage of such in the sample script in the dev buildout bin/chat_and_instant_messaging.
* EventsHandler - an attribute of an Agent, also able to be passed in, that is intended as the primary interface of a pyogp application into the internal state and data events within the lib. This system uses the same base classes as used by the MessageHandler() in the base package, and the descriptions about events and callbacks above apply here as well. The api for subscribing to these events is similar to the MessageHandler(), with an additional timeout parameter passed in the _register() method. When the specified timeout expires, the subscription returns None and expires the subscription.


== Logging ==
==== Agent Login (examples) ====


Uses python's standard logging module (http://docs.python.org/library/logging.html). The library defines logging events throughout, it is up to the application/script to determine the output.
===== Single Agent Login & Chat=====


Hooking logging into a new module:
Spawn a client in a co-routine, allowing persistent presence until forcefully terminated.


<pre>
<syntaxhighlight lang="python">from eventlet import api
from logging import getLogger, CRITICAL, ERROR, WARNING, INFO, DEBUG


# initialize logging
from pyogp.lib.client.agent import Agent
logger = getLogger('pyogp.lib.base.agent')
from pyogp.lib.client.settings import Settings
log = logger.log


class Agent(object):
settings = Settings()
    """ our agent class """


    def __init__(self, params):
settings.ENABLE_INVENTORY_MANAGEMENT = True
settings.MULTIPLE_SIM_CONNECTIONS = False


        self.params = params
client = Agent(settings = settings)


        log(DEBUG, "Initializing agent with params: %s" % (params))
api.spawn(client.login, options.loginuri, 'first', 'last', 'password', start_location = options.region)
</pre>


An application can then set up the logging output as follows (or any other way it pleases):
# wait for the agent to connect to it's region
while client.connected == False:
    api.sleep(0)


<pre>
while client.region.connected == False:
        console = logging.StreamHandler()
    api.sleep(0)
        formatter = logging.Formatter('%(asctime)-30s%(name)-30s: %(levelname)-8s %(message)s')
        console.setFormatter(formatter)
        logging.getLogger('').addHandler(console)
        logging.getLogger('').setLevel(logging.DEBUG)
</pre>


The output to console is then:
client.say("Hello World!")


<pre>
# once connected, live until someone kills me
2009-04-21 22:08:58,681      pyogp.lib.base.agent          : DEBUG    agent with params: params
while client.running:
</pre>
    api.sleep(0)</syntaxhighlight>


== Pyogp Unit Tests ==
===== Multiple Agent Login =====


See unittest.html in the embedded [[Pyogp/Client_Lib#Sphinx_.28api_docs.29]].
Each agent instance in logged in in a separate coroutine.


or
<syntaxhighlight lang="python">from pyogp.lib.client.agent import Agent
from pyogp.lib.client.agentmanager import AgentManager


Run 'bin/client_unittest'
credentials= [('agent1', 'lastname', 'password'), ('agent2', 'lastname', 'password')]


We need more coverage here!
# prime the Agent instances
agents = [Agent(settings, firstname, lastname, password)
          for firstname, lastname, password in credentials]


== Writing Test Cases ==
agentmanager = AgentManager()
agentmanager.initialize(agents)


Tests can be written using standard unittest. The tests in pyogp.interop cover some ogp and a couple of legacy cases, these need to be updated to work.
# log them in
for key in agentmanager.agents:
    agentmanager.login(key, options.loginuri, options.region)


Testing only the call to login.cgi is unique, we don't need to spawn the client in a coroutine, nor do we need to keep the client alive, we just need to post to the login endpoint and evaluate the response.
# while they are connected, stay alive
while agentmanager.has_agents_running():
    api.sleep(0)</syntaxhighlight>


=== pyogp.interop.tests.test_legacy_login ===
== Extending Functionality ==


<pre>
While the implementations and structures in pyogp.lib.base can (and are in the process of) being refactored to improve performance or usability, it is a fairly complete package.
import unittest, doctest
import ConfigParser
from pkg_resources import resource_stream
import time
import uuid
import pprint


from pyogp.lib.base.agent import Agent
The functional coverage PyOGP provides on the other hand is not complete, and there are a variety of needs to complete the implementation in pyogp.lib.base. We need to improve coverage of message handling (dealing with messages sent to the client), add more wrappers for sending various messages and performing multistep tasks (to simplify the initiation of interactions with the region), and we need to raise more application level events in the client package so that applications have easy access to incoming data.  
from pyogp.lib.base.datatypes import UUID
from pyogp.lib.base.exc import LoginError
from pyogp.lib.base.settings import Settings


import helpers
=== Sending Messages ===


class AuthLegacyLoginTest(unittest.TestCase):
PyOGP, like the Viewer, communicates with the Second Life simulator by sending messages over UDP.  
 
    def setUp(self):
       
        # initialize the config
        self.config = ConfigParser.ConfigParser()
        self.config.readfp(resource_stream(__name__, 'testconfig.cfg'))
               
        self.test_setup_config_name = 'test_interop_account'
       
        self.firstname = self.config.get(self.test_setup_config_name, 'firstname')
        self.lastname = self.config.get(self.test_setup_config_name, 'lastname')
        self.password = self.config.get(self.test_setup_config_name, 'password')
        self.agent_id = self.config.get(self.test_setup_config_name, 'agent_id')
        self.login_uri = self.config.get(self.test_setup_config_name, 'login_uri')
        self.region = self.config.get('test_interop_regions', 'start_region_uri')


        self.successful_login_reponse_params = ['last_name', 'sim_ip', 'inventory-lib-root', 'start_location', 'inventory-lib-owner', 'udp_blacklist', 'home', 'message', 'agent_access_max', 'first_name', 'agent_region_access', 'circuit_code', 'sim_port', 'seconds_since_epoch', 'secure_session_id', 'look_at',  'ao_transition', 'agent_id', 'inventory_host', 'region_y', 'region_x', 'seed_capability', 'agent_access', 'session_id', 'login']
In order to extend PyOGP, you'll build a representation of a new UDP message, and send it through the pyogp.lib.base modules for serialization and wire handling.


        self.settings = Settings()
=== Example: Sending an IM ===
        self.settings.MULTIPLE_SIM_CONNECTIONS = False


        self.client = Agent(self.settings, self.firstname, self.lastname, self.password)
To send an IM to the simulator, send an ImprovedInstantMessage packet. The base class for message packets is defined in <code>base/message/message.py</code>


    def tearDown(self):
Packets are assembled using a Message() instance which has the message name and Block() instances passed in through its constructor. Similarly, Blocks are assembled by passing in the Block name and the value name and values for each of the Block values. (The ability to build Message() instances via an llsd payload is expected to be introduced soon.)
       
        if self.client.connected:
            self.client.logout()
       
    def test_base_login(self):
        """ login with an account which should just work """


        self.client.settings.ENABLE_INVENTORY_MANAGEMENT = False
Note: It is important that the message name, block name, and value names and types should match what is specified in the message template. (It is also possible to manipulate the representation of the stored template, or to use a custom message template.)
Example:
<syntaxhighlight lang="python">    def send_ImprovedInstantMessage(self, AgentID = None, SessionID = None,
                                FromGroup = None, ToAgentID = None,
                                ParentEstateID = None, RegionID = None,
                                Position = None, Offline = None,
                                Dialog = None, _ID = None, Timestamp = None,
                                FromAgentName = None, _Message = None,
                                BinaryBucket = None):
        """
        sends an instant message packet to ToAgentID. this is a
        multi-purpose message for inventory offer handling, im, group chat,
        and more
        """


         self.client.login(loginuri = self.login_uri, start_location = self.region, connect_region = False)
         packet = Message('ImprovedInstantMessage',
                        Block('AgentData',
                              AgentID = AgentID,
                              SessionID = SessionID),
                        Block('MessageBlock',
                              FromGroup = FromGroup,
                              ToAgentID = ToAgentID,
                              ParentEstateID = ParentEstateID,
                              RegionID = RegionID,
                              Position = Position,
                              Offline = Offline,
                              Dialog = Dialog,
                              ID = UUID(str(_ID)),
                              Timestamp = Timestamp,
                              FromAgentName = FromAgentName,  
                              Message = _Message,  
                              BinaryBucket = BinaryBucket))


         # make sure that the login response attributes propagate properly, and, make sure the login against a grid has worked
         # Send the message:
        self.assertEquals(self.client.grid_type, 'Legacy', 'Storing the wrong grid type based on a \'legacy\' login request')
         self.region.enqueue_message(packet, True)</syntaxhighlight>
        self.assertEquals(self.client.firstname, self.firstname)
        self.assertEquals(self.client.lastname, self.lastname)
         self.assertEquals(self.client.lastname, self.lastname)
        self.assertEquals(self.client.name, self.firstname + ' ' + self.lastname)
        self.assertEquals(self.client.connected, True)
        self.assertNotEquals(self.client.agent_id, None)
        self.assertEquals(str(self.client.agent_id), self.agent_id)
        self.assertNotEquals(self.client.session_id, None)
        self.assertNotEquals(self.client.secure_session_id, None)


        self.assertEquals(self.client.login_response['last_name'], self.lastname)
=== Handling Incoming Messages and Raising an Event ===
        self.assertEquals(self.client.login_response['first_name'], '"' + self.firstname + '"')
        self.assertEquals(self.client.login_response['login'], 'true')
        self.assertEquals(self.client.login_response['secure_session_id'], str(self.client.secure_session_id))
        self.assertEquals(self.client.login_response['session_id'], str(self.client.session_id))
        self.assertEquals(self.client.login_response['agent_id'], str(self.client.agent_id))
        self.assertNotEquals(self.client.login_response['seed_capability'], '')


        fail = 0
To listen for when messages of a particular type are sent to the client instance, subscribe to the MessageHandler() on the host region's MessageManager(), like the example that follows:
        fail_extra = 0
        fail_missing = 0
        extra_keys = ''
        missing_keys = ''
       
        for key in self.client.login_response:
            try:
                self.successful_login_reponse_params.index(key) # if the key is in our valid list, sweet
            except:
                fail_extra = 1
                extra_keys = extra_keys + ' ' + key


        for key in self.client.login_response:
<syntaxhighlight lang="python">        onImprovedInstantMessage_received = self.region.message_handler.register('ImprovedInstantMessage')
            try:
         onImprovedInstantMessage_received.subscribe(self.onImprovedInstantMessage)</syntaxhighlight>
                self.successful_login_reponse_params.index(key) # if the key is in our valid list, sweet
            except:
                fail_missing = 1
                missing_keys = missing_keys + ' ' + key
     
         self.assertEquals(fail_extra, 0, 'login response has additional keys: ' + extra_keys)
        self.assertEquals(fail_missing, 0, 'login response is missing keys: ' + missing_keys)


    def test_login_with_bad_password(self):
When the event is fired upon receipt of the message matching the name, the specified callback handles the data passed along, and in this case raises an event notifying observers of the 'InstantMessageReceived' event in pyogp.lib.client of the important data.


         self.client.settings.ENABLE_INVENTORY_MANAGEMENT = False
<syntaxhighlight lang="python">    def onImprovedInstantMessage(self, packet):
         """ callback handler for received ImprovedInstantMessage messages. much is passed in this message, and handling the data is only partially implemented """


         self.assertRaises(LoginError, self.client.login, loginuri = self.login_uri, password = 'BadPassword', start_location = self.region, connect_region = False)
         Dialog = packet.blocks['MessageBlock'][0].get_variable('Dialog').data
        FromAgentID = packet.blocks['AgentData'][0].get_variable('AgentID').data


def test_suite():
        if Dialog == ImprovedIMDialogue.InventoryOffered:
    from unittest import TestSuite, makeSuite
    suite = TestSuite()
    suite.addTest(makeSuite(AuthLegacyLoginTest))
    return suite
</pre>


== Adding Functionality ==
            self.inventory.handle_inventory_offer(packet)


=== Wrapping Packets ===
        # ...
        # some of the Dialogue types this message can contain are handled, we are showing 2
        # ...


PyOGP, like the Viewer, communicates with the Second Life simulator by sending messages over UDP.  
        elif Dialog == ImprovedIMDialogue.FromAgent:


In order to extend PyOGP, you'll enable a new UDP message.
            # ... code parses the data from the Message() instance ...


=== Example: Renaming an Object ===
            message = AppEvent('InstantMessageReceived', FromAgentID = FromAgentID, RegionID = RegionID, Position = Position, ID = ID, FromAgentName = FromAgentName, Message = _Message)


To rename an object on the simulator, send an ObjectName message packet.
            logger.info("Received instant message from %s: %s" % (FromAgentName, _Message))


The templates for message packets are defined as classes in <code>base/message/packets.py</code>:
            self.events_handler.handle(message)</syntaxhighlight>


<pre>
== Logging ==
class ObjectNamePacket(object):
    ''' a template for a ObjectName packet '''


    def __init__(self, AgentDataBlock = {}, ObjectDataBlocks = []):
Uses python's standard logging module (http://docs.python.org/library/logging.html). The library defines logging events throughout, it is up to the application/script to determine the output.
        """ allow passing in lists or dictionaries of block data """
        self.name = 'ObjectName'
</pre>


Packets usually contain an AgentData block. They may also contain other blocks.
Hooking logging into a new module:


<pre>
<syntaxhighlight lang="python">from logging import getLogger
        if ObjectDataBlocks == []:
            # initialize an empty list for blocks that may occur > 1 time in the packet
            self.ObjectDataBlocks = []    # list to store multiple and variable block types


            # a sample block instance that may be appended to the list
# initialize logging
            self.ObjectData = {}
logger = getLogger('pyogp.lib.client.agent')
            self.ObjectData['LocalID'] = None    # MVT_U32
            self.ObjectData['Name'] = None    # MVT_VARIABLE
        else:
            self.ObjectDataBlocks = ObjectDataBlocks
</pre>


In this case, an ObjectName block can operate on a single or multiple objects.
class Agent(object):
    """ our agent class """


Let's add the object name functionality to the Object class in <code>base/objects.py</code>.
    def __init__(self, params):


<pre>
        self.params = params
    def set_object_name(self, agent, Name):
        """ update the name of an object."""


         packet = ObjectNamePacket()
         logger.debug("Initializing agent with params: %s" % (params))</syntaxhighlight>
</pre>


First, get a new ObjectNamePacket object.
An application can then set up the logging output as follows (or any other way it pleases):


<pre>
<syntaxhighlight lang="python">console = logging.StreamHandler()
        # build the AgentData block
formatter = logging.Formatter('%(asctime)-30s%(name)-30s: %(levelname)-8s %(message)s')
        packet.AgentData['AgentID'] = uuid.UUID(str(agent.agent_id))
console.setFormatter(formatter)
        packet.AgentData['SessionID'] = uuid.UUID(str(agent.session_id))
logging.getLogger('').addHandler(console)
</pre>
logging.getLogger('').setLevel(logging.DEBUG)</syntaxhighlight>


Then set the packet's AgentData block:
The output to console is then:


<pre>
<code>2009-04-21 22:08:58,681      pyogp.lib.base.agent          : DEBUG    agent with params: params</code>
        ObjectData = {}
        ObjectData['LocalID'] = self.LocalID
        ObjectData['Name'] = Name


        packet.ObjectDataBlocks.append(ObjectData)
== Pyogp Unit Tests ==
</pre>


And the updated name of the object.
See [[PyOGP_Package_Unittests]].
 
<pre>
        agent.region.enqueue_message(packet())
</pre>
 
Then send the packet.
 
=== Where Does LocalID come from? ===
 
So how do you get an object's local ID?
 
Patience. It comes in the CompressedObjectUpdate packet (see [[User:Enus_Linden/Scratch#Events_.26_Callbacks|Event Callbacks]].)
 
Use the my_objects(), find_objects_by_name(), or find_objects_within_radius() methods of Objects (accessed through client.region.objects, see [[User:Enus_Linden/Scratch#Agent_Login | Agent Login]].)
 
These methods return lists of objects on the simulator.
 
You'll need to use the Wait() utility method to pause your client to wait for the CompressedObjectUpdate packets with the detailed information on the scene to appear.
 
Then you can iterate over the resulting list of objects and call the update methods described above.
 
<pre>
    # let's see what's nearby
    objects_nearby = client.region.objects.find_objects_within_radius(20)
    for item in objects_nearby:
        item.select(client)
    waiter = Wait(15)
    for item in objects_nearby:
        item.deselect(client)
    my_objects = client.region.objects.my_objects()
</pre>


== Sphinx (api docs) ==
== Sphinx (api docs) ==


Api documentation is now available for pyogp!
'''Api documentation is now available for PyOGP packages''' (well, not for apps yet, but someday....)!
   
   
The docs directory in pyogp.lib.base contains source, last revision, and build files for sphinx based documents.
In pyogp/docs in each of the pyogp.lib.base and pyogp.lib.client packages, one will find source, last revision, and build files for sphinx based documents. Output is available at {package root}/docs/html/index.html.


Sample output is available at {libdev root}/docs/html/index.html.
We plan on sharing the api documentation on the web soon, and will work to make simple build wrappers work on various platforms, though this is a low priority.


README.txt contains build instructions, as follows:
Ask Enus for updated documentation to be checked in, or, build a better refresh.py.


<pre>
== Roadmap ==
This checkout contains the most recently complied version of the documentation in docs/html/.
 
To rebuild the sphinx doc set:
 
Get sphinx!!!
 
Either use your virtualenv, or your native python install and run:
    easy_install -U Sphinx
 
Then, from the docs dir:
 
1. python source/build.py
2. sphinx-build -a -c source/configure/ source/ html/


The docs/html/ directory will contain the fully compiled documentation set.
Please check in updated docs if you add functionality.
</pre>
== Roadmap ==


There is so much yet to implement that it is frightening. Here's what's up in the near term for pyogp:
See [[Pyogp/Roadmap]] for details, or ask in irc or on the mailing list. Here's what's up in the near term for pyogp:


* enabling '''parcel testing'''
* better '''packaging''' and '''platform compatibility'''
* '''teleport''' (in OGP and in the 'legacy' context)
* more '''functional coverage''' of message. We are covering 32% of the messages the viewers sends or handles when received (though it's estimated at more like 50% of normal use cases.
** teleport works in OGP, but is not encapsulated in a method yet
* '''permissions system testing''' to save QA from 3-5 day regression passes on perms
* '''permissions system testing'''to save QA from 3-5 day regression passes on perms
* '''appearance''' - this will require enabling upload and download, plus baking. Anyone have some spare time? :)
* '''appearance''' - this will require enabling upload and download, plus baking. Anyone have some spare time? :)


[[Category: Pyogp_Client_Lib]]
[[Category: Pyogp_Client_Lib]]
[[Category: Pyogp]]
[[Category: Pyogp]]
[[Category:Pyogp_Kitchen_Sink]]
[[Category:Architecture Working Group]]
[[Category:Architecture Working Group]]
[[Category:Grid_Interoperability]]
[[Category:Grid_Interoperability]]
[[Category:AW Groupies]]
[[Category:AW Groupies]]
[[Category:MMOX]]
[[Category:MMOX]]

Latest revision as of 08:31, 27 June 2017

Intro

PyOGP is a young, open source, python client library which provides an interface to an agent (client) of a Second Life grid. The code aims to enable automated testing of Second Life grids, to encourage and enable exploration into the client/server relationship and related protocols of Second Life, and to make possible simple prototyping of various client applications.

Hosted on svn.secondlife.com, it does require a contributor's agreement for commit access, and currently has a few contributors from the Second Life open source community.

P.S. We'll likely be moving to hg relatively soon...

Goals

In the very near future, we can have tests available to be run as soon as a deploy is completed that exercise a simulator/grid in the same way we do a smoke test. We will use these as automated tests run at build time, post deploy validation, and regression testing of simulators and backend systems.

This provides early feedback on code quality. QA is then able to dive deeper in testing the changes specific to a branch.

Having this library available also allows us to test potential changes before we have finalized design and are ready to submit to QA. Not sure how something will play out? Try it, and test it with PyOGP....

A Brief History

PyOGP was originally created as a tool for testing OGP related changes to the Second Life grid. By the end of the summer in 2008, the pyogp.lib.base package provided a skeleton messaging system and was able to test Linden Lab's first implementation of an agent domain and the related changes in an agent's region handoff and teleport. As the development effort around OGP waned, we started to extend pyogp by adding higher level client related functionality. Recently, this functionality was split out into a separate python package (pyogp.lib.client), and sample scripts (and future apps) were moved into pyogp.apps.

Architecture Overview

Structure

PyOGP is comprised of three python packages. The library consists of pyogp.lib.base and pyogp.lib.client, while sample scripts, and in time applications, live in pyogp.apps.

pyogp.lib.base - consists of basic networking, messaging systems (UDP and event queue) and capabilities, custom datatypes, and a low level message related event system
pyogp.lib.client - consists of 'convenience' classes mapping methods and handlers to specific messages (e.g. Agent().say(msg) tells the client to send the ChatFromViewer message to the host region). Raises application oriented events based on processing of messages (these are currently sparsely implemented)
pyogp.apps - sample scripts and works in progress, the scripts here generally illustrate simple usage of classes as related to in world interactions by an agent of a Second Life grid

Dependencies

Platform / Python version compatibility

PyOGP aims to be compatible across platforms, though there are known problems with various environments. We'll be focusing on ensuring better compatibility soon.

Known good configurations

Windows XP + Python 2.5
Mac + Python 2.5, 2.6
Linux + Python 2.4, 2.5, 2.6 (Linden hosts fall into this group)

Known bad configurations

Windows Vista + Python 2.6
Windows 7 + Python 2.6

There have been challenges in ensuring compatibility between the various dependencies, largely due to greenlet, eventlet, and pyopenssl. Please report bugs on pJira

Python module dependencies

The packages that make up PyOGP have some dependencies on python modules not included in a standard install, or sometimes not available on an older Python distribution.

pyogp.lib.base dependencies:

  #from setup.py
  
     install_requires=[
         'setuptools',
         # -*- Extra requirements: -*-
         'uuid',
         'elementtree',
         'llbase',
         'WebOb',
         'wsgiref',
         'eventlet==0.8.14',
         'pyOpenssl'
         ]

pyogp.lib.client dependencies:

     install_requires=[
         'setuptools',
         # -*- Extra requirements: -*-
         'pyogp.lib.base'
         ]

pyogp.apps dependencies:

     install_requires=[
         'setuptools',
         'pyogp.lib.client'
         ]

How to install

Lindens can see internal documentation for more specific guidance. https://wiki.lindenlab.com/wiki/Pyogp#How_to_Install

Standalone dev environment using buildout

Buildout is a type of Python development environment, organizing and configuring various components and their dependencies. On a desktop, one may checkout such an environment for working with PyOGP. One may optionally use a virtualenv Python environment to isolate the development code and it's runtime environment on one's host.

Dependencies: buildout takes care of everything, grabbing needed modules etc.

Wiki instructions: https://wiki.secondlife.com/wiki/Pyogp/Client_Lib/The_Development_Sandbox

Installing the PyOGP packages

Each of the PyOGP package may be installed to one's Python install or to a virtualenv. Buyer beware if installing into your system's install: you'll want to be able to uninstall manually, as we haven't hooked up the uninstall. PyOGP is still coming up to speed with respect to distutils and pypi and the like, but it's relatively close now.

To install a package, simply run 'python setup.py install' in a package's root.

Referencing PyOGP packages via the PATH

Source code can be referenced directly if one simply ensures that a package, and it's dependencies, are available in the PYTHONPATH environmental variable.

Current functional coverage

Anything not listed as covered is probably not yet covered.

pyogp.lib.base:

  • base udp messaging system (message.*)
    • UDP serialization/deserialization
    • message_template.msg parsing
  • base event queue messaging system (event_queue.EventQueueClient())
  • capabilities and their methods. Seed capabilities are a special case. (caps.Capability())
  • Message-based events (message.message_handler)

pyogp.lib.client:

  • agents (agent.Agent())
    • L$ balance request, friending, and walk/fly/sit/stand actions...
  • OGP agentdomain (agentdomain.AgentDomain())
  • application level events (event_system.AppEventsHandler())
  • some object handling (objects.*)
    • edit name, description, next-owner permissions and more
    • object creation is possible
  • some inventory handling (inventory.*)
    • login inv skeletons
    • fetching inventory, including AIS (caps based Agent Inventory Services))
    • some creating of new inventory items (LSL scripts, notecards)
  • regions (region.Region())
    • host and neighboring regions are handled slightly differently
    • udp and event queue connections are optionally enabled for each case
    • currently only pulling caps available to the agent via the seed cap (plus using the inventory related caps in the AIS context)
  • some appearance handling (appearance.AppearanceManager),
  • parcels
  • chat
  • some ImprovedInstantMessage handling
    • raises events on received instant messages
    • can deal with inventory offers/accepts/declines
    • other cases in this message are currently only logged
  • groups
  • group chat
  • LSL script uploading

Sample Scripts

There are a variety of scripted examples that have been used to exercise and test functionality as it is added to the library. These persist as coded documentation.

The source code is available in https://svn.secondlife.com/svn/linden/projects/2008/pyogp/pyogp.apps/trunk/pyogp/apps/examples/.

The following refers to a buildout context. If one installs pyogp.apps vi setup.py, these scripts will exist in the python environment's bin/ directory. In the buildout context, these scripts are available in {buildout root}/bin.

The scripts are derived from a package's 'setup.py' via the entry_points parameter, and essentially build executable Python scripts configured to run in the correct environment with the proper dependencies added the the path used by the script. These scripts are currently just simple illustrations of some uses of the PyOGP codebase.

  #the current entry_points in setup.py og pyogp.apps:
  
     entry_points={
         'console_scripts': [
             'AIS_inventory_handling = pyogp.apps.examples.AIS_inventory_handling:main',
             'agent_login = pyogp.apps.examples.agent_login:main',
             'agent_manager = pyogp.apps.examples.agent_manager:main',
             'appearance_management = pyogp.apps.examples.appearance_management:main',
             'chat_and_instant_messaging = pyogp.apps.examples.chat_and_instant_messaging:main',
             'group_chat = pyogp.apps.examples.group_chat:main',
             'group_creation = pyogp.apps.examples.group_creation:main',
             'inventory_handling = pyogp.apps.examples.inventory_handling:main',
             'inventory_transfer = pyogp.apps.examples.inventory_transfer:main',
             'inventory_transfer_specify_agent = pyogp.apps.examples.inventory_transfer_specify_agent:main',
             'login = pyogp.apps.examples.login:main',
             'multi_region_connect = pyogp.apps.examples.multi_region_connect:main',
             'object_create_edit = pyogp.apps.examples.object_create_edit:main',
             'object_create_permissions = pyogp.apps.examples.object_create_permissions:main',
             'object_create_rez_script = pyogp.apps.examples.object_create_rez_script:main',
             'object_creation = pyogp.apps.examples.object_creation:main',
             'object_properties = pyogp.apps.examples.object_properties:main',
             'object_tracking = pyogp.apps.examples.object_tracking:main',
             'parcel_management = pyogp.apps.examples.parcel_management:main',
             'parse_packets = pyogp.apps.examples.parse_packets:main',
             'region_connect = pyogp.apps.examples.region_connect:main',
             'smoke_test = pyogp.apps.examples.smoke_test:main',
             'chat = pyogp.apps.examples.chat_interface:main',
             ]
        }

How it Works (High Level)

Eventlet

PyOGP use Eventlet to run coroutines to handle multiple 'concurrent' processes, rather than threads or multiple processes. Each client agent instance will spawn a handful of coroutines to handles e.g. the UDP pipe, the Event Queue, various monitors, while yielding time to the parent process which should ensure it yields to the other routines as well.

PyOGP uses eventlet in very elementary ways at this point, but will perhaps start to use blocking queues in some cases, so that the coroutine only is allocated processing time if there is work for it to do.

pyogp.lib.base

This package handles the protocols used when communicating with a Second Life grid. A high level perspective on the package reveals a MessageManager() (still in development) which provides an interface to the UDP and Event Queue connections, as well as basic networking with enables login and capabilities interactions. The base package also has a low level even system through which all messages are passed and sent to subscribers.

Any subcomponent is available for direct interaction at any time, the MessageManager() and the MessageHandler() are the simple access points.

Events & Callbacks

The event implementation in pyogp follows the observer pattern, where observers subscribe to and are notified when an event occurs. Data is passed throughout the client instance via events.

  • MessageManager - is an attribute of a Region and every packet received/sent is filtered through here. subscriptions are by message name
    • MessageHandler - is an attribute of MessageManager, and every categorized message received from the event queue or udp dispatcher is filtered through here. (message as defined in message_template.msg, or one of ['ChatterBoxInvitation', 'ChatterBoxSessionEventReply', 'ChatterBoxSessionAgentListUpdates', 'ChatterBoxSessionStartReply', 'EstablishAgentCommunication']. There may be unhandled messages, I just haven't seen em yet :))
Message Events

In the most fundamental implementation of event usage, all packets are passed through a MessageManager() instance for evaluation. Observers may register to receive udp packets serialized into the form of Message() instances. The MessageHandler() is a consolidation point for subscribing to messages keyed by message name, and created on demand via subscription.

See pyogp.lib.base.message.message_handler.MessageHandler() for more details.

The pyogp agent's Region() instances each monitor their stream of packets (e.g. the host region: agent.region.message_manager.message_handler). (Perhaps this should be changed to a generalized Network() class where all packets (coupled to their originating regions) are evaluated.

Event firing passes data on to a callback handler defined in the subscription, in the form of (handler, *args, **kwargs).

The Agent class monitors the ImprovedInstantMessage packet:

        onImprovedInstantMessage_received = self.region.message_handler.register('ImprovedInstantMessage')
        onImprovedInstantMessage_received.subscribe(self.onImprovedInstantMessage)

    def onImprovedInstantMessage(self, packet):
        """ handles the many cases of data being passed in this message """

        {code} # parse and handle the data...

The messaging system then fires the event when an ImprovedInstantMessage message is received, which calls onImprovedInstantMessage method above to handle the message contents. Multiple subscribers may be listening for any message related event, and each would be notified of the same Message() instance.

Unsubscribing from an event:

        onImprovedInstantMessage_received.unsubscribe(self.onImprovedInstantMessage)

There are various event and callback implementations viewable in pyogp, poke around and help consolidate things if you like.

pyogp.lib.client

The client package generally provides a convenient interface to initiate or interpret interactions with host region (or neighboring regions). By listening to the messaging related event system in pyogp.lib.base, the client package interprets the messages that come in off the wire, and executes business logic in building responses. pyogp.lib.client also provides simple methods to enable the ending of messages to a grid.

Events

  • EventsHandler - an attribute of an Agent, also able to be passed in, that is intended as the primary interface of a pyogp application into the internal state and data events within the lib. This system uses the same base classes as used by the MessageHandler() in the base package, and the descriptions about events and callbacks above apply here as well. The api for subscribing to these events is similar to the MessageHandler(), with an additional timeout parameter passed in the _register() method. When the specified timeout expires, the subscription returns None and expires the subscription.

Agent Login (examples)

Single Agent Login & Chat

Spawn a client in a co-routine, allowing persistent presence until forcefully terminated.

from eventlet import api

from pyogp.lib.client.agent import Agent
from pyogp.lib.client.settings import Settings

settings = Settings()

settings.ENABLE_INVENTORY_MANAGEMENT = True
settings.MULTIPLE_SIM_CONNECTIONS = False

client = Agent(settings = settings)

api.spawn(client.login, options.loginuri, 'first', 'last', 'password', start_location = options.region)

# wait for the agent to connect to it's region
while client.connected == False:
    api.sleep(0)

while client.region.connected == False:
    api.sleep(0)

client.say("Hello World!")

# once connected, live until someone kills me
while client.running:
    api.sleep(0)
Multiple Agent Login

Each agent instance in logged in in a separate coroutine.

from pyogp.lib.client.agent import Agent
from pyogp.lib.client.agentmanager import AgentManager

credentials= [('agent1', 'lastname', 'password'), ('agent2', 'lastname', 'password')]

# prime the Agent instances
agents = [Agent(settings, firstname, lastname, password)
          for firstname, lastname, password in credentials]

agentmanager = AgentManager()
agentmanager.initialize(agents)

# log them in
for key in agentmanager.agents:
    agentmanager.login(key, options.loginuri, options.region)

# while they are connected, stay alive
while agentmanager.has_agents_running():
    api.sleep(0)

Extending Functionality

While the implementations and structures in pyogp.lib.base can (and are in the process of) being refactored to improve performance or usability, it is a fairly complete package.

The functional coverage PyOGP provides on the other hand is not complete, and there are a variety of needs to complete the implementation in pyogp.lib.base. We need to improve coverage of message handling (dealing with messages sent to the client), add more wrappers for sending various messages and performing multistep tasks (to simplify the initiation of interactions with the region), and we need to raise more application level events in the client package so that applications have easy access to incoming data.

Sending Messages

PyOGP, like the Viewer, communicates with the Second Life simulator by sending messages over UDP.

In order to extend PyOGP, you'll build a representation of a new UDP message, and send it through the pyogp.lib.base modules for serialization and wire handling.

Example: Sending an IM

To send an IM to the simulator, send an ImprovedInstantMessage packet. The base class for message packets is defined in base/message/message.py

Packets are assembled using a Message() instance which has the message name and Block() instances passed in through its constructor. Similarly, Blocks are assembled by passing in the Block name and the value name and values for each of the Block values. (The ability to build Message() instances via an llsd payload is expected to be introduced soon.)

Note: It is important that the message name, block name, and value names and types should match what is specified in the message template. (It is also possible to manipulate the representation of the stored template, or to use a custom message template.)

Example:

    def send_ImprovedInstantMessage(self, AgentID = None, SessionID = None, 
                                FromGroup = None, ToAgentID = None, 
                                ParentEstateID = None, RegionID = None, 
                                Position = None, Offline = None, 
                                Dialog = None, _ID = None, Timestamp = None, 
                                FromAgentName = None, _Message = None, 
                                BinaryBucket = None):
        """ 
        sends an instant message packet to ToAgentID. this is a 
        multi-purpose message for inventory offer handling, im, group chat, 
        and more 
        """

        packet = Message('ImprovedInstantMessage', 
                         Block('AgentData', 
                               AgentID = AgentID, 
                               SessionID = SessionID), 
                         Block('MessageBlock', 
                               FromGroup = FromGroup, 
                               ToAgentID = ToAgentID, 
                               ParentEstateID = ParentEstateID, 
                               RegionID = RegionID, 
                               Position = Position, 
                               Offline = Offline, 
                               Dialog = Dialog, 
                               ID = UUID(str(_ID)), 
                               Timestamp = Timestamp, 
                               FromAgentName = FromAgentName, 
                               Message = _Message, 
                               BinaryBucket = BinaryBucket))

        # Send the message:
        self.region.enqueue_message(packet, True)

Handling Incoming Messages and Raising an Event

To listen for when messages of a particular type are sent to the client instance, subscribe to the MessageHandler() on the host region's MessageManager(), like the example that follows:

        onImprovedInstantMessage_received = self.region.message_handler.register('ImprovedInstantMessage')
        onImprovedInstantMessage_received.subscribe(self.onImprovedInstantMessage)

When the event is fired upon receipt of the message matching the name, the specified callback handles the data passed along, and in this case raises an event notifying observers of the 'InstantMessageReceived' event in pyogp.lib.client of the important data.

    def onImprovedInstantMessage(self, packet):
        """ callback handler for received ImprovedInstantMessage messages. much is passed in this message, and handling the data is only partially implemented """

        Dialog = packet.blocks['MessageBlock'][0].get_variable('Dialog').data
        FromAgentID = packet.blocks['AgentData'][0].get_variable('AgentID').data

        if Dialog == ImprovedIMDialogue.InventoryOffered:

            self.inventory.handle_inventory_offer(packet)

        # ...
        # some of the Dialogue types this message can contain are handled, we are showing 2
        # ...

        elif Dialog == ImprovedIMDialogue.FromAgent:

            # ... code parses the data from the Message() instance ...

            message = AppEvent('InstantMessageReceived', FromAgentID = FromAgentID, RegionID = RegionID, Position = Position, ID = ID, FromAgentName = FromAgentName, Message = _Message)

            logger.info("Received instant message from %s: %s" % (FromAgentName, _Message))

            self.events_handler.handle(message)

Logging

Uses python's standard logging module (http://docs.python.org/library/logging.html). The library defines logging events throughout, it is up to the application/script to determine the output.

Hooking logging into a new module:

from logging import getLogger

# initialize logging
logger = getLogger('pyogp.lib.client.agent')

class Agent(object):
    """ our agent class """

    def __init__(self, params):

        self.params = params

        logger.debug("Initializing agent with params: %s" % (params))

An application can then set up the logging output as follows (or any other way it pleases):

console = logging.StreamHandler()
formatter = logging.Formatter('%(asctime)-30s%(name)-30s: %(levelname)-8s %(message)s')
console.setFormatter(formatter)
logging.getLogger('').addHandler(console)
logging.getLogger('').setLevel(logging.DEBUG)

The output to console is then:

2009-04-21 22:08:58,681 pyogp.lib.base.agent  : DEBUG agent with params: params

Pyogp Unit Tests

See PyOGP_Package_Unittests.

Sphinx (api docs)

Api documentation is now available for PyOGP packages (well, not for apps yet, but someday....)!

In pyogp/docs in each of the pyogp.lib.base and pyogp.lib.client packages, one will find source, last revision, and build files for sphinx based documents. Output is available at {package root}/docs/html/index.html.

We plan on sharing the api documentation on the web soon, and will work to make simple build wrappers work on various platforms, though this is a low priority.

Ask Enus for updated documentation to be checked in, or, build a better refresh.py.

Roadmap

See Pyogp/Roadmap for details, or ask in irc or on the mailing list. Here's what's up in the near term for pyogp:

  • better packaging and platform compatibility
  • more functional coverage of message. We are covering 32% of the messages the viewers sends or handles when received (though it's estimated at more like 50% of normal use cases.
  • permissions system testing to save QA from 3-5 day regression passes on perms
  • appearance - this will require enabling upload and download, plus baking. Anyone have some spare time? :)