Esempio n. 1
0
    def test_serializer(self):
        from dataset.freeze.format.common import Serializer
        from dataset.freeze.config import Export
        from dataset.util import FreezeException

        self.assertRaises(FreezeException, Serializer, {}, {})
        s = Serializer(Export({'filename': 'f'}, {'mode': 'nomode'}), '')
        self.assertRaises(FreezeException, getattr, s, 'wrap')
        s = Serializer(Export({'filename': 'f'}, {}), '')
        s.wrap
        s = Serializer(Export({'filename': '-'}, {}), '')
        self.assertTrue(s.fileobj)
Esempio n. 2
0
 def test_with_config(self):
     cfg = Configuration(
         os.path.join(os.path.dirname(__file__), 'Freezefile.yaml'))
     cfg.data['common']['database'] = self.db
     cfg.data['common']['prefix'] = self.d
     cfg.data['common']['query'] = 'SELECT * FROM weather'
     cfg.data['exports'] = [{
         'filename': '{{identity:count}}.json',
         'mode': 'item',
         'transform': {
             'bool': 'identity'
         }
     }, {
         'filename': 'weather.json',
         'format': 'tabson'
     }, {
         'filename': 'weather.csv',
         'fileobj': StringIO(),
         'format': 'csv'
     }, {
         'filename': 'weather.json',
         'fileobj': StringIO(),
         'format': 'tabson'
     }, {
         'filename': 'weather.json',
         'format': 'tabson',
         'callback': 'read'
     }, {
         'skip': True
     }]
     freeze_with_config(cfg, db=self.db)
     self.assertRaises(
         FreezeException, freeze_export,
         Export(cfg.data['common'], {'query': 'SELECT * FROM notable'}))
Esempio n. 3
0
def freeze(result, format='csv', filename='freeze.csv',
           prefix='.', meta={}, indent=2, mode='list',
           wrap=True, callback=None, **kw):
    """
    Perform a data export of a given result set. This is a very
    flexible exporter, allowing for various output formats, metadata
    assignment, and file name templating to dump each record (or a set
    of records) into individual files.

    ::

        result = db['person'].all()
        dataset.freeze(result, format='json', filename='all-persons.json')
        
    If ``result`` is a table (rather than a result set), all records in
    the table are exported (as if ``result.all()`` had been called).


    freeze supports two values for ``mode``:

        *list* (default)
            The entire result set is dumped into a single file.

        *item*
            One file is created for each row in the result set.

    You should set a ``filename`` for the exported file(s). If ``mode``
    is set to *item* the function would generate one file per row. In
    that case you can  use values as placeholders in filenames::

            dataset.freeze(res, mode='item', format='json', filename='item-{{id}}.json')

    The following output ``format`` s are supported:

        *csv*
            Comma-separated values, first line contains column names.

        *json*
            A JSON file containing a list of dictionaries for each row
            in the table. If a ``callback`` is given, JSON with padding 
            (JSONP) will be generated.

        *tabson*
            Tabson is a smart combination of the space-efficiency of the
            CSV and the parsability and structure of JSON.

    """
    kw.update({
        'format': format,
        'filename': filename,
        'prefix': prefix,
        'meta': meta,
        'indent': indent,
        'callback': callback,
        'mode': mode,
        'wrap': wrap
    })
    records = result.all() if isinstance(result, Table) else result
    return freeze_export(Export({}, kw), result=records)
Esempio n. 4
0
def freeze(result, format='csv', filename='freeze.csv', fileobj=None,
           prefix='.', mode='list', **kw):
    """
    Perform a data export of a given result set. This is a very
    flexible exporter, allowing for various output formats, metadata
    assignment, and file name templating to dump each record (or a set
    of records) into individual files.

    ::

        result = db['person'].all()
        dataset.freeze(result, format='json', filename='all-persons.json')

    Instead of passing in the file name, you can also pass a file object::

        result = db['person'].all()
        fh = open('/dev/null', 'wb')
        dataset.freeze(result, format='json', fileobj=fh)

    Be aware that this will disable file name templating and store all
    results to the same file.

    If ``result`` is a table (rather than a result set), all records in
    the table are exported (as if ``result.all()`` had been called).


    freeze supports two values for ``mode``:

        *list* (default)
            The entire result set is dumped into a single file.

        *item*
            One file is created for each row in the result set.

    You should set a ``filename`` for the exported file(s). If ``mode``
    is set to *item* the function would generate one file per row. In
    that case you can  use values as placeholders in filenames::

            dataset.freeze(res, mode='item', format='json',
                           filename='item-{{id}}.json')

    The following output ``format`` s are supported:

        *csv*
            Comma-separated values, first line contains column names.

        *json*
            A JSON file containing a list of dictionaries for each row
            in the table. If a ``callback`` is given, JSON with padding
            (JSONP) will be generated.

        *tabson*
            Tabson is a smart combination of the space-efficiency of the
            CSV and the parsability and structure of JSON.

    You can pass additional named parameters specific to the used format.

        As an example, you can freeze to minified JSON with the following:

            dataset.freeze(res, format='json', indent=4, wrap=False,
                           filename='output.json')

        *json* and *tabson*
            *callback*:
                if provided, generate a JSONP string using the given callback
                function, i.e. something like `callback && callback({...})`

            *indent*:
                if *indent* is a non-negative integer (it is ``2`` by default
                when you call `dataset.freeze`, and ``None`` via the
                ``datafreeze`` command), then JSON array elements and object
                members will be pretty-printed with that indent level.
                An indent level of 0 will only insert newlines.
                ``None`` is the most compact representation.

            *meta*:
                if *meta* is not ``None`` (default: ``{}``), it will be included
                in the JSON output (for *json*, only if *wrap* is ``True``).

            *wrap* (only for *json*):
                if *wrap* is ``True`` (default), the JSON output is an object
                of the form ``{"count": 2, "results": [...]}``.
                if ``meta`` is not ``None``, a third property ``meta`` is added
                to the wrapping object, with this value.
    """
    kw.update({
        'format': format,
        'filename': filename,
        'fileobj': fileobj,
        'prefix': prefix,
        'mode': mode
    })

    # Special cases when freezing comes from dataset.freeze
    if format in ['json', 'tabson'] and 'indent' not in kw:
        kw['indent'] = 2

    records = result.all() if isinstance(result, Table) else result
    return freeze_export(Export({}, kw), result=records)