Web   ·   Wiki   ·   Activities   ·   Blog   ·   Lists   ·   Chat   ·   Meeting   ·   Bugs   ·   Git   ·   Translate   ·   Archive   ·   People   ·   Donate
summaryrefslogtreecommitdiffstats
path: root/services
diff options
context:
space:
mode:
authorTomeu Vizoso <tomeu@tomeuvizoso.net>2007-05-10 09:01:32 (GMT)
committer Tomeu Vizoso <tomeu@tomeuvizoso.net>2007-05-10 09:01:32 (GMT)
commit929dabd165ce376eebcf90716fef10b533ab6530 (patch)
tree4a9edbe593bad29905cfca02b2e79d4db5180880 /services
parentac4338e3c0ff604e19239ed55ddaf2e64b26945c (diff)
Use the new DataStore and remove the old one.
Diffstat (limited to 'services')
-rw-r--r--services/Makefile.am2
-rw-r--r--services/datastore/.gitignore1
-rw-r--r--services/datastore/Makefile.am19
-rw-r--r--services/datastore/__init__.py0
-rw-r--r--services/datastore/datastore.py365
-rw-r--r--services/datastore/dbus_helpers.py235
-rw-r--r--services/datastore/demodata.py95
-rw-r--r--services/datastore/org.laptop.sugar.DataStore.service.in4
-rwxr-xr-xservices/datastore/sugar-data-store34
9 files changed, 1 insertions, 754 deletions
diff --git a/services/Makefile.am b/services/Makefile.am
index 113d0f0..867a7cd 100644
--- a/services/Makefile.am
+++ b/services/Makefile.am
@@ -1 +1 @@
-SUBDIRS = presence clipboard datastore console
+SUBDIRS = presence clipboard console
diff --git a/services/datastore/.gitignore b/services/datastore/.gitignore
deleted file mode 100644
index c0ede5e..0000000
--- a/services/datastore/.gitignore
+++ /dev/null
@@ -1 +0,0 @@
-org.laptop.sugar.DataStore.service
diff --git a/services/datastore/Makefile.am b/services/datastore/Makefile.am
deleted file mode 100644
index 2a49d2f..0000000
--- a/services/datastore/Makefile.am
+++ /dev/null
@@ -1,19 +0,0 @@
-servicedir = $(datadir)/dbus-1/services
-service_in_files = org.laptop.sugar.DataStore.service.in
-service_DATA = $(service_in_files:.service.in=.service)
-
-$(service_DATA): $(service_in_files) Makefile
- @sed -e "s|\@bindir\@|$(bindir)|" $< > $@
-
-sugardir = $(pkgdatadir)/services/datastore
-sugar_PYTHON = \
- __init__.py \
- datastore.py \
- dbus_helpers.py \
- demodata.py
-
-bin_SCRIPTS = sugar-data-store
-
-DISTCLEANFILES = $(service_DATA)
-
-EXTRA_DIST = $(bin_SCRIPTS) org.laptop.sugar.DataStore.service.in
diff --git a/services/datastore/__init__.py b/services/datastore/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/services/datastore/__init__.py
+++ /dev/null
diff --git a/services/datastore/datastore.py b/services/datastore/datastore.py
deleted file mode 100644
index cac71a3..0000000
--- a/services/datastore/datastore.py
+++ /dev/null
@@ -1,365 +0,0 @@
-#!/bin/python
-# Copyright (C) 2006, Red Hat, Inc.
-#
-# 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 2 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, write to the Free Software
-# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA
-
-import os
-import dbus, dbus.glib, gobject
-import logging
-
-try:
- from sqlite3 import dbapi2 as sqlite
-except ImportError:
- from pysqlite2 import dbapi2 as sqlite
-
-import dbus_helpers
-import string
-import demodata
-
-have_sugar = False
-try:
- from sugar import env
- have_sugar = True
-except ImportError:
- pass
-
-def is_hex(s):
- return s.strip(string.hexdigits) == ''
-
-ACTIVITY_ID_LEN = 40
-
-def validate_activity_id(actid):
- """Validate an activity ID."""
- if not isinstance(actid, str) and not isinstance(actid, unicode):
- return False
- if len(actid) != ACTIVITY_ID_LEN:
- return False
- if not is_hex(actid):
- return False
- return True
-
-
-_DS_SERVICE = "org.laptop.sugar.DataStore"
-_DS_DBUS_INTERFACE = "org.laptop.sugar.DataStore"
-_DS_OBJECT_PATH = "/org/laptop/sugar/DataStore"
-
-_DS_OBJECT_DBUS_INTERFACE = "org.laptop.sugar.DataStore.Object"
-_DS_OBJECT_OBJECT_PATH = "/org/laptop/sugar/DataStore/Object"
-
-class NotFoundError(Exception):
- pass
-
-def _create_op(uid):
- return "%s/%d" % (_DS_OBJECT_OBJECT_PATH, uid)
-
-def _get_uid_from_op(op):
- if not op.startswith(_DS_OBJECT_OBJECT_PATH + "/"):
- raise ValueError("Invalid object path %s." % op)
- item = op[len(_DS_OBJECT_OBJECT_PATH + "/"):]
- return int(item)
-
-def _get_data_as_string(data):
- if isinstance(data, list):
- data_str = ""
- for item in data:
- data_str += chr(item)
- return data_str
- elif isinstance(data, int):
- return str(data)
- elif isinstance(data, float):
- return str(data)
- elif isinstance(data, str):
- return data
- elif isinstance(data, unicode):
- return str(data)
- else:
- raise ValueError("Unsupported data type: %s" % type(data))
-
-class DataStoreDBusHelper(dbus.service.Object):
- def __init__(self, parent, bus_name):
- self._parent = parent
- self._bus_name = bus_name
- dbus.service.Object.__init__(self, bus_name, _DS_OBJECT_PATH)
-
- @dbus.service.method(_DS_DBUS_INTERFACE,
- in_signature="x", out_signature="o")
- def get(self, uid):
- return _create_op(self._parent.get(uid))
-
- @dbus.service.method(_DS_DBUS_INTERFACE,
- in_signature="s", out_signature="o")
- def getActivityObject(self, activity_id):
- if not validate_activity_id(activity_id):
- raise ValueError("invalid activity id")
- return _create_op(self._parent.get_activity_object(activity_id))
-
- @dbus.service.method(_DS_DBUS_INTERFACE,
- in_signature="a{sv}", out_signature="o")
- def create(self, prop_dict):
- uid = self._parent.create(prop_dict)
- return _create_op(uid)
-
- @dbus.service.method(_DS_DBUS_INTERFACE,
- in_signature="ia{sv}", out_signature="o")
- def update(self, uid, prop_dict):
- self._parent.update(uid, prop_dict)
- return _create_op(uid)
-
- @dbus.service.method(_DS_DBUS_INTERFACE,
- in_signature="o", out_signature="i")
- def delete(self, op):
- uid = _get_uid_from_op(op)
- self._parent.delete(uid)
- return 0
-
- @dbus.service.method(_DS_DBUS_INTERFACE,
- in_signature="s", out_signature="ao")
- def find(self, query):
- uids = self._parent.find(query)
- ops = []
- for uid in uids:
- ops.append(_create_op(uid))
- return ops
-
-class ObjectDBusHelper(dbus_helpers.FallbackObject):
- def __init__(self, parent, bus_name):
- self._parent = parent
- self._bus_name = bus_name
- dbus_helpers.FallbackObject.__init__(self, bus_name, _DS_OBJECT_OBJECT_PATH)
-
- @dbus_helpers.method(_DS_OBJECT_DBUS_INTERFACE,
- in_signature="", out_signature="ay", object_path_keyword="dbus_object_path")
- def get_data(self, dbus_object_path=None):
- if not dbus_object_path:
- raise RuntimeError("Need the dbus object path.")
- uid = _get_uid_from_op(dbus_object_path)
- return dbus.ByteArray(self._parent.get_data(uid))
-
- @dbus_helpers.method(_DS_OBJECT_DBUS_INTERFACE,
- in_signature="ay", out_signature="i", object_path_keyword="dbus_object_path")
- def set_data(self, data, dbus_object_path=None):
- if not dbus_object_path:
- raise RuntimeError("Need the dbus object path.")
- uid = _get_uid_from_op(dbus_object_path)
- self._parent.set_data(uid, data)
- return 0
-
- @dbus_helpers.method(_DS_OBJECT_DBUS_INTERFACE,
- in_signature="as", out_signature="a{sv}", object_path_keyword="dbus_object_path")
- def get_properties(self, keys, dbus_object_path=None):
- if not dbus_object_path:
- raise RuntimeError("Need the dbus object path.")
- uid = _get_uid_from_op(dbus_object_path)
- return self._parent.get_properties(uid, keys)
-
- @dbus_helpers.method(_DS_OBJECT_DBUS_INTERFACE,
- in_signature="a{sv}", out_signature="i", object_path_keyword="dbus_object_path")
- def set_properties(self, prop_dict, dbus_object_path=None):
- if not dbus_object_path:
- raise RuntimeError("Need the dbus object path.")
- uid = _get_uid_from_op(dbus_object_path)
- self._parent.set_properties(uid, prop_dict)
- return 0
-
- @dbus_helpers.fallback_signal(_DS_OBJECT_DBUS_INTERFACE,
- signature="ba{sv}b", ignore_args=["uid"])
- def Updated(self, data, prop_dict, deleted, uid=None):
- # Return the object path so the signal decorator knows what
- # object this signal should be fore
- if not uid:
- raise RuntimeError("Need a UID.")
- op = _create_op(uid)
- return op
-
-class DataStore(object):
- def __init__(self):
- self._session_bus = dbus.SessionBus()
- self._bus_name = dbus.service.BusName(_DS_SERVICE, bus=self._session_bus)
- self._dbus_helper = DataStoreDBusHelper(self, self._bus_name)
- self._dbus_obj_helper = ObjectDBusHelper(self, self._bus_name)
-
- ppath = "/tmp"
- if have_sugar:
- ppath = env.get_profile_path()
- self._dbfile = os.path.join(ppath, "ds", "data-store.db")
- if not os.path.exists(os.path.dirname(self._dbfile)):
- os.makedirs(os.path.dirname(self._dbfile), 0755)
-
- self._dbcx = sqlite.connect(self._dbfile, timeout=3)
- self._dbcx.row_factory = sqlite.Row
- try:
- self._ensure_table()
- except StandardError, e:
- logging.info("Could not access the data store. Reason: '%s'. Exiting..." % e)
- os._exit(1)
-
- def __del__(self):
- self._dbcx.close()
- del self._dbcx
-
- def _ensure_table(self):
- curs = self._dbcx.cursor()
- try:
- curs.execute('SELECT * FROM properties LIMIT 4')
- self._dbcx.commit()
- except Exception, e:
- # If table wasn't created, try to create it
- self._dbcx.commit()
- curs.execute('CREATE TABLE objects (' \
- 'uid INTEGER NOT NULL PRIMARY KEY AUTOINCREMENT);')
- curs.execute('CREATE TABLE properties (' \
- 'objid INTEGER NOT NULL, ' \
- 'key VARCHAR(100),' \
- 'value VARCHAR(200)' \
- ');')
- curs.execute('CREATE INDEX objid_idx ON properties(objid);')
- self._dbcx.commit()
- demodata.insert_demo_data(self)
- del curs
-
- def get(self, uid):
- curs = self._dbcx.cursor()
- curs.execute('SELECT uid FROM objects WHERE uid=?;', (uid,))
- res = curs.fetchall()
- self._dbcx.commit()
- del curs
- if len(res) > 0:
- return uid
- raise NotFoundError("Object %d was not found." % uid)
-
- def get_activity_object(self, activity_id):
- curs = self._dbcx.cursor()
- curs.execute("SELECT uid FROM objects WHERE activity_id=?;", (activity_id,))
- res = curs.fetchall()
- self._dbcx.commit()
- if len(res) > 0:
- del curs
- return res[0][0]
- del curs
- raise NotFoundError("Object for activity %s was not found." % activity_id)
-
- def create(self, prop_dict):
- curs = self._dbcx.cursor()
- curs.execute("INSERT INTO objects (uid) VALUES (NULL);")
- curs.execute("SELECT last_insert_rowid();")
- rows = curs.fetchall()
- self._dbcx.commit()
- last_row = rows[0]
- uid = last_row[0]
- for (key, value) in prop_dict.items():
- value = _get_data_as_string(value)
- curs.execute("INSERT INTO properties (objid, key, value) VALUES (?, ?, ?);", (uid, key, value))
- self._dbcx.commit()
- del curs
- return uid
-
- def delete(self, uid):
- curs = self._dbcx.cursor()
- curs.execute("DELETE FROM objects WHERE (uid=?);", (uid,))
- curs.execute("DELETE FROM properties WHERE (objid=?);", (uid,))
- self._dbcx.commit()
- del curs
- self._dbus_obj_helper.Updated(False, {}, True, uid=uid)
- return 0
-
- def find(self, query):
- sql_query = "SELECT props1.objid objid," \
- " props1.value date," \
- " props2.value object_type," \
- " props3.value buddies " \
- "FROM properties props1," \
- " properties props2," \
- " properties props3 " \
- "WHERE props1.objid = props2.objid AND" \
- " props2.objid = props3.objid AND" \
- " props1.key = 'date' AND" \
- " props2.key = 'object-type' AND" \
- " props3.key = 'buddies' " \
- "ORDER BY date DESC"
- if query:
- # TODO: parse the query for avoiding sql injection attacks.
- sql_query = "SELECT objid FROM (%s) WHERE (%s)" % (sql_query, query)
- sql_query += ";"
- curs = self._dbcx.cursor()
- logging.debug(sql_query)
- curs.execute(sql_query)
- rows = curs.fetchall()
- self._dbcx.commit()
- # FIXME: ensure that each properties.objid has a match in objects.uid
- uids = []
- for row in rows:
- uids.append(row['objid'])
- del curs
- return uids
-
- def update(self, uid, prop_dict):
- curs = self._dbcx.cursor()
- curs.execute('SELECT uid FROM objects WHERE uid=?;', (uid,))
- res = curs.fetchall()
- self._dbcx.commit()
- if len(res) <= 0:
- del curs
- raise NotFoundError("Object %d was not found." % uid)
-
- for (key, value) in prop_dict.items():
- value = _get_data_as_string(value)
- if not len(value):
- # delete the property
- curs.execute("DELETE FROM properties WHERE (objid=? AND key=?);", (uid, key))
- else:
- curs.execute("SELECT objid FROM properties WHERE (objid=? AND key=?);", (uid, key))
- if len(curs.fetchall()) > 0:
- curs.execute("UPDATE properties SET value=? WHERE (objid=? AND key=?);", (value, uid, key))
- else:
- curs.execute("INSERT INTO properties (objid, key, value) VALUES (?, ?, ?);", (uid, key, value))
- self._dbcx.commit()
- del curs
- self._dbus_obj_helper.Updated(False, {}, False, uid=uid)
-
- def get_properties(self, uid, keys):
- query = "SELECT objid, key, value FROM properties WHERE (objid=%d" % uid
- subquery = ""
- if len(keys) > 0:
- for key in keys:
- if not subquery:
- subquery += " AND ("
- else:
- subquery += " OR "
- subquery += "key='%s'" % key
- subquery += ")"
- query += subquery + ");"
- curs = self._dbcx.cursor()
- curs.execute(query)
- rows = curs.fetchall()
- self._dbcx.commit()
- prop_dict = {}
- for row in rows:
- conv_key = row['key'].replace("''", "'")
- prop_dict[conv_key] = row['value']
- prop_dict['handle'] = str(uid)
- del curs
- return prop_dict
-
-
-def main():
- loop = gobject.MainLoop()
- ds = DataStore()
- try:
- loop.run()
- except KeyboardInterrupt:
- print 'Ctrl+C pressed, exiting...'
-
-if __name__ == "__main__":
- main()
diff --git a/services/datastore/dbus_helpers.py b/services/datastore/dbus_helpers.py
deleted file mode 100644
index 4800e9b..0000000
--- a/services/datastore/dbus_helpers.py
+++ /dev/null
@@ -1,235 +0,0 @@
-# Copyright (C) 2006, Red Hat, Inc.
-#
-# 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 2 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, write to the Free Software
-# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA
-
-
-# Mostly taken from dbus-python's service.py
-
-import dbus
-import _dbus_bindings
-from dbus import service
-import inspect
-
-def method(dbus_interface, in_signature=None, out_signature=None, async_callbacks=None, sender_keyword=None, utf8_strings=False, byte_arrays=False, object_path_keyword=None):
- _dbus_bindings.validate_interface_name(dbus_interface)
-
- def decorator(func):
- args = inspect.getargspec(func)[0]
- args.pop(0)
-
- if async_callbacks:
- if type(async_callbacks) != tuple:
- raise TypeError('async_callbacks must be a tuple of (keyword for return callback, keyword for error callback)')
- if len(async_callbacks) != 2:
- raise ValueError('async_callbacks must be a tuple of (keyword for return callback, keyword for error callback)')
- args.remove(async_callbacks[0])
- args.remove(async_callbacks[1])
-
- if sender_keyword:
- args.remove(sender_keyword)
-
- if object_path_keyword:
- args.remove(object_path_keyword)
-
- if in_signature:
- in_sig = tuple(_dbus_bindings.Signature(in_signature))
-
- if len(in_sig) > len(args):
- raise ValueError, 'input signature is longer than the number of arguments taken'
- elif len(in_sig) < len(args):
- raise ValueError, 'input signature is shorter than the number of arguments taken'
-
- func._dbus_is_method = True
- func._dbus_async_callbacks = async_callbacks
- func._dbus_interface = dbus_interface
- func._dbus_in_signature = in_signature
- func._dbus_out_signature = out_signature
- func._dbus_sender_keyword = sender_keyword
- func._dbus_args = args
- func._dbus_get_args_options = {'byte_arrays': byte_arrays,
- 'utf8_strings': utf8_strings}
- func._dbus_object_path_keyword = object_path_keyword
- return func
-
- return decorator
-
-
-def fallback_signal(dbus_interface, signature=None, ignore_args=None):
- _dbus_bindings.validate_interface_name(dbus_interface)
- def decorator(func):
- def emit_signal(self, *args, **keywords):
- obj_path = func(self, *args, **keywords)
- message = _dbus_bindings.SignalMessage(obj_path, dbus_interface, func.__name__)
-
- if emit_signal._dbus_signature:
- message.append(signature=emit_signal._dbus_signature,
- *args)
- else:
- message.append(*args)
-
- self._connection.send_message(message)
-
- temp_args = inspect.getargspec(func)[0]
- temp_args.pop(0)
-
- args = []
- for arg in temp_args:
- if arg not in ignore_args:
- args.append(arg)
-
- if signature:
- sig = tuple(_dbus_bindings.Signature(signature))
-
- if len(sig) > len(args):
- raise ValueError, 'signal signature is longer than the number of arguments provided'
- elif len(sig) < len(args):
- raise ValueError, 'signal signature is shorter than the number of arguments provided'
-
- emit_signal.__name__ = func.__name__
- emit_signal.__doc__ = func.__doc__
- emit_signal._dbus_is_signal = True
- emit_signal._dbus_interface = dbus_interface
- emit_signal._dbus_signature = signature
- emit_signal._dbus_args = args
- return emit_signal
-
- return decorator
-
-class FallbackObject(dbus.service.Object):
- """A base class for exporting your own Objects across the Bus.
-
- Just inherit from Object and provide a list of methods to share
- across the Bus
- """
-
- def __init__(self, conn=None, fallback_object_path=None, bus_name=None):
- if fallback_object_path is None:
- raise TypeError('The fallback_object_path argument is required')
-
- if isinstance(conn, dbus.service.BusName):
- # someone's using the old API; don't gratuitously break them
- bus_name = conn
- conn = bus_name.get_bus()
- elif conn is None:
- # someone's using the old API but naming arguments, probably
- if bus_name is None:
- raise TypeError('Either conn or bus_name is required')
- conn = bus_name.get_bus()
-
- self._object_path = fallback_object_path
- self._name = bus_name
- self._bus = conn
-
- self._connection = self._bus.get_connection()
-
- self._connection._register_object_path(fallback_object_path, self._message_cb, self._unregister_cb, fallback=True)
-
- def _message_cb(self, connection, message):
- try:
- # lookup candidate method and parent method
- method_name = message.get_member()
- interface_name = message.get_interface()
- (candidate_method, parent_method) = dbus.service._method_lookup(self, method_name, interface_name)
-
- # set up method call parameters
- args = message.get_args_list(**parent_method._dbus_get_args_options)
- keywords = {}
-
- if parent_method._dbus_out_signature is not None:
- signature = _dbus_bindings.Signature(parent_method._dbus_out_signature)
- else:
- signature = None
-
- # set up async callback functions
- if parent_method._dbus_async_callbacks:
- (return_callback, error_callback) = parent_method._dbus_async_callbacks
- keywords[return_callback] = lambda *retval: dbus.service._method_reply_return(connection, message, method_name, signature, *retval)
- keywords[error_callback] = lambda exception: dbus.service._method_reply_error(connection, message, exception)
-
- # include the sender if desired
- if parent_method._dbus_sender_keyword:
- keywords[parent_method._dbus_sender_keyword] = message.get_sender()
-
- if parent_method._dbus_object_path_keyword:
- keywords[parent_method._dbus_object_path_keyword] = message.get_path()
-
- # call method
- retval = candidate_method(self, *args, **keywords)
-
- # we're done - the method has got callback functions to reply with
- if parent_method._dbus_async_callbacks:
- return
-
- # otherwise we send the return values in a reply. if we have a
- # signature, use it to turn the return value into a tuple as
- # appropriate
- if signature is not None:
- signature_tuple = tuple(signature)
- # if we have zero or one return values we want make a tuple
- # for the _method_reply_return function, otherwise we need
- # to check we're passing it a sequence
- if len(signature_tuple) == 0:
- if retval == None:
- retval = ()
- else:
- raise TypeError('%s has an empty output signature but did not return None' %
- method_name)
- elif len(signature_tuple) == 1:
- retval = (retval,)
- else:
- if operator.isSequenceType(retval):
- # multi-value signature, multi-value return... proceed unchanged
- pass
- else:
- raise TypeError('%s has multiple output values in signature %s but did not return a sequence' %
- (method_name, signature))
-
- # no signature, so just turn the return into a tuple and send it as normal
- else:
- if retval == None:
- retval = ()
- else:
- retval = (retval,)
-
- dbus.service._method_reply_return(connection, message, method_name, signature, *retval)
- except Exception, exception:
- # send error reply
- dbus.service._method_reply_error(connection, message, exception)
-
- @method('org.freedesktop.DBus.Introspectable', in_signature='', out_signature='s', object_path_keyword="dbus_object_path")
- def Introspect(self, dbus_object_path=None):
- reflection_data = '<!DOCTYPE node PUBLIC "-//freedesktop//DTD D-BUS Object Introspection 1.0//EN" "http://www.freedesktop.org/standards/dbus/1.0/introspect.dtd">\n'
- reflection_data += '<node name="%s">\n' % (dbus_object_path)
-
- interfaces = self._dbus_class_table[self.__class__.__module__ + '.' + self.__class__.__name__]
- for (name, funcs) in interfaces.iteritems():
- reflection_data += ' <interface name="%s">\n' % (name)
-
- for func in funcs.values():
- if getattr(func, '_dbus_is_method', False):
- reflection_data += self.__class__._reflect_on_method(func)
- elif getattr(func, '_dbus_is_signal', False):
- reflection_data += self.__class__._reflect_on_signal(func)
-
- reflection_data += ' </interface>\n'
-
- reflection_data += '</node>\n'
-
- return reflection_data
-
- def __repr__(self):
- return '<dbus.service.FallbackObject %s on %r at %#x>' % (self._object_path, self._name, id(self))
- __str__ = __repr__
-
diff --git a/services/datastore/demodata.py b/services/datastore/demodata.py
deleted file mode 100644
index 07b64d2..0000000
--- a/services/datastore/demodata.py
+++ /dev/null
@@ -1,95 +0,0 @@
-import time
-import os
-
-def insert_demo_data(data_store):
- home_dir = os.path.expanduser('~')
- journal_dir = os.path.join(home_dir, "Journal")
- if not os.path.exists(journal_dir):
- os.makedirs(journal_dir, 0755)
-
- data = [
- { 'file-path' : os.path.join(journal_dir, 'my_cat_and_my_fishes.jpeg'),
- 'object-type' : 'picture',
- 'date' : str(time.time() - 200000),
- 'title' : 'My cat and my fishes',
- 'preview' : "Don't know why, but my cat looks to like my fishe...",
- 'icon' : 'theme:object-image',
- 'icon-color' : '#472E17, #AB3DAB',
- 'keep' : '1',
- 'buddies' : str([ { 'name' : 'Blizzard',
- 'color' : '#472E17,#AB3DAB' },
- { 'name' : 'Dan',
- 'color' : '#75C228,#3A6E3A' } ])
- },
- { 'file-path' : os.path.join(journal_dir, 'cat_browsing.hist'),
- 'object-type' : 'link',
- 'date' : str(time.time() - 300000),
- 'title' : 'About cats',
- 'preview' : "http://en.wikipedia.org/wiki/Cat",
- 'icon' : 'theme:object-link',
- 'icon-color' : '#6E3D1E,#F8C2F8',
- 'keep' : '0',
- 'buddies' : str([ { 'name' : 'Tomeu',
- 'color' : '#6E3D1E,#F8C2F8' },
- { 'name' : 'Eben',
- 'color' : '#193828,#216E21' },
- { 'name' : 'Dan',
- 'color' : '#75C228,#3A6E3A' } ])
- },
- { 'file-path' : os.path.join(journal_dir, 'thai_story.hist'),
- 'object-type' : 'link',
- 'date' : str(time.time() - 450000),
- 'title' : 'Thai history',
- 'preview' : "The history of Thailand begins with the migration of the Thais from their ancestoral home in southern China into mainland southeast asia around the 10th century AD.",
- 'icon' : 'theme:object-link',
- 'icon-color' : '#75C228,#3A6E3A',
- 'keep' : '1',
- 'buddies' : str([ { 'name' : 'Dan',
- 'color' : '#75C228,#3A6E3A' } ])
- },
- { 'file-path' : os.path.join(journal_dir, 'our_school.jpeg'),
- 'object-type' : 'picture',
- 'date' : str(time.time() - 400000),
- 'title' : 'Our school',
- 'preview' : "Our school",
- 'icon' : 'theme:object-image',
- 'icon-color' : '#C2B00C,#785C78',
- 'keep' : '0',
- 'buddies' : str([ { 'name' : 'Marco',
- 'color' : '#C2B00C,#785C78' },
- { 'name' : 'Dan',
- 'color' : '#75C228,#3A6E3A' } ])
- },
- { 'file-path' : os.path.join(journal_dir, 'thai_prince.abw'),
- 'object-type' : 'link',
- 'date' : str(time.time() - 450000),
- 'title' : 'The Thai Prince',
- 'preview' : "Prince Dipangkara Rasmijoti of Thailand, (born 29 April 2005), is a member of the Thailand Royal Family, a grandson of King Bhumibol Adulyadej (Rama IX) of Thailand is the fifth son of Maha Vajiralongkorn, Crown Prince of Thailand.",
- 'icon' : 'theme:object-link',
- 'icon-color' : '#193828,#216E21',
- 'keep' : '0',
- 'buddies' : str([ { 'name' : 'Eben',
- 'color' : '#193828,#216E21' },
- { 'name' : 'Dan',
- 'color' : '#75C228,#3A6E3A' },
- { 'name' : 'Blizzard',
- 'color' : '#472E17,#AB3DAB' } ])
- },
- { 'file-path' : os.path.join(journal_dir, 'fishes_in_the_sea.history'),
- 'object-type' : 'picture',
- 'date' : str(time.time() - 100000),
- 'title' : 'Fishes in the Sea',
- 'preview' : 'There are many fishes in the sea, and not only...',
- 'icon' : 'theme:object-image',
- 'icon-color' : '#C2B00C,#785C78',
- 'keep' : '0',
- 'buddies' : str([ { 'name' : 'Marco',
- 'color' : '#C2B00C,#785C78' },
- { 'name' : 'Dan',
- 'color' : '#75C228,#3A6E3A' },
- { 'name' : 'Blizzard',
- 'color' : '#472E17,#AB3DAB' } ])
- }
- ]
- for obj in data:
- data_store.create(obj)
diff --git a/services/datastore/org.laptop.sugar.DataStore.service.in b/services/datastore/org.laptop.sugar.DataStore.service.in
deleted file mode 100644
index 9523788..0000000
--- a/services/datastore/org.laptop.sugar.DataStore.service.in
+++ /dev/null
@@ -1,4 +0,0 @@
-[D-BUS Service]
-Name = org.laptop.sugar.DataStore
-Exec = @bindir@/sugar-data-store
-
diff --git a/services/datastore/sugar-data-store b/services/datastore/sugar-data-store
deleted file mode 100755
index eb325f2..0000000
--- a/services/datastore/sugar-data-store
+++ /dev/null
@@ -1,34 +0,0 @@
-#!/usr/bin/env python
-# vi: ts=4 ai noet
-#
-# Copyright (C) 2006, Red Hat, Inc.
-#
-# 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 2 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, write to the Free Software
-# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA
-
-import sys
-import os
-import logging
-
-from sugar import logger
-from sugar import env
-
-sys.path.append(env.get_service_path('datastore'))
-
-logger.start('data-store')
-logging.info('Starting the data store...')
-
-import datastore
-
-datastore.main()