Flask-Caching Documentation

Size: px
Start display at page:

Download "Flask-Caching Documentation"

Transcription

1 Flask-Caching Documentation Release Thadeus Burgess, Peter Justin Nov 01, 2017

2

3 Contents 1 Installation 3 2 Set Up 5 3 Caching View Functions 7 4 Caching Other Functions 9 5 Memoization Deleting memoize cache Caching Jinja2 Snippets 13 7 Clearing Cache 15 8 Configuring Flask-Caching 17 9 Built-in Cache Backends NullCache SimpleCache FileSystemCache RedisCache MemcachedCache GAEMemcachedCache SASLMemcachedCache SpreadSASLMemcachedCache Custom Cache Backends API Additional Information Changelog License Python Module Index 35 i

4 ii

5 Flask-Caching is an extension to Flask that adds caching support for various backends to any Flask application. Besides providing support for all of werkzeug s supported caching backends through a uniformed API, it is also possible to develop your own caching backend by subclassing werkzeug.contrib.cache.basecache class. Contents 1

6 2 Contents

7 CHAPTER 1 Installation Install the extension with one of the following commands: $ easy_install Flask-Caching or alternatively if you have pip installed: $ pip install Flask-Caching 3

8 4 Chapter 1. Installation

9 CHAPTER 2 Set Up Cache is managed through a Cache instance: from flask import Flask from flask_caching import Cache app = Flask( name ) # Check Configuring Flask-Caching section for more details cache = Cache(app, config={'cache_type': 'simple'}) You may also set up your Cache instance later at configuration time using init_app method: cache = Cache(config={'CACHE_TYPE': 'simple'}) app = Flask( name ) cache.init_app(app) You may also provide an alternate configuration dictionary, useful if there will be multiple Cache instances each with a different backend.: #: Method A: During instantiation of class cache = Cache(config={'CACHE_TYPE': 'simple'}) #: Method B: During init_app call cache.init_app(app, config={'cache_type': 'simple'}) New in version

10 6 Chapter 2. Set Up

11 CHAPTER 3 Caching View Functions To cache view functions you will use the cached() decorator. This decorator will use request.path by default for def index(): return render_template('index.html') The cached decorator has another optional argument called unless. This argument accepts a callable that returns True or False. If unless returns True then it will bypass the caching mechanism entirely. Warning: When using cached on a view, take care to put it between Flask decorator and your function def index(): return 'Cached for 50s' If you reverse both decorator, what will be cached is the result decorator, and not the result of your view function. 7

12 8 Chapter 3. Caching View Functions

13 CHAPTER 4 Caching Other Functions Using the decorator you are able to cache the result of other non-view related functions. The only stipulation is that you replace the key_prefix, otherwise it will use the request.path cache_key. Keys control what should be fetched from the cache. If, for example, a key does not exist in the cache, a new key-value entry will be created in the cache. Otherwise the the value (i.e. the cached result) of the key will be key_prefix='all_comments') def get_all_comments(): comments = do_serious_dbio() return [x.author for x in comments] cached_comments = get_all_comments() 9

14 10 Chapter 4. Caching Other Functions

15 CHAPTER 5 Memoization See memoize() In memoization, the functions arguments are also included into the cache_key. Note: With functions that do not receive arguments, cached() and memoize() are effectively the same. Memoize is also designed for methods, since it will take into account the identity. of the self or cls argument as part of the cache key. The theory behind memoization is that if you have a function you need to call several times in one request, it would only be calculated the first time that function is called with those arguments. For example, an sqlalchemy object that determines if a user has a role. You might need to call this function many times during a single request. To keep from hitting the database every time this information is needed you might do something like the following: class def has_membership(self, role_id): return Group.query.filter_by(user=self, role_id=role_id).count() >= 1 Warning: Using mutable objects (classes, etc) as part of the cache key can become tricky. It is suggested to not pass in an object instance into a memoized function. However, the memoize does perform a repr() on the passed in arguments so that if the object has a repr function that returns a uniquely identifying string for that object, that will be used as part of the cache key. For example, an sqlalchemy person object that returns the database id as part of the unique identifier.: class Person(db.Model): def repr (self): return "%s(%s)" % (self. class. name, self.id) 11

16 5.1 Deleting memoize cache New in version 0.2. You might need to delete the cache on a per-function bases. Using the above example, lets say you change the users permissions and assign them to a role, but now you need to re-calculate if they have certain memberships or not. You can do this with the delete_memoized() function.: cache.delete_memoized(user_has_membership) Note: If only the function name is given as parameter, all the memoized versions of it will be invalidated. However, you can delete specific cache by providing the same parameter values as when caching. In following example only the user-role cache is deleted: user_has_membership('demo', 'admin') user_has_membership('demo', 'user') cache.delete_memoized(user_has_membership, 'demo', 'user') 12 Chapter 5. Memoization

17 CHAPTER 6 Caching Jinja2 Snippets Usage: {% cache [timeout [,[key1, [key2,...]]]] %}... {% endcache %} By default the value of path to template file + block start line is used as cache key. Also key name can be set manually. Keys are concated together into a single string. that can be used to avoid the same block evaluating in different templates. Set the timeout to None for no timeout, but with custom keys: {% cache None "key" %}... Set timeout to del to delete cached value: {% cache 'del' %}... If keys are provided, you may easily generate the template fragment key and delete it from outside of the template context: from flask_caching import make_template_fragment_key key = make_template_fragment_key("key1", vary_on=["key2", "key3"]) cache.delete(key) Example: Considering we have render_form_field and render_submit macroses. {% cache 60*5 %} <div> <form> {% render_form_field form.username %} {% render_submit %} </form> 13

18 </div> {% endcache %} 14 Chapter 6. Caching Jinja2 Snippets

19 CHAPTER 7 Clearing Cache See clear(). Here s an example script to empty your application s cache: from flask_caching import Cache from yourapp import app, your_cache_config cache = Cache() def main(): cache.init_app(app, config=your_cache_config) with app.app_context(): cache.clear() if name == ' main ': main() Warning: Some backend implementations do not support completely clearing the cache. Also, if you re not using a key prefix, some implementations (e.g. Redis) will flush the whole database. Make sure you re not storing any other data in your caching database. 15

20 16 Chapter 7. Clearing Cache

21 CHAPTER 8 Configuring Flask-Caching The following configuration values exist for Flask-Caching: 17

22 CACHE_TYPE Specifies which type of caching object to use. This is an import string that will be imported and instantiated. It is assumed that the import object is a function that will return a cache object that adheres to the werkzeug cache API. For werkzeug.contrib.cache objects, you do not need to specify the entire import string, just one of the following names. Built-in cache types: null: NullCache (default) simple: SimpleCache filesystem: FileSystemCache redis: RedisCache (Werkzeug >= 0.7 and redis required) uwsgi: UWSGICache (Werkzeug >= 0.12 and uwsgi required) memcached: MemcachedCache (pylibmc or memcache required) gaememcached: GAEMemcachedCache saslmemcached: SASLMemcachedCache (pylibmc required) spreadsaslmemcached: SpreadSASLMemcached- Cache (pylibmc required) CACHE_NO_NULL_WARNING Silents the warning message when using cache type of null. CACHE_ARGS Optional list to unpack and pass during the cache class instantiation. CACHE_OPTIONS Optional dictionary to pass during the cache class instantiation. CACHE_DEFAULT_TIMEOUT The default timeout that is used if no timeout is specified. Unit of time is seconds. CACHE_THRESHOLD The maximum number of items the cache will store before it starts deleting some. Used only for SimpleCache and FileSystemCache CACHE_KEY_PREFIX A prefix that is added before all keys. This makes it possible to use the same memcached server for different apps. Used only for RedisCache, MemcachedCache and GAE- MemcachedCache. CACHE_UWSGI_NAME The name of the uwsgi caching instance to connect to, for example: mycache@localhost:3031, defaults to an empty string, which means uwsgi will cache in the local instance. If the cache is in the same instance as the werkzeug app, you only have to provide the name of the cache. CACHE_MEMCACHED_SERVERS A list or a tuple of server addresses. Used only for MemcachedCache CACHE_MEMCACHED_USERNAME Username for SASL authentication with memcached. Used only for SASLMemcachedCache CACHE_MEMCACHED_PASSWORD Password for SASL authentication with memcached. Used only for SASLMemcachedCache CACHE_REDIS_HOST A Redis server host. Used only for RedisCache. CACHE_REDIS_PORT A Redis server port. Default is Used only for Redis- Cache. CACHE_REDIS_PASSWORD A Redis password for server. Used only for RedisCache. CACHE_REDIS_DB A Redis db (zero-based number index). Default is 0. Used only for RedisCache. CACHE_DIR Directory to store cache. Used only for FileSystemCache. CACHE_REDIS_URL URL to connect to Redis server. Example redis:// 18 user:password@localhost:6379/2. Used only for Chapter 8. Configuring Flask-Caching RedisCache.

23 In addition the standard Flask TESTING configuration option is used. If this is True then Flask-Caching will use NullCache only. 19

24 20 Chapter 8. Configuring Flask-Caching

25 CHAPTER 9 Built-in Cache Backends 9.1 NullCache Set CACHE_TYPE to null to use this type. Cache that doesn t cache CACHE_DEFAULT_TIMEOUT 9.2 SimpleCache Set CACHE_TYPE to simple to use this type. Uses a local python dictionary for caching. This is not really thread safe. Relevant configuration values CACHE_DEFAULT_TIMEOUT CACHE_THRESHOLD 9.3 FileSystemCache Set CACHE_TYPE to filesystem to use this type. Uses the filesystem to store cached values CACHE_DEFAULT_TIMEOUT CACHE_DIR CACHE_THRESHOLD CACHE_OPTIONS 21

26 There is a single valid entry in CACHE_OPTIONS: mode, which should be a 3 digit linux-style permissions octal mode. 9.4 RedisCache Set CACHE_TYPE to redis to use this type. CACHE_DEFAULT_TIMEOUT CACHE_KEY_PREFIX CACHE_REDIS_HOST CACHE_REDIS_PORT CACHE_REDIS_PASSWORD CACHE_REDIS_DB CACHE_OPTIONS CACHE_REDIS_URL Entries in CACHE_OPTIONS are passed to the redis client as **kwargs 9.5 MemcachedCache Set CACHE_TYPE to memcached to use this type. Uses a memcached server as a backend. Supports either pylibmc or memcache or google app engine memcache library. Relevant configuration values CACHE_DEFAULT_TIMEOUT CACHE_KEY_PREFIX CACHE_MEMCACHED_SERVERS Note: Werkzeug does not pass additional configuration options to memcached backends. To add additional configuration to these caches, directly set the configuration options on the object after instantiation: from flask_caching import Cache cache = Cache() # Can't configure the client yet... cache.init_app(flask_app, {"CACHE_TYPE": "memcached"}) # Break convention and set options on the _client object # directly. For pylibmc behaviors: cache.cache._client.behaviors({"tcp_nodelay": True}) Alternatively, see Custom Cache Backends. 22 Chapter 9. Built-in Cache Backends

27 9.6 GAEMemcachedCache Set CACHE_TYPE to gaememcached to use this type. Is MemcachedCache under a different name. 9.7 SASLMemcachedCache Set CACHE_TYPE to saslmemcached to use this type. Uses a memcached server as a backend. Intended to be used with a SASL enabled connection to the memcached server. pylibmc is required and SASL must be supported by libmemcached. Relevant configuration values CACHE_DEFAULT_TIMEOUT CACHE_KEY_PREFIX CACHE_MEMCACHED_SERVERS CACHE_MEMCACHED_USERNAME CACHE_MEMCACHED_PASSWORD CACHE_OPTIONS Note: Since the SASL Memcached cache types do not use the werkzeug built-in cache infrastructure, they can be configured with CACHE_OPTIONS. New in version SpreadSASLMemcachedCache Set CACHE_TYPE to spreadsaslmemcached to use this type. Same as SASLMemcachedCache however, it has the ablity to spread value across multiple keys if it is bigger than the memcached treshold which by default is 1M. Uses pickle. New in version Changed in version 1.1.0: Renamed spreadsaslmemcachedcache to spreadsaslmemcached for the sake of consistency GAEMemcachedCache 23

28 24 Chapter 9. Built-in Cache Backends

29 CHAPTER 10 Custom Cache Backends You are able to easily add your own custom cache backends by exposing a function that can instantiate and return a cache object. CACHE_TYPE will be the import string to your custom function. It should expect to receive three arguments. app args kwargs Your custom cache object must also subclass the werkzeug.contrib.cache.basecache class. Flask-Caching will make sure that threshold is already included in the kwargs options dictionary since it is common to all Base- Cache classes. An example Redis cache implementation: #: the_app/custom.py class RedisCache(BaseCache): def init (self, servers, default_timeout=500): pass def redis(app, config, args, kwargs): args.append(app.config['redis_servers']) return RedisCache(*args, **kwargs) With this example, your CACHE_TYPE might be the_app.custom.redis An example PylibMC cache implementation to change binary setting and provide username/password if SASL is enabled on the library: #: the_app/custom.py def pylibmccache(app, config, args, kwargs): return pylibmc.client(servers=config['cache_memcached_servers'], username=config['cache_memcached_username'], password=config['cache_memcached_password'], binary=true) 25

30 With this example, your CACHE_TYPE might be the_app.custom.pylibmccache 26 Chapter 10. Custom Cache Backends

31 CHAPTER 11 API 27

32 28 Chapter 11. API

33 CHAPTER 12 Additional Information 12.1 Changelog Version Add support for multiple query params and use md5 for consistent hashing. PR # Version Fix spreadsaslmemcached backend when using Python 3. Fix kwargs order when memoizing a function using Python 3.6 or greater. See # Version Avoid breakage for environments with Werkzeug<0.12 installed because the uwsgi backend depends on Werkzeug >=0.12. See # Version Add uwsgi Caching backend (requires Werkzeug >= 0.12) Provide a keyword query_string to the cached decorator in order to create the same cache key for different query string requests, so long as they have the same key/value (order does not matter). PR #35. Use pytest as test suite and test runner. Additionally, the tests have been split up into multiple files instead of having one big file. 29

34 Version Allows functions with kwargs to be memoized correctly. See # Version Fix PyPI Package distribution. See # Version Fix redis backend import mechanisim. See #14. Made backends a module to better control which cache backends to expose and moved our custom clients into a own module inside of the backends module. See also #14 (and partly some own changes). Some docs and test changes. See #8 and # Version The caching wrappers like add, set, etc are now returning the wrapped result as someone would expect. See # Version Changed the way of importing Flask-Cache. Instead of using the depreacted method for importing Flask Extensions (via flask.ext.cache), the name of the extension, flask_cache is used. Have a look at Flask s documentation for more information regarding this matter. This also fixes the deprecation warning from Flask. Lots of PEP8 and Documentation fixes. Renamed this fork Flask-Caching (flask_caching) as it will now be available on PyPI for download. In addition to the above mentioned fixes, following pull requests have been merged into this fork of Flask-Cache: #90 Update documentation: route decorator before cache #95 Pass the memoize parameters into unless(). #109 wrapped function called twice #117 Moves setting the app attribute to the _set_cache method #121 fix doc for delete_memoized #122 Added proxy for werkzeug get_dict #123 forced_update option to cache and memoize decorators #124 Fix handling utf8 key args (cherry-picked) #125 Fix unittest failing for redis unittest #127 Improve doc for on view #128 Doc for delete_memoized #129 tries replacing inspect.getargspec with either signature or getfullargspec if possible make_cache_key() returning incorrect key (cherry-picked) 30 Chapter 12. Additional Information

35 Version Port to Python >= 3.3 (requiring Python 2.6/2.7 for 2.x). Fixed bug with using per-memoize timeouts greater than the default timeout Added better support for per-instance memoization. Various bug fixes Version Changes jinja2 cache templates to use stable predictable keys. Previously the key for a cache tag included the line number of the template, which made it difficult to predict what the key would be outside of the application. Adds config variable CACHE_NO_NULL_WARNING to silence warning messages when using null cache as part of testing. Adds passthrough to clear entire cache backend Version Bugfix for using memoize on instance methods. The previous key was id(self), the new key is repr(self) Version Fail gracefully in production if cache backend raises an exception. Support for redis DB number Jinja2 templatetag cache now concats all args together into a single key instead of treating each arg as a separate key name. Added delete memcache version hash function Support for multiple cache objects on a single app again. Added SpreadSASLMemcached, if a value is greater than the memcached threshold which defaults to 1MB, this splits the value across multiple keys. Added support to use URL to connect to redis Version Added warning message when using cache type of null Changed imports to relative instead of absolute for AppEngine compatibility Version Added saslmemcached backend to support Memcached behind SASL authentication. Fixes a bug with memoize when the number of args!= number of kwargs Changelog 31

36 Version Bugfix with default kwargs Version Fixes broken memoized on functions that use default kwargs Version Fixes memoization to work on methods Version Migrated to the new flask extension naming convention of flask_cache instead of flaskext.cache Removed unnecessary dependencies in setup.py file. Documentation updates Version Allows multiple cache objects to be instantiated with different configuration values Version Memoization is now safer for multiple applications using the same backing store. Removed the explicit set of NullCache if the Flask app is set testing=true Swapped Conditional order for key_prefix Version Deleting memoized functions now properly functions in production environments where multiple instances of the application are running. get_memoized_names and get_memoized_keys have been removed. Added make_name to memoize, make_name is an optional callable that can be passed to memoize to modify the cache_key that gets generated. Added unless to memoize, this is the same as the unless parameter in cached memoization now converts all kwargs to positional arguments, this is so that when a function is called multiple ways, it would evaluate to the same cache_key Version Added attributes for uncached, make_cache_key, cache_timeout to the decorated functions. 32 Chapter 12. Additional Information

37 Version UTF-8 encoding of cache key key_prefix argument of the cached decorator now supports callables Version Uses base64 for memoize caching. This fixes rare issues where the cache_key was either a tuple or larger than the caching backend would be able to support. Adds support for deleting memoized caches optionally based on function parameters. Python 2.5 compatibility, plus bugfix with string.format. Added the ability to retrieve memoized function names or cache keys Version Bugfix release. Fixes a bug that would cause an exception if no CACHE_TYPE was supplied Version Pypi egg fix Version 0.3 CACHE_TYPE changed. Now one of [ null, simple, memcached, gaememcached, filesystem ], or an import string to a function that will instantiate a cache object. This allows Flask-Cache to be much more extensible and configurable Version 0.2 CACHE_TYPE now uses an import_string. Added CACHE_OPTIONS and CACHE_ARGS configuration values. Added delete_memoized Version 0.1 Initial public release 12.2 License Copyright (c) 2010 by Thadeus Burgess. Copyright (c) 2016 by Peter Justin. Some rights reserved License 33

38 Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * The names of the contributors may not be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. search 34 Chapter 12. Additional Information

39 Python Module Index f flask_caching, 3 35

40 36 Python Module Index

41 Index F flask_caching (module), 1 37

Flask-Sitemap Documentation

Flask-Sitemap Documentation Flask-Sitemap Documentation Release 0.3.0 CERN May 06, 2018 Contents 1 Contents 3 2 Installation 5 2.1 Requirements............................................... 5 3 Usage 7 3.1 Simple Example.............................................

More information

Cassette Documentation

Cassette Documentation Cassette Documentation Release 0.3.8 Charles-Axel Dein October 01, 2015 Contents 1 User s Guide 3 1.1 Foreword................................................. 3 1.2 Quickstart................................................

More information

DoJSON Documentation. Release Invenio collaboration

DoJSON Documentation. Release Invenio collaboration DoJSON Documentation Release 1.2.0 Invenio collaboration March 21, 2016 Contents 1 About 1 2 Installation 3 3 Documentation 5 4 Testing 7 5 Example 9 5.1 User s Guide...............................................

More information

monolith Documentation

monolith Documentation monolith Documentation Release 0.3.3 Łukasz Balcerzak December 16, 2013 Contents 1 Usage 3 1.1 Execution manager............................................ 3 1.2 Creating commands...........................................

More information

PyWin32ctypes Documentation

PyWin32ctypes Documentation PyWin32ctypes Documentation Release 0.1.3.dev1 David Cournapeau, Ioannis Tziakos Sep 01, 2017 Contents 1 Usage 3 2 Development setup 5 3 Reference 7 3.1 PyWin32 Compatibility Layer......................................

More information

Flask Gravatar. Release 0.5.0

Flask Gravatar. Release 0.5.0 Flask Gravatar Release 0.5.0 Jan 05, 2018 Contents 1 Contents 3 1.1 Installation................................................ 3 1.2 Usage................................................... 3 2 Parameters

More information

Open Source Used In TSP

Open Source Used In TSP Open Source Used In TSP 3.5.11 Cisco Systems, Inc. www.cisco.com Cisco has more than 200 offices worldwide. Addresses, phone numbers, and fax numbers are listed on the Cisco website at www.cisco.com/go/offices.

More information

pyserial-asyncio Documentation

pyserial-asyncio Documentation pyserial-asyncio Documentation Release 0.4 pyserial-team Feb 12, 2018 Contents 1 Short introduction 3 2 pyserial-asyncio API 5 2.1 asyncio.................................................. 5 3 Appendix

More information

Preface. Audience. Cisco IOS Software Documentation. Organization

Preface. Audience. Cisco IOS Software Documentation. Organization This preface describes the audience, organization, and conventions of this publication, and provides information on how to obtain related documentation. Cisco documentation and additional literature are

More information

HALCoGen TMS570LS31x Help: example_sci_uart_9600.c

HALCoGen TMS570LS31x Help: example_sci_uart_9600.c Page 1 of 6 example_sci_uart_9600.c This example code configures SCI and transmits a set of characters. An UART receiver can be used to receive this data. The scilin driver files should be generated with

More information

ProgressBar Abstract

ProgressBar Abstract Doc type here 1(21) ProgressBar Abstract The WireFlow progressbar module is an easy way to add progress bars to an application. It is easy to customize the look of the displayed progress window, since

More information

Scott Auge

Scott Auge Scott Auge sauge@amduus.com Amduus Information Works, Inc. http://www.amduus.com Page 1 of 14 LICENSE This is your typical BSD license. Basically it says do what you want with it - just don't sue me. Written

More information

django-generic-filters Documentation

django-generic-filters Documentation django-generic-filters Documentation Release 0.11.dev0 Novapost August 28, 2014 Contents 1 Example 3 2 Forms 5 3 Ressources 7 4 Contents 9 4.1 Demo project...............................................

More information

calio / form-input-nginx-module

calio / form-input-nginx-module https://github.com/ 1 of 5 2/17/2015 11:27 AM Explore Gist Blog Help itpp16 + calio / form-input-nginx-module 5 46 9 This is a nginx module that reads HTTP POST and PUT request body encoded in "application/x-www-formurlencoded",

More information

About This Guide. and with the Cisco Nexus 1010 Virtual Services Appliance: N1K-C1010

About This Guide. and with the Cisco Nexus 1010 Virtual Services Appliance: N1K-C1010 This guide describes how to use Cisco Network Analysis Module Traffic Analyzer 4.2 (NAM 4.2) software. This preface has the following sections: Chapter Overview, page xvi Audience, page xvii Conventions,

More information

spinnerchief Documentation Release 0.1.1

spinnerchief Documentation Release 0.1.1 spinnerchief Documentation Release 0.1.1 April 02, 2014 Contents i ii Spinner Chief is an online service for spinning text (synonym substitution) that creates unique version(s) of existing text. This

More information

iwrite technical manual iwrite authors and contributors Revision: 0.00 (Draft/WIP)

iwrite technical manual iwrite authors and contributors Revision: 0.00 (Draft/WIP) iwrite technical manual iwrite authors and contributors Revision: 0.00 (Draft/WIP) June 11, 2015 Chapter 1 Files This section describes the files iwrite utilizes. 1.1 report files An iwrite report consists

More information

Package fst. December 18, 2017

Package fst. December 18, 2017 Type Package Package fst December 18, 2017 Title Lightning Fast Serialization of Data Frames for R Multithreaded serialization of compressed data frames using the 'fst' format. The 'fst' format allows

More information

Static analysis for quality mobile applications

Static analysis for quality mobile applications Static analysis for quality mobile applications Julia Perdigueiro MOTODEV Studio for Android Project Manager Instituto de Pesquisas Eldorado Eric Cloninger Product Line Manager Motorola Mobility Life.

More information

NemHandel Referenceklient 2.3.1

NemHandel Referenceklient 2.3.1 OIO Service Oriented Infrastructure NemHandel Referenceklient 2.3.1 Release Notes Contents 1 Introduction... 3 2 Release Content... 3 3 What is changed?... 4 3.1 NemHandel Referenceklient version 2.3.1...

More information

PageScope Box Operator Ver. 3.2 User s Guide

PageScope Box Operator Ver. 3.2 User s Guide PageScope Box Operator Ver. 3.2 User s Guide Box Operator Contents 1 Introduction 1.1 System requirements...1-1 1.2 Restrictions...1-1 2 Installing Box Operator 2.1 Installation procedure...2-1 To install

More information

sptrans Documentation

sptrans Documentation sptrans Documentation Release 0.1.0 Diogo Baeder October 31, 2013 CONTENTS 1 Changelog 3 1.1 0.1.0................................................... 3 2 sptrans Package 5 2.1 v0 Module................................................

More information

MUMPS IO Documentation

MUMPS IO Documentation MUMPS IO Documentation Copyright (c) 1999, 2000, 2001, 2002, 2003 Raymond Douglas Newman. All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted

More information

openresty / encrypted-session-nginx-module

openresty / encrypted-session-nginx-module 1 of 13 2/5/2017 1:47 PM Pull requests Issues Gist openresty / encrypted-session-nginx-module Watch 26 127 26 Code Issues 7 Pull requests 1 Projects 0 Wiki Pulse Graphs encrypt and decrypt nginx variable

More information

Ecma International Policy on Submission, Inclusion and Licensing of Software

Ecma International Policy on Submission, Inclusion and Licensing of Software Ecma International Policy on Submission, Inclusion and Licensing of Software Experimental TC39 Policy This Ecma International Policy on Submission, Inclusion and Licensing of Software ( Policy ) is being

More information

MagicInfo Express Content Creator

MagicInfo Express Content Creator MagicInfo Express Content Creator MagicInfo Express Content Creator User Guide MagicInfo Express Content Creator is a program that allows you to conveniently create LFD content using a variety of templates.

More information

LabVIEW Driver. User guide Version

LabVIEW Driver. User guide Version LabVIEW Driver User guide Version 1.0.0 2016 Table of Contents Version History...3 Copyright...4 Software License...5 Operational Safety...6 Warranty and Support...7 Introduction...8 Requirements...9 How

More information

Documentation Roadmap for Cisco Prime LAN Management Solution 4.2

Documentation Roadmap for Cisco Prime LAN Management Solution 4.2 Documentation Roadmap for Cisco Prime LAN Thank you for purchasing Cisco Prime LAN Management Solution (LMS) 4.2. This document provides an introduction to the Cisco Prime LMS and lists the contents of

More information

Ecma International Policy on Submission, Inclusion and Licensing of Software

Ecma International Policy on Submission, Inclusion and Licensing of Software Ecma International Policy on Submission, Inclusion and Licensing of Software Experimental TC39 Policy This Ecma International Policy on Submission, Inclusion and Licensing of Software ( Policy ) is being

More information

System Log NextAge Consulting Pete Halsted

System Log NextAge Consulting Pete Halsted System Log NextAge Consulting Pete Halsted 110 East Center St. #1035 Madison, SD 57042 pete@thenextage.com www.thenextage.com www.thenextage.com/wordpress Table of Contents Table of Contents BSD 3 License

More information

Distinction Import Module User Guide. DISTINCTION.CO.UK

Distinction Import Module User Guide. DISTINCTION.CO.UK Distinction Import Module User Guide. Distinction Import Module. Licence: Copyright (c) 2018, Distinction Limited. All rights reserved. Redistribution and use in source and binary forms, with or without

More information

NemHandel Referenceklient 2.3.0

NemHandel Referenceklient 2.3.0 OIO Service Oriented Infrastructure OIO Service Oriented Infrastructure NemHandel Referenceklient 2.3.0 Release Notes Contents 1 Introduction... 3 2 Release Content... 3 3 What is changed?... 4 3.1 NemHandel

More information

openresty / array-var-nginx-module

openresty / array-var-nginx-module 1 of 6 2/17/2015 11:20 AM Explore Gist Blog Help itpp16 + openresty / array-var-nginx-module 4 22 4 Add support for array variables to nginx config files 47 commits 1 branch 4 releases 2 contributors array-var-nginx-module

More information

ANZ TRANSACTIVE MOBILE for ipad

ANZ TRANSACTIVE MOBILE for ipad ANZ TRANSACTIVE MOBILE for ipad CORPORATE CASH AND TRADE MANAGEMENT ON THE GO QUICK REFERENCE GUIDE April 2016 HOME SCREEN The home screen provides immediate visibility of your favourite accounts and transactions

More information

RPly Documentation. Release Alex Gaynor

RPly Documentation. Release Alex Gaynor RPly Documentation Release 0.7.4 Alex Gaynor December 18, 2016 Contents 1 User s Guide 3 1.1 Generating Lexers............................................ 3 1.2 Generating Parsers............................................

More information

python-hl7 Documentation

python-hl7 Documentation python-hl7 Documentation Release 0.2.4 John Paulett August 18, 2014 Contents 1 Usage 3 2 MLLP network client - mllp_send 5 3 Contents 7 3.1 python-hl7 API..............................................

More information

Package fst. June 7, 2018

Package fst. June 7, 2018 Type Package Package fst June 7, 2018 Title Lightning Fast Serialization of Data Frames for R Multithreaded serialization of compressed data frames using the 'fst' format. The 'fst' format allows for random

More information

APPLICATION NOTE. Atmel AT03261: SAM D20 System Interrupt Driver (SYSTEM INTERRUPT) SAM D20 System Interrupt Driver (SYSTEM INTERRUPT)

APPLICATION NOTE. Atmel AT03261: SAM D20 System Interrupt Driver (SYSTEM INTERRUPT) SAM D20 System Interrupt Driver (SYSTEM INTERRUPT) APPLICATION NOTE Atmel AT03261: SAM D20 System Interrupt Driver (SYSTEM INTERRUPT) ASF PROGRAMMERS MANUAL SAM D20 System Interrupt Driver (SYSTEM INTERRUPT) This driver for SAM D20 devices provides an

More information

Intel Stress Bitstreams and Encoder (Intel SBE) 2017 AVS2 Release Notes (Version 2.3)

Intel Stress Bitstreams and Encoder (Intel SBE) 2017 AVS2 Release Notes (Version 2.3) Intel Stress Bitstreams and Encoder (Intel SBE) 2017 AVS2 Release Notes (Version 2.3) Overview Changes History Installation Package Contents Known Limitations Attributions Legal Information Overview The

More information

ColdFusion Builder 3.2 Third Party Software Notices and/or Additional Terms and Conditions

ColdFusion Builder 3.2 Third Party Software Notices and/or Additional Terms and Conditions ColdFusion Builder 3.2 Third Party Software Notices and/or Additional Terms and Conditions Date Generated: 2018/09/10 Apache Tomcat ID: 306 Apache Foundation and Contributors This product includes software

More information

SMS2CMDB Project Summary v1.6

SMS2CMDB Project Summary v1.6 SMS2CMDB Project Summary v1.6 Project Abstract SMS2CMDB provides the capability to integrate Microsoft Systems Management Server (MS- SMS) data with BMC Atrium CMDB (Atrium CMDB) and the BMC Remedy Asset

More information

Explaining & Accessing the SPDX License List

Explaining & Accessing the SPDX License List Explaining & Accessing the SPDX License List SOFTWARE PACKAGE DATA EXCHANGE Gary O Neall Source Auditor Inc. Jilayne Lovejoy ARM August, 2014 Copyright Linux Foundation 2014 1 The SPDX License List 2 The

More information

Ryft REST API - Swagger.io

Ryft REST API - Swagger.io Ryft REST API - Swagger.io User Guide Ryft Document Number: 1192 Document Version: 1.1.0 Revision Date: June 2017 2017 Ryft Systems, Inc. All Rights in this documentation are reserved. RYFT SYSTEMS, INC.

More information

AccuTerm 7 Internet Edition Connection Designer Help. Copyright Schellenbach & Assoc., Inc.

AccuTerm 7 Internet Edition Connection Designer Help. Copyright Schellenbach & Assoc., Inc. AccuTerm 7 Internet Edition Connection Designer Help Contents 3 Table of Contents Foreword 0 Part I AccuTerm 7 Internet Edition 6 1 Description... 6 2 Connection... Designer 6 3 Internet... Client 6 4

More information

Open Source Used In Cisco Configuration Professional for Catalyst 1.0

Open Source Used In Cisco Configuration Professional for Catalyst 1.0 Open Source Used In Cisco Configuration Professional for Catalyst 1.0 Cisco Systems, Inc. www.cisco.com Cisco has more than 200 offices worldwide. Addresses, phone numbers, and fax numbers are listed on

More information

AT03262: SAM D/R/L/C System Pin Multiplexer (SYSTEM PINMUX) Driver. Introduction. SMART ARM-based Microcontrollers APPLICATION NOTE

AT03262: SAM D/R/L/C System Pin Multiplexer (SYSTEM PINMUX) Driver. Introduction. SMART ARM-based Microcontrollers APPLICATION NOTE SMART ARM-based Microcontrollers AT03262: SAM D/R/L/C System Pin Multiplexer (SYSTEM PINMUX) Driver APPLICATION NOTE Introduction This driver for Atmel SMART ARM -based microcontrollers provides an interface

More information

License, Rules, and Application Form

License, Rules, and Application Form Generic Interface for Cameras License, Rules, and Application Form GenICam_License.doc Page 1 of 11 Table of Contents 1 OVERVIEW... 4 2 SUBJECT OF THE GENICAM LICENSE... 4 3 RULES FOR STANDARD COMPLIANCY...

More information

US Government Users Restricted Rights - Use, duplication or disclosure restricted by GSA ADP Schedule Contract with IBM Corp.

US Government Users Restricted Rights - Use, duplication or disclosure restricted by GSA ADP Schedule Contract with IBM Corp. Service Data Objects (SDO) DFED Sample Application README Copyright IBM Corporation, 2012, 2013 US Government Users Restricted Rights - Use, duplication or disclosure restricted by GSA ADP Schedule Contract

More information

Cisco Embedded Automation Systems (EASy): Test Network Management Notifications

Cisco Embedded Automation Systems (EASy): Test Network Management Notifications Cisco Embedded Automation Systems (EASy): Test Network Management Notifications What You Will Learn This Embedded Automation Systems (EASy) package helps enable network administrators and operators to

More information

Denkh XML Reporter. Web Based Report Generation Software. Written By Scott Auge Amduus Information Works, Inc.

Denkh XML Reporter. Web Based Report Generation Software. Written By Scott Auge Amduus Information Works, Inc. Denkh XML Reporter Web Based Report Generation Software Written By Scott Auge sauge@amduus.com Page 1 of 13 Table of Contents License 3 What is it? 4 Basic Software Requirements 5 Basic Report Designer

More information

Table of Contents Overview...2 Selecting Post-Processing: ColorMap...3 Overview of Options Copyright, license, warranty/disclaimer...

Table of Contents Overview...2 Selecting Post-Processing: ColorMap...3 Overview of Options Copyright, license, warranty/disclaimer... 1 P a g e ColorMap Post-Processing Plugin for OpenPolScope software ColorMap processing with Pol-Acquisition and Pol-Analyzer plugin v. 2.0, Last Modified: April 16, 2013; Revision 1.00 Copyright, license,

More information

Installation. List Wrangler - Mailing List Manager for GTK+ Part I. 1 Requirements. By Frank Cox. September 3,

Installation. List Wrangler -  Mailing List Manager for GTK+ Part I. 1 Requirements. By Frank Cox. September 3, List Wrangler - Email Mailing List Manager for GTK+ By Frank Cox September 3, 2012 theatre@melvilletheatre.com Abstract Do you have a mailing list of people that you send periodic emails to? If so, List

More information

User Manual. Date Aug 30, Enertrax DAS Download Client

User Manual. Date Aug 30, Enertrax DAS Download Client EnertraxDL - DAS Download Client User Manual Date Aug 30, 2004 Page 1 Copyright Information Copyright 2004, Obvius Holdings, LLC. All rights reserved. Redistribution and use in source and binary forms,

More information

FLAMEBOSS 300 MANUAL

FLAMEBOSS 300 MANUAL FLAMEBOSS 300 MANUAL Version 2.1 Download latest at FlameBoss.com/manuals WARNING: Important Safety Instructions It is important for the safety of persons to follow these instructions. Save these instructions.

More information

DAP Controller FCO

DAP Controller FCO Release Note DAP Controller 6.40.0412 FCO 2016.046 System : Business Mobility IP DECT Date : 30 June 2016 Category : Maintenance Product Identity : DAP Controller 6.40.0412 Queries concerning this document

More information

SW MAPS TEMPLATE BUILDER. User s Manual

SW MAPS TEMPLATE BUILDER. User s Manual SW MAPS TEMPLATE BUILDER User s Manual Copyright (c) 2017 SOFTWEL (P) Ltd All rights reserved. Redistribution and use in binary forms, without modification, are permitted provided that the following conditions

More information

IETF TRUST. Legal Provisions Relating to IETF Documents. Approved November 6, Effective Date: November 10, 2008

IETF TRUST. Legal Provisions Relating to IETF Documents. Approved November 6, Effective Date: November 10, 2008 IETF TRUST Legal Provisions Relating to IETF Documents Approved November 6, 2008 Effective Date: November 10, 2008 1. Background The IETF Trust was formed on December 15, 2005, for, among other things,

More information

Business Rules NextAge Consulting Pete Halsted

Business Rules NextAge Consulting Pete Halsted Business Rules NextAge Consulting Pete Halsted 110 East Center St. #1035 Madison, SD 57042 pete@thenextage.com www.thenextage.com www.thenextage.com/wordpress Table of Contents Table of Contents BSD 3

More information

HYDROOBJECTS VERSION 1.1

HYDROOBJECTS VERSION 1.1 o HYDROOBJECTS VERSION 1.1 July, 2008 by: Tim Whiteaker Center for Research in Water Resources The University of Texas at Austin Distribution The HydroObjects software, source code, and documentation are

More information

AT11512: SAM L Brown Out Detector (BOD) Driver. Introduction. SMART ARM-based Microcontrollers APPLICATION NOTE

AT11512: SAM L Brown Out Detector (BOD) Driver. Introduction. SMART ARM-based Microcontrollers APPLICATION NOTE SMART ARM-based Microcontrollers AT11512: SAM L Brown Out Detector (BOD) Driver APPLICATION NOTE Introduction This driver for Atmel SMART ARM -based microcontrollers provides an interface for the configuration

More information

Open Source Used In c1101 and c1109 Cisco IOS XE Fuji

Open Source Used In c1101 and c1109 Cisco IOS XE Fuji Open Source Used In c1101 and c1109 Cisco IOS XE Fuji 16.8.1 Cisco Systems, Inc. www.cisco.com Cisco has more than 200 offices worldwide. Addresses, phone numbers, and fax numbers are listed on the Cisco

More information

Hyperscaler Storage. September 12, 2016

Hyperscaler Storage. September 12, 2016 Storage Networking Industry Association Technical White Paper Hyperscaler Storage Abstract: Hyperscaler storage customers typically build their own storage systems from commodity components. They have

More information

Migration Tool. Migration Tool (Beta) Technical Note

Migration Tool. Migration Tool (Beta) Technical Note Migration Tool (Beta) Technical Note VERSION: 6.0 UPDATED: MARCH 2016 Copyright Notices Copyright 2002-2016 KEMP Technologies, Inc.. All rights reserved.. KEMP Technologies and the KEMP Technologies logo

More information

File Servant User Manual

File Servant User Manual File Servant User Manual Serve files over FTP and HTTP - at the snap of a finger! File Servant is free software (see copyright notice below). This document was last revised Monday 28 February 2011. Creator:

More information

NTLM NTLM. Feature Description

NTLM NTLM. Feature Description Feature Description VERSION: 6.0 UPDATED: JULY 2016 Copyright Notices Copyright 2002-2016 KEMP Technologies, Inc.. All rights reserved.. KEMP Technologies and the KEMP Technologies logo are registered

More information

Encrypted Object Extension

Encrypted Object Extension Encrypted Object Extension ABSTRACT: "Publication of this Working Draft for review and comment has been approved by the Cloud Storage Technical Working Group. This draft represents a "best effort" attempt

More information

Use in High-Safety Applications

Use in High-Safety Applications ------ ScanSnap Organizer V5.6L20 README File ------ - Contents - 1. Cautions for using environment-dependent characters 2. Cautions Concerning Installation 3. Cautions Concerning the Operation 4. Connecting

More information

This file includes important notes on this product and also the additional information not included in the manuals.

This file includes important notes on this product and also the additional information not included in the manuals. --- fi Series PaperStream IP driver 1.42 README file --- Copyright PFU LIMITED 2013-2016 This file includes important notes on this product and also the additional information not included in the manuals.

More information

HYDRODESKTOP VERSION 1.4 QUICK START GUIDE

HYDRODESKTOP VERSION 1.4 QUICK START GUIDE HYDRODESKTOP VERSION 1.4 QUICK START GUIDE A guide to using this free and open source application for discovering, accessing, and using hydrologic data February 8, 2012 by: Tim Whiteaker Center for Research

More information

Copyright PFU LIMITED 2016

Copyright PFU LIMITED 2016 -------------------------------------------------------- PaperStream Capture Lite 1.0.1 README File -------------------------------------------------------- Copyright PFU LIMITED 2016 This file contains

More information

FLAME BOSS 200V2 & 300 MANUAL. Version 2.6 Download latest at FlameBoss.com/manuals

FLAME BOSS 200V2 & 300 MANUAL. Version 2.6 Download latest at FlameBoss.com/manuals FLAME BOSS 200V2 & 300 MANUAL Version 2.6 Download latest at FlameBoss.com/manuals WARNING: Important Safety Instructions It is important for the safety of persons to follow these instructions. Save these

More information

Crypto Application. version 1.2

Crypto Application. version 1.2 Crypto Application version 1.2 The Erlang/OTP SSL application includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/). Copyright (c) 1998-2002 The OpenSSL

More information

SORRENTO MANUAL. by Aziz Gulbeden

SORRENTO MANUAL. by Aziz Gulbeden SORRENTO MANUAL by Aziz Gulbeden September 13, 2004 Table of Contents SORRENTO SELF-ORGANIZING CLUSTER FOR PARALLEL DATA- INTENSIVE APPLICATIONS... 1 OVERVIEW... 1 COPYRIGHT... 1 SORRENTO WALKTHROUGH -

More information

IETF TRUST. Legal Provisions Relating to IETF Documents. February 12, Effective Date: February 15, 2009

IETF TRUST. Legal Provisions Relating to IETF Documents. February 12, Effective Date: February 15, 2009 IETF TRUST Legal Provisions Relating to IETF Documents February 12, 2009 Effective Date: February 15, 2009 1. Background The IETF Trust was formed on December 15, 2005, for, among other things, the purpose

More information

TWAIN driver User s Guide

TWAIN driver User s Guide 4037-9571-05 TWAIN driver User s Guide Contents 1 Introduction 1.1 System requirements...1-1 2 Installing the TWAIN Driver 2.1 Installation procedure...2-1 To install the software...2-1 2.2 Uninstalling...2-1

More information

Internet Connection Guide

Internet Connection Guide Internet Connection Guide v1.10 CVP-509/505/503/501 PSR-S910/S710 Enjoy your instrument with Internet Direct Connection This instrument can be directly connected to the Internet, conveniently letting you

More information

invenio-formatter Documentation

invenio-formatter Documentation invenio-formatter Documentation Release 1.0.0 CERN Mar 25, 2018 Contents 1 User s Guide 3 1.1 Installation................................................ 3 1.2 Configuration...............................................

More information

iphone/ipad Connection Manual

iphone/ipad Connection Manual For Electone users / Connection Manual By connecting your, or ipod touch to a compatible Electone and using the various dedicated applications, you can expand the potential of the Electone and make it

More information

Data Deduplication Metadata Extension

Data Deduplication Metadata Extension Data Deduplication Metadata Extension Version 1.1c ABSTRACT: This document describes a proposed extension to the SNIA Cloud Data Management Interface (CDMI) International Standard. Publication of this

More information

LoadMaster VMware Horizon (with View) 6. Deployment Guide

LoadMaster VMware Horizon (with View) 6. Deployment Guide LoadMaster VMware Horizon (with View) 6 Deployment Guide VERSION: 6.0 UPDATED: MARCH 2016 Copyright Notices Copyright 2002-2016 KEMP Technologies, Inc.. All rights reserved.. KEMP Technologies and the

More information

PyQ Documentation. Release 3.8. Enlightenment Research, LLC.

PyQ Documentation. Release 3.8. Enlightenment Research, LLC. PyQ Documentation Release 3.8 Enlightenment Research, LLC. November 21, 2016 Contents 1 Quickstart 3 2 Table of Contents 5 2.1 Installation................................................ 5 2.1.1 OS Support...........................................

More information

nacelle Documentation

nacelle Documentation nacelle Documentation Release 0.4.1 Patrick Carey August 16, 2014 Contents 1 Standing on the shoulders of giants 3 2 Contents 5 2.1 Getting Started.............................................. 5 2.2

More information

TheGreenBow VPN Client ios User Guide

TheGreenBow VPN Client ios User Guide www.thegreenbow.com TheGreenBow VPN Client ios User Guide Property of TheGreenBow 2018 Table of Contents 1 Presentation... 3 1.1 TheGreenBow VPN Client... 3 1.2 TheGreenBow VPN Client main features...

More information

Fujitsu ScandAll PRO V2.1.5 README

Fujitsu ScandAll PRO V2.1.5 README -------------------------------------------------------- Fujitsu ScandAll PRO V2.1.5 README -------------------------------------------------------- Copyright PFU Limited 2007-2017 This file contains information

More information

micawber Documentation

micawber Documentation micawber Documentation Release 0.3.4 charles leifer Nov 29, 2017 Contents 1 examples 3 2 integration with web frameworks 5 2.1 Installation................................................ 5 2.2 Getting

More information

Kron Documentation. Release qtfkwk

Kron Documentation. Release qtfkwk Kron Documentation Release 1.6.12 qtfkwk November 22, 2016 Contents 1 Description 1 2 Features 3 3 Quick start 5 3.1 Install................................................... 5 3.2 Update..................................................

More information

GoldSim License Portal A User s Guide for Managing Your GoldSim Licenses

GoldSim License Portal A User s Guide for Managing Your GoldSim Licenses GoldSim License Portal A User s Guide for Managing Your GoldSim Licenses Copyright GoldSim Technology Group LLC, 1998-2016. All rights reserved. GoldSim is a registered trademark of GoldSim Technology

More information

The Cron service allows you to register STAF commands that will be executed at a specified time interval(s).

The Cron service allows you to register STAF commands that will be executed at a specified time interval(s). Cron Service User's Guide Version 1.2.6 Last updated: March 29, 2006 Overview The Cron service allows you to register STAF commands that will be executed at a specified time interval(s). Note that Cron

More information

Moodle. Moodle. Deployment Guide

Moodle. Moodle. Deployment Guide Moodle Deployment Guide VERSION: 6.0 UPDATED: MARCH 2016 Copyright Notices Copyright 2002-2016 KEMP Technologies, Inc.. All rights reserved.. KEMP Technologies and the KEMP Technologies logo are registered

More information

User Guide. Calibrated Software, Inc.

User Guide. Calibrated Software, Inc. User Guide Calibrated Software, Inc. Copyright 2008 Calibrated Software, Inc. All rights reserved. www.calibratedsoftware.com Your rights to the software are governed by the accompanying Software License

More information

This file includes important notes on this product and also the additional information not included in the manuals.

This file includes important notes on this product and also the additional information not included in the manuals. --- fi Series PaperStream IP driver 1.30 README file --- Copyright PFU LIMITED 2013-2015 This file includes important notes on this product and also the additional information not included in the manuals.

More information

Simba Cassandra ODBC Driver with SQL Connector

Simba Cassandra ODBC Driver with SQL Connector Simba Cassandra ODBC Driver with SQL Connector Last Revised: March 26, 2013 Simba Technologies Inc. Copyright 2012-2013 Simba Technologies Inc. All Rights Reserved. Information in this document is subject

More information

Grouper UI csrf xsrf prevention

Grouper UI csrf xsrf prevention Grouper UI csrf xsrf prevention Wiki Home Download Grouper Grouper Guides Community Contributions Developer Resources Grouper Website This is in Grouper 2.2 UI. btw, Ive heard this does not work with IE8.

More information

1 (5) APPLICATION NOTE SCA11H HTTP API SAMPLE CODE. Murata Electronics Oy SCA11H Doc.No Rev. 1

1 (5) APPLICATION NOTE SCA11H HTTP API SAMPLE CODE. Murata Electronics Oy SCA11H Doc.No Rev. 1 1 (5) APPLICATION NOTE SCA11H HTTP API SAMPLE CODE 2 (5) General Description This document describes a simple method for interfacing with the SCA11H BCG sensor node through HTTP API. The method is described

More information

Tenable Hardware Appliance Upgrade Guide

Tenable Hardware Appliance Upgrade Guide Tenable Hardware Appliance Upgrade Guide June 4, 2012 (Revision 3) The newest version of this document is available at the following URL: http://static.tenable.com/prod_docs/tenable_hardware_appliance_upgrade.pdf

More information

doubles Documentation

doubles Documentation doubles Documentation Release 1.1.0 Jimmy Cuadra August 23, 2015 Contents 1 Installation 3 2 Integration with test frameworks 5 2.1 Pytest................................................... 5 2.2 Nose...................................................

More information

Copyright PFU LIMITED

Copyright PFU LIMITED -------------------------------------------------------- PaperStream Capture 1.0.12 README File -------------------------------------------------------- Copyright PFU LIMITED 2013-2015 This file contains

More information

RSA Two Factor Authentication

RSA Two Factor Authentication RSA Two Factor Authentication Feature Description VERSION: 6.0 UPDATED: JULY 2016 Copyright Notices Copyright 2002-2016 KEMP Technologies, Inc.. All rights reserved.. KEMP Technologies and the KEMP Technologies

More information

Watch 4 Size v1.0 User Guide By LeeLu Soft 2013

Watch 4 Size v1.0 User Guide By LeeLu Soft 2013 Watch 4 Size v1.0 User Guide By LeeLu Soft 2013 Introduction Installation Start using W4S Selecting a folder to monitor Setting the threshold Setting actions Starting the monitor Live Log Using monitor

More information

DAP Controller FCO

DAP Controller FCO Release Note DAP Controller 6.61.0790 System : Business Mobility IP DECT Date : 20 December 2017 Category : General Release Product Identity : DAP Controller 6.61.0790 Queries concerning this document

More information