code
stringlengths 3
1.05M
| repo_name
stringlengths 4
116
| path
stringlengths 3
942
| language
stringclasses 30
values | license
stringclasses 15
values | size
int32 3
1.05M
|
---|---|---|---|---|---|
#ifndef MTF_MC_RSCV_H
#define MTF_MC_RSCV_H
#include "RSCV.h"
_MTF_BEGIN_NAMESPACE
class MCRSCV : public RSCV{
public:
MCRSCV(const ParamType *rscv_params = nullptr);
};
_MTF_END_NAMESPACE
#endif | abhineet123/MTF | AM/include/mtf/AM/MCRSCV.h | C | bsd-3-clause | 215 |
// Copyright 2014 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "chrome/browser/chromeos/timezone/timezone_request.h"
#include <string>
#include "base/json/json_reader.h"
#include "base/metrics/histogram.h"
#include "base/metrics/sparse_histogram.h"
#include "base/strings/string_number_conversions.h"
#include "base/strings/stringprintf.h"
#include "base/time/time.h"
#include "base/values.h"
#include "content/public/common/geoposition.h"
#include "google_apis/google_api_keys.h"
#include "net/base/escape.h"
#include "net/base/load_flags.h"
#include "net/http/http_status_code.h"
#include "net/url_request/url_fetcher.h"
#include "net/url_request/url_request_context_getter.h"
#include "net/url_request/url_request_status.h"
namespace chromeos {
namespace {
const char kDefaultTimezoneProviderUrl[] =
"https://maps.googleapis.com/maps/api/timezone/json?";
const char kKeyString[] = "key";
// Language parameter is unsupported for now.
// const char kLanguageString[] = "language";
const char kLocationString[] = "location";
const char kSensorString[] = "sensor";
const char kTimestampString[] = "timestamp";
const char kDstOffsetString[] = "dstOffset";
const char kRawOffsetString[] = "rawOffset";
const char kTimeZoneIdString[] = "timeZoneId";
const char kTimeZoneNameString[] = "timeZoneName";
const char kStatusString[] = "status";
const char kErrorMessageString[] = "error_message";
// Sleep between timezone request retry on HTTP error.
const unsigned int kResolveTimeZoneRetrySleepOnServerErrorSeconds = 5;
// Sleep between timezone request retry on bad server response.
const unsigned int kResolveTimeZoneRetrySleepBadResponseSeconds = 10;
struct StatusString2Enum {
const char* string;
TimeZoneResponseData::Status value;
};
const StatusString2Enum statusString2Enum[] = {
{"OK", TimeZoneResponseData::OK},
{"INVALID_REQUEST", TimeZoneResponseData::INVALID_REQUEST},
{"OVER_QUERY_LIMIT", TimeZoneResponseData::OVER_QUERY_LIMIT},
{"REQUEST_DENIED", TimeZoneResponseData::REQUEST_DENIED},
{"UNKNOWN_ERROR", TimeZoneResponseData::UNKNOWN_ERROR},
{"ZERO_RESULTS", TimeZoneResponseData::ZERO_RESULTS}, };
enum TimeZoneRequestEvent {
// NOTE: Do not renumber these as that would confuse interpretation of
// previously logged data. When making changes, also update the enum list
// in tools/metrics/histograms/histograms.xml to keep it in sync.
TIMEZONE_REQUEST_EVENT_REQUEST_START = 0,
TIMEZONE_REQUEST_EVENT_RESPONSE_SUCCESS = 1,
TIMEZONE_REQUEST_EVENT_RESPONSE_NOT_OK = 2,
TIMEZONE_REQUEST_EVENT_RESPONSE_EMPTY = 3,
TIMEZONE_REQUEST_EVENT_RESPONSE_MALFORMED = 4,
// NOTE: Add entries only immediately above this line.
TIMEZONE_REQUEST_EVENT_COUNT = 5
};
enum TimeZoneRequestResult {
// NOTE: Do not renumber these as that would confuse interpretation of
// previously logged data. When making changes, also update the enum list
// in tools/metrics/histograms/histograms.xml to keep it in sync.
TIMEZONE_REQUEST_RESULT_SUCCESS = 0,
TIMEZONE_REQUEST_RESULT_FAILURE = 1,
TIMEZONE_REQUEST_RESULT_SERVER_ERROR = 2,
TIMEZONE_REQUEST_RESULT_CANCELLED = 3,
// NOTE: Add entries only immediately above this line.
TIMEZONE_REQUEST_RESULT_COUNT = 4
};
// Too many requests (more than 1) mean there is a problem in implementation.
void RecordUmaEvent(TimeZoneRequestEvent event) {
UMA_HISTOGRAM_ENUMERATION(
"TimeZone.TimeZoneRequest.Event", event, TIMEZONE_REQUEST_EVENT_COUNT);
}
void RecordUmaResponseCode(int code) {
UMA_HISTOGRAM_SPARSE_SLOWLY("TimeZone.TimeZoneRequest.ResponseCode", code);
}
// Slow timezone resolve leads to bad user experience.
void RecordUmaResponseTime(base::TimeDelta elapsed, bool success) {
if (success) {
UMA_HISTOGRAM_TIMES("TimeZone.TimeZoneRequest.ResponseSuccessTime",
elapsed);
} else {
UMA_HISTOGRAM_TIMES("TimeZone.TimeZoneRequest.ResponseFailureTime",
elapsed);
}
}
void RecordUmaResult(TimeZoneRequestResult result, unsigned retries) {
UMA_HISTOGRAM_ENUMERATION(
"TimeZone.TimeZoneRequest.Result", result, TIMEZONE_REQUEST_RESULT_COUNT);
UMA_HISTOGRAM_SPARSE_SLOWLY("TimeZone.TimeZoneRequest.Retries", retries);
}
// Creates the request url to send to the server.
GURL TimeZoneRequestURL(const GURL& url,
const content::Geoposition& geoposition,
bool sensor) {
std::string query(url.query());
query += base::StringPrintf(
"%s=%f,%f", kLocationString, geoposition.latitude, geoposition.longitude);
if (url == DefaultTimezoneProviderURL()) {
std::string api_key = google_apis::GetAPIKey();
if (!api_key.empty()) {
query += "&";
query += kKeyString;
query += "=";
query += net::EscapeQueryParamValue(api_key, true);
}
}
if (!geoposition.timestamp.is_null()) {
query += base::StringPrintf(
"&%s=%ld", kTimestampString, geoposition.timestamp.ToTimeT());
}
query += "&";
query += kSensorString;
query += "=";
query += (sensor ? "true" : "false");
GURL::Replacements replacements;
replacements.SetQueryStr(query);
return url.ReplaceComponents(replacements);
}
void PrintTimeZoneError(const GURL& server_url,
const std::string& message,
TimeZoneResponseData* timezone) {
timezone->status = TimeZoneResponseData::REQUEST_ERROR;
timezone->error_message =
base::StringPrintf("TimeZone provider at '%s' : %s.",
server_url.GetOrigin().spec().c_str(),
message.c_str());
LOG(WARNING) << "TimeZoneRequest::GetTimeZoneFromResponse() : "
<< timezone->error_message;
}
// Parses the server response body. Returns true if parsing was successful.
// Sets |*timezone| to the parsed TimeZone if a valid timezone was received,
// otherwise leaves it unchanged.
bool ParseServerResponse(const GURL& server_url,
const std::string& response_body,
TimeZoneResponseData* timezone) {
DCHECK(timezone);
if (response_body.empty()) {
PrintTimeZoneError(server_url, "Server returned empty response", timezone);
RecordUmaEvent(TIMEZONE_REQUEST_EVENT_RESPONSE_EMPTY);
return false;
}
VLOG(1) << "TimeZoneRequest::ParseServerResponse() : Parsing response "
<< response_body;
// Parse the response, ignoring comments.
std::string error_msg;
scoped_ptr<base::Value> response_value(base::JSONReader::ReadAndReturnError(
response_body, base::JSON_PARSE_RFC, NULL, &error_msg));
if (response_value == NULL) {
PrintTimeZoneError(server_url, "JSONReader failed: " + error_msg, timezone);
RecordUmaEvent(TIMEZONE_REQUEST_EVENT_RESPONSE_MALFORMED);
return false;
}
const base::DictionaryValue* response_object = NULL;
if (!response_value->GetAsDictionary(&response_object)) {
PrintTimeZoneError(server_url,
"Unexpected response type : " +
base::StringPrintf("%u", response_value->GetType()),
timezone);
RecordUmaEvent(TIMEZONE_REQUEST_EVENT_RESPONSE_MALFORMED);
return false;
}
std::string status;
if (!response_object->GetStringWithoutPathExpansion(kStatusString, &status)) {
PrintTimeZoneError(server_url, "Missing status attribute.", timezone);
RecordUmaEvent(TIMEZONE_REQUEST_EVENT_RESPONSE_MALFORMED);
return false;
}
bool found = false;
for (size_t i = 0; i < arraysize(statusString2Enum); ++i) {
if (status != statusString2Enum[i].string)
continue;
timezone->status = statusString2Enum[i].value;
found = true;
break;
}
if (!found) {
PrintTimeZoneError(
server_url, "Bad status attribute value: '" + status + "'", timezone);
RecordUmaEvent(TIMEZONE_REQUEST_EVENT_RESPONSE_MALFORMED);
return false;
}
const bool status_ok = (timezone->status == TimeZoneResponseData::OK);
if (!response_object->GetDoubleWithoutPathExpansion(kDstOffsetString,
&timezone->dstOffset) &&
status_ok) {
PrintTimeZoneError(server_url, "Missing dstOffset attribute.", timezone);
RecordUmaEvent(TIMEZONE_REQUEST_EVENT_RESPONSE_MALFORMED);
return false;
}
if (!response_object->GetDoubleWithoutPathExpansion(kRawOffsetString,
&timezone->rawOffset) &&
status_ok) {
PrintTimeZoneError(server_url, "Missing rawOffset attribute.", timezone);
RecordUmaEvent(TIMEZONE_REQUEST_EVENT_RESPONSE_MALFORMED);
return false;
}
if (!response_object->GetStringWithoutPathExpansion(kTimeZoneIdString,
&timezone->timeZoneId) &&
status_ok) {
PrintTimeZoneError(server_url, "Missing timeZoneId attribute.", timezone);
RecordUmaEvent(TIMEZONE_REQUEST_EVENT_RESPONSE_MALFORMED);
return false;
}
if (!response_object->GetStringWithoutPathExpansion(
kTimeZoneNameString, &timezone->timeZoneName) &&
status_ok) {
PrintTimeZoneError(server_url, "Missing timeZoneName attribute.", timezone);
RecordUmaEvent(TIMEZONE_REQUEST_EVENT_RESPONSE_MALFORMED);
return false;
}
// "error_message" field is optional. Ignore result.
response_object->GetStringWithoutPathExpansion(kErrorMessageString,
&timezone->error_message);
return true;
}
// Attempts to extract a position from the response. Detects and indicates
// various failure cases.
scoped_ptr<TimeZoneResponseData> GetTimeZoneFromResponse(
bool http_success,
int status_code,
const std::string& response_body,
const GURL& server_url) {
scoped_ptr<TimeZoneResponseData> timezone(new TimeZoneResponseData);
// HttpPost can fail for a number of reasons. Most likely this is because
// we're offline, or there was no response.
if (!http_success) {
PrintTimeZoneError(server_url, "No response received", timezone.get());
RecordUmaEvent(TIMEZONE_REQUEST_EVENT_RESPONSE_EMPTY);
return timezone.Pass();
}
if (status_code != net::HTTP_OK) {
std::string message = "Returned error code ";
message += base::IntToString(status_code);
PrintTimeZoneError(server_url, message, timezone.get());
RecordUmaEvent(TIMEZONE_REQUEST_EVENT_RESPONSE_NOT_OK);
return timezone.Pass();
}
if (!ParseServerResponse(server_url, response_body, timezone.get()))
return timezone.Pass();
RecordUmaEvent(TIMEZONE_REQUEST_EVENT_RESPONSE_SUCCESS);
return timezone.Pass();
}
} // namespace
TimeZoneResponseData::TimeZoneResponseData()
: dstOffset(0), rawOffset(0), status(ZERO_RESULTS) {
}
GURL DefaultTimezoneProviderURL() {
return GURL(kDefaultTimezoneProviderUrl);
}
TimeZoneRequest::TimeZoneRequest(
net::URLRequestContextGetter* url_context_getter,
const GURL& service_url,
const content::Geoposition& geoposition,
bool sensor,
base::TimeDelta retry_timeout)
: url_context_getter_(url_context_getter),
service_url_(service_url),
geoposition_(geoposition),
sensor_(sensor),
retry_timeout_abs_(base::Time::Now() + retry_timeout),
retries_(0) {
}
TimeZoneRequest::~TimeZoneRequest() {
DCHECK(thread_checker_.CalledOnValidThread());
// If callback is not empty, request is cancelled.
if (!callback_.is_null()) {
RecordUmaResponseTime(base::Time::Now() - request_started_at_, false);
RecordUmaResult(TIMEZONE_REQUEST_RESULT_CANCELLED, retries_);
}
}
void TimeZoneRequest::StartRequest() {
DCHECK(thread_checker_.CalledOnValidThread());
RecordUmaEvent(TIMEZONE_REQUEST_EVENT_REQUEST_START);
request_started_at_ = base::Time::Now();
++retries_;
url_fetcher_.reset(
net::URLFetcher::Create(request_url_, net::URLFetcher::GET, this));
url_fetcher_->SetRequestContext(url_context_getter_);
url_fetcher_->SetLoadFlags(net::LOAD_BYPASS_CACHE |
net::LOAD_DISABLE_CACHE |
net::LOAD_DO_NOT_SAVE_COOKIES |
net::LOAD_DO_NOT_SEND_COOKIES |
net::LOAD_DO_NOT_SEND_AUTH_DATA);
url_fetcher_->Start();
}
void TimeZoneRequest::MakeRequest(TimeZoneResponseCallback callback) {
callback_ = callback;
request_url_ =
TimeZoneRequestURL(service_url_, geoposition_, false /* sensor */);
StartRequest();
}
void TimeZoneRequest::Retry(bool server_error) {
const base::TimeDelta delay = base::TimeDelta::FromSeconds(
server_error ? kResolveTimeZoneRetrySleepOnServerErrorSeconds
: kResolveTimeZoneRetrySleepBadResponseSeconds);
timezone_request_scheduled_.Start(
FROM_HERE, delay, this, &TimeZoneRequest::StartRequest);
}
void TimeZoneRequest::OnURLFetchComplete(const net::URLFetcher* source) {
DCHECK_EQ(url_fetcher_.get(), source);
net::URLRequestStatus status = source->GetStatus();
int response_code = source->GetResponseCode();
RecordUmaResponseCode(response_code);
std::string data;
source->GetResponseAsString(&data);
scoped_ptr<TimeZoneResponseData> timezone = GetTimeZoneFromResponse(
status.is_success(), response_code, data, source->GetURL());
const bool server_error =
!status.is_success() || (response_code >= 500 && response_code < 600);
url_fetcher_.reset();
DVLOG(1) << "TimeZoneRequest::OnURLFetchComplete(): timezone={"
<< timezone->ToStringForDebug() << "}";
const base::Time now = base::Time::Now();
const bool retry_timeout = (now >= retry_timeout_abs_);
const bool success = (timezone->status == TimeZoneResponseData::OK);
if (!success && !retry_timeout) {
Retry(server_error);
return;
}
RecordUmaResponseTime(base::Time::Now() - request_started_at_, success);
const TimeZoneRequestResult result =
(server_error ? TIMEZONE_REQUEST_RESULT_SERVER_ERROR
: (success ? TIMEZONE_REQUEST_RESULT_SUCCESS
: TIMEZONE_REQUEST_RESULT_FAILURE));
RecordUmaResult(result, retries_);
TimeZoneResponseCallback callback = callback_;
// Empty callback is used to identify "completed or not yet started request".
callback_.Reset();
// callback.Run() usually destroys TimeZoneRequest, because this is the way
// callback is implemented in TimeZoneProvider.
callback.Run(timezone.Pass(), server_error);
// "this" is already destroyed here.
}
std::string TimeZoneResponseData::ToStringForDebug() const {
static const char* const status2string[] = {
"OK",
"INVALID_REQUEST",
"OVER_QUERY_LIMIT",
"REQUEST_DENIED",
"UNKNOWN_ERROR",
"ZERO_RESULTS",
"REQUEST_ERROR"
};
return base::StringPrintf(
"dstOffset=%f, rawOffset=%f, timeZoneId='%s', timeZoneName='%s', "
"error_message='%s', status=%u (%s)",
dstOffset,
rawOffset,
timeZoneId.c_str(),
timeZoneName.c_str(),
error_message.c_str(),
(unsigned)status,
(status < arraysize(status2string) ? status2string[status] : "unknown"));
};
} // namespace chromeos
| patrickm/chromium.src | chrome/browser/chromeos/timezone/timezone_request.cc | C++ | bsd-3-clause | 15,268 |
/*
FreeRTOS V7.6.0 - Copyright (C) 2013 Real Time Engineers Ltd.
All rights reserved
VISIT http://www.FreeRTOS.org TO ENSURE YOU ARE USING THE LATEST VERSION.
***************************************************************************
* *
* FreeRTOS provides completely free yet professionally developed, *
* robust, strictly quality controlled, supported, and cross *
* platform software that has become a de facto standard. *
* *
* Help yourself get started quickly and support the FreeRTOS *
* project by purchasing a FreeRTOS tutorial book, reference *
* manual, or both from: http://www.FreeRTOS.org/Documentation *
* *
* Thank you! *
* *
***************************************************************************
This file is part of the FreeRTOS distribution.
FreeRTOS is free software; you can redistribute it and/or modify it under
the terms of the GNU General Public License (version 2) as published by the
Free Software Foundation >>!AND MODIFIED BY!<< the FreeRTOS exception.
>>! NOTE: The modification to the GPL is included to allow you to distribute
>>! a combined work that includes FreeRTOS without being obliged to provide
>>! the source code for proprietary components outside of the FreeRTOS
>>! kernel.
FreeRTOS 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. Full license text is available from the following
link: http://www.freertos.org/a00114.html
1 tab == 4 spaces!
***************************************************************************
* *
* Having a problem? Start by reading the FAQ "My application does *
* not run, what could be wrong?" *
* *
* http://www.FreeRTOS.org/FAQHelp.html *
* *
***************************************************************************
http://www.FreeRTOS.org - Documentation, books, training, latest versions,
license and Real Time Engineers Ltd. contact details.
http://www.FreeRTOS.org/plus - A selection of FreeRTOS ecosystem products,
including FreeRTOS+Trace - an indispensable productivity tool, a DOS
compatible FAT file system, and our tiny thread aware UDP/IP stack.
http://www.OpenRTOS.com - Real Time Engineers ltd license FreeRTOS to High
Integrity Systems to sell under the OpenRTOS brand. Low cost OpenRTOS
licenses offer ticketed support, indemnification and middleware.
http://www.SafeRTOS.com - High Integrity Systems also provide a safety
engineered and independently SIL3 certified version for use in safety and
mission critical applications that require provable dependability.
1 tab == 4 spaces!
*/
/**
* Create a single persistent task which periodically dynamically creates another
* four tasks. The original task is called the creator task, the four tasks it
* creates are called suicidal tasks.
*
* Two of the created suicidal tasks kill one other suicidal task before killing
* themselves - leaving just the original task remaining.
*
* The creator task must be spawned after all of the other demo application tasks
* as it keeps a check on the number of tasks under the scheduler control. The
* number of tasks it expects to see running should never be greater than the
* number of tasks that were in existence when the creator task was spawned, plus
* one set of four suicidal tasks. If this number is exceeded an error is flagged.
*
* \page DeathC death.c
* \ingroup DemoFiles
* <HR>
*/
/*
Changes from V2.0.0
+ Delay periods are now specified using variables and constants of
portTickType rather than unsigned long.
*/
#include <stdlib.h>
/* Scheduler include files. */
#include "FreeRTOS.h"
#include "task.h"
/* Demo program include files. */
#include "death.h"
#include "print.h"
#define deathSTACK_SIZE ( ( unsigned short ) 512 )
/* The task originally created which is responsible for periodically dynamically
creating another four tasks. */
static void vCreateTasks( void *pvParameters );
/* The task function of the dynamically created tasks. */
static void vSuicidalTask( void *pvParameters );
/* A variable which is incremented every time the dynamic tasks are created. This
is used to check that the task is still running. */
static volatile short sCreationCount = 0;
/* Used to store the number of tasks that were originally running so the creator
task can tell if any of the suicidal tasks have failed to die. */
static volatile unsigned portBASE_TYPE uxTasksRunningAtStart = 0;
static const unsigned portBASE_TYPE uxMaxNumberOfExtraTasksRunning = 5;
/* Used to store a handle to the tasks that should be killed by a suicidal task,
before it kills itself. */
xTaskHandle xCreatedTask1, xCreatedTask2;
/*-----------------------------------------------------------*/
void vCreateSuicidalTasks( unsigned portBASE_TYPE uxPriority )
{
unsigned portBASE_TYPE *puxPriority;
/* Create the Creator tasks - passing in as a parameter the priority at which
the suicidal tasks should be created. */
puxPriority = ( unsigned portBASE_TYPE * ) pvPortMalloc( sizeof( unsigned portBASE_TYPE ) );
*puxPriority = uxPriority;
xTaskCreate( vCreateTasks, "CREATOR", deathSTACK_SIZE, ( void * ) puxPriority, uxPriority, NULL );
/* Record the number of tasks that are running now so we know if any of the
suicidal tasks have failed to be killed. */
uxTasksRunningAtStart = uxTaskGetNumberOfTasks();
}
/*-----------------------------------------------------------*/
static void vSuicidalTask( void *pvParameters )
{
portDOUBLE d1, d2;
xTaskHandle xTaskToKill;
const portTickType xDelay = ( portTickType ) 500 / portTICK_RATE_MS;
if( pvParameters != NULL )
{
/* This task is periodically created four times. Tow created tasks are
passed a handle to the other task so it can kill it before killing itself.
The other task is passed in null. */
xTaskToKill = *( xTaskHandle* )pvParameters;
}
else
{
xTaskToKill = NULL;
}
for( ;; )
{
/* Do something random just to use some stack and registers. */
d1 = 2.4;
d2 = 89.2;
d2 *= d1;
vTaskDelay( xDelay );
if( xTaskToKill != NULL )
{
/* Make sure the other task has a go before we delete it. */
vTaskDelay( ( portTickType ) 0 );
/* Kill the other task that was created by vCreateTasks(). */
vTaskDelete( xTaskToKill );
/* Kill ourselves. */
vTaskDelete( NULL );
}
}
}/*lint !e818 !e550 Function prototype must be as per standard for task functions. */
/*-----------------------------------------------------------*/
static void vCreateTasks( void *pvParameters )
{
const portTickType xDelay = ( portTickType ) 1000 / portTICK_RATE_MS;
unsigned portBASE_TYPE uxPriority;
const char * const pcTaskStartMsg = "Create task started.\r\n";
/* Queue a message for printing to say the task has started. */
vPrintDisplayMessage( &pcTaskStartMsg );
uxPriority = *( unsigned portBASE_TYPE * ) pvParameters;
vPortFree( pvParameters );
for( ;; )
{
/* Just loop round, delaying then creating the four suicidal tasks. */
vTaskDelay( xDelay );
xTaskCreate( vSuicidalTask, "SUICIDE1", deathSTACK_SIZE, NULL, uxPriority, &xCreatedTask1 );
xTaskCreate( vSuicidalTask, "SUICIDE2", deathSTACK_SIZE, &xCreatedTask1, uxPriority, NULL );
xTaskCreate( vSuicidalTask, "SUICIDE1", deathSTACK_SIZE, NULL, uxPriority, &xCreatedTask2 );
xTaskCreate( vSuicidalTask, "SUICIDE2", deathSTACK_SIZE, &xCreatedTask2, uxPriority, NULL );
++sCreationCount;
}
}
/*-----------------------------------------------------------*/
/* This is called to check that the creator task is still running and that there
are not any more than four extra tasks. */
portBASE_TYPE xIsCreateTaskStillRunning( void )
{
static short sLastCreationCount = 0;
short sReturn = pdTRUE;
unsigned portBASE_TYPE uxTasksRunningNow;
if( sLastCreationCount == sCreationCount )
{
sReturn = pdFALSE;
}
uxTasksRunningNow = uxTaskGetNumberOfTasks();
if( uxTasksRunningNow < uxTasksRunningAtStart )
{
sReturn = pdFALSE;
}
else if( ( uxTasksRunningNow - uxTasksRunningAtStart ) > uxMaxNumberOfExtraTasksRunning )
{
sReturn = pdFALSE;
}
else
{
/* Everything is okay. */
}
return sReturn;
}
| jedediahfrey/STM32F4-Discovery_FW_V1.1.0_Makefiles | FreeRTOS/FreeRTOS/Demo/Common/Full/death.c | C | bsd-3-clause | 9,302 |
[clappr](../../index.md) / [io.clappr.player.base](../index.md) / [InternalEvent](index.md) / [DID_DESTROY](./-d-i-d_-d-e-s-t-r-o-y.md)
# DID_DESTROY
`DID_DESTROY`
### Inherited Properties
| Name | Summary |
|---|---|
| [value](value.md) | `val value: `[`String`](https://kotlinlang.org/api/latest/jvm/stdlib/kotlin/-string/index.html) |
| clappr/clappr-android | doc/clappr/io.clappr.player.base/-internal-event/-d-i-d_-d-e-s-t-r-o-y.md | Markdown | bsd-3-clause | 342 |
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8" />
<meta name="viewport" content="width=device-width, initial-scale=1.0" />
<meta name="viewport" content="width=device-width,initial-scale=1">
<meta http-equiv="x-ua-compatible" content="ie=edge">
<meta name="lang:clipboard.copy" content="Copy to clipboard">
<meta name="lang:clipboard.copied" content="Copied to clipboard">
<meta name="lang:search.language" content="en">
<meta name="lang:search.pipeline.stopwords" content="True">
<meta name="lang:search.pipeline.trimmer" content="True">
<meta name="lang:search.result.none" content="No matching documents">
<meta name="lang:search.result.one" content="1 matching document">
<meta name="lang:search.result.other" content="# matching documents">
<meta name="lang:search.tokenizer" content="[\s\-]+">
<link href="https://fonts.gstatic.com/" rel="preconnect" crossorigin>
<link href="https://fonts.googleapis.com/css?family=Roboto+Mono:400,500,700|Roboto:300,400,400i,700&display=fallback" rel="stylesheet">
<style>
body,
input {
font-family: "Roboto", "Helvetica Neue", Helvetica, Arial, sans-serif
}
code,
kbd,
pre {
font-family: "Roboto Mono", "Courier New", Courier, monospace
}
</style>
<link rel="stylesheet" href="../_static/stylesheets/application.css"/>
<link rel="stylesheet" href="../_static/stylesheets/application-palette.css"/>
<link rel="stylesheet" href="../_static/stylesheets/application-fixes.css"/>
<link rel="stylesheet" href="../_static/fonts/material-icons.css"/>
<meta name="theme-color" content="#3f51b5">
<script src="../_static/javascripts/modernizr.js"></script>
<title>statsmodels.tsa.ar_model.AutoRegResults.wald_test_terms — statsmodels</title>
<link rel="icon" type="image/png" sizes="32x32" href="../_static/icons/favicon-32x32.png">
<link rel="icon" type="image/png" sizes="16x16" href="../_static/icons/favicon-16x16.png">
<link rel="manifest" href="../_static/icons/site.webmanifest">
<link rel="mask-icon" href="../_static/icons/safari-pinned-tab.svg" color="#919191">
<meta name="msapplication-TileColor" content="#2b5797">
<meta name="msapplication-config" content="../_static/icons/browserconfig.xml">
<link rel="stylesheet" href="../_static/stylesheets/examples.css">
<link rel="stylesheet" href="../_static/stylesheets/deprecation.css">
<link rel="stylesheet" type="text/css" href="../_static/pygments.css" />
<link rel="stylesheet" type="text/css" href="../_static/material.css" />
<link rel="stylesheet" type="text/css" href="../_static/graphviz.css" />
<link rel="stylesheet" type="text/css" href="../_static/plot_directive.css" />
<script data-url_root="../" id="documentation_options" src="../_static/documentation_options.js"></script>
<script src="../_static/jquery.js"></script>
<script src="../_static/underscore.js"></script>
<script src="../_static/doctools.js"></script>
<script crossorigin="anonymous" integrity="sha256-Ae2Vz/4ePdIu6ZyI/5ZGsYnb+m0JlOmKPjt6XZ9JJkA=" src="https://cdnjs.cloudflare.com/ajax/libs/require.js/2.3.4/require.min.js"></script>
<link rel="shortcut icon" href="../_static/favicon.ico"/>
<link rel="author" title="About these documents" href="../about.html" />
<link rel="index" title="Index" href="../genindex.html" />
<link rel="search" title="Search" href="../search.html" />
<link rel="next" title="statsmodels.tsa.ar_model.AutoRegResults.aic" href="statsmodels.tsa.ar_model.AutoRegResults.aic.html" />
<link rel="prev" title="statsmodels.tsa.ar_model.AutoRegResults.wald_test" href="statsmodels.tsa.ar_model.AutoRegResults.wald_test.html" />
</head>
<body dir=ltr
data-md-color-primary=indigo data-md-color-accent=blue>
<svg class="md-svg">
<defs data-children-count="0">
<svg xmlns="http://www.w3.org/2000/svg" width="416" height="448" viewBox="0 0 416 448" id="__github"><path fill="currentColor" d="M160 304q0 10-3.125 20.5t-10.75 19T128 352t-18.125-8.5-10.75-19T96 304t3.125-20.5 10.75-19T128 256t18.125 8.5 10.75 19T160 304zm160 0q0 10-3.125 20.5t-10.75 19T288 352t-18.125-8.5-10.75-19T256 304t3.125-20.5 10.75-19T288 256t18.125 8.5 10.75 19T320 304zm40 0q0-30-17.25-51T296 232q-10.25 0-48.75 5.25Q229.5 240 208 240t-39.25-2.75Q130.75 232 120 232q-29.5 0-46.75 21T56 304q0 22 8 38.375t20.25 25.75 30.5 15 35 7.375 37.25 1.75h42q20.5 0 37.25-1.75t35-7.375 30.5-15 20.25-25.75T360 304zm56-44q0 51.75-15.25 82.75-9.5 19.25-26.375 33.25t-35.25 21.5-42.5 11.875-42.875 5.5T212 416q-19.5 0-35.5-.75t-36.875-3.125-38.125-7.5-34.25-12.875T37 371.5t-21.5-28.75Q0 312 0 260q0-59.25 34-99-6.75-20.5-6.75-42.5 0-29 12.75-54.5 27 0 47.5 9.875t47.25 30.875Q171.5 96 212 96q37 0 70 8 26.25-20.5 46.75-30.25T376 64q12.75 25.5 12.75 54.5 0 21.75-6.75 42 34 40 34 99.5z"/></svg>
</defs>
</svg>
<input class="md-toggle" data-md-toggle="drawer" type="checkbox" id="__drawer">
<input class="md-toggle" data-md-toggle="search" type="checkbox" id="__search">
<label class="md-overlay" data-md-component="overlay" for="__drawer"></label>
<a href="#generated/statsmodels.tsa.ar_model.AutoRegResults.wald_test_terms" tabindex="1" class="md-skip"> Skip to content </a>
<header class="md-header" data-md-component="header">
<nav class="md-header-nav md-grid">
<div class="md-flex navheader">
<div class="md-flex__cell md-flex__cell--shrink">
<a href="../index.html" title="statsmodels"
class="md-header-nav__button md-logo">
<img src="../_static/statsmodels-logo-v2-bw.svg" height="26"
alt="statsmodels logo">
</a>
</div>
<div class="md-flex__cell md-flex__cell--shrink">
<label class="md-icon md-icon--menu md-header-nav__button" for="__drawer"></label>
</div>
<div class="md-flex__cell md-flex__cell--stretch">
<div class="md-flex__ellipsis md-header-nav__title" data-md-component="title">
<span class="md-header-nav__topic">statsmodels v0.13.0</span>
<span class="md-header-nav__topic"> statsmodels.tsa.ar_model.AutoRegResults.wald_test_terms </span>
</div>
</div>
<div class="md-flex__cell md-flex__cell--shrink">
<label class="md-icon md-icon--search md-header-nav__button" for="__search"></label>
<div class="md-search" data-md-component="search" role="dialog">
<label class="md-search__overlay" for="__search"></label>
<div class="md-search__inner" role="search">
<form class="md-search__form" action="../search.html" method="get" name="search">
<input type="text" class="md-search__input" name="q" placeholder="Search"
autocapitalize="off" autocomplete="off" spellcheck="false"
data-md-component="query" data-md-state="active">
<label class="md-icon md-search__icon" for="__search"></label>
<button type="reset" class="md-icon md-search__icon" data-md-component="reset" tabindex="-1">

</button>
</form>
<div class="md-search__output">
<div class="md-search__scrollwrap" data-md-scrollfix>
<div class="md-search-result" data-md-component="result">
<div class="md-search-result__meta">
Type to start searching
</div>
<ol class="md-search-result__list"></ol>
</div>
</div>
</div>
</div>
</div>
</div>
<div class="md-flex__cell md-flex__cell--shrink">
<div class="md-header-nav__source">
<a href="https://github.com/statsmodels/statsmodels" title="Go to repository" class="md-source" data-md-source="github">
<div class="md-source__icon">
<svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" viewBox="0 0 24 24" width="28" height="28">
<use xlink:href="#__github" width="24" height="24"></use>
</svg>
</div>
<div class="md-source__repository">
statsmodels
</div>
</a>
</div>
</div>
<script src="../_static/javascripts/version_dropdown.js"></script>
<script>
var json_loc = "../../versions-v2.json",
target_loc = "../../",
text = "Versions";
$( document ).ready( add_version_dropdown(json_loc, target_loc, text));
</script>
</div>
</nav>
</header>
<div class="md-container">
<nav class="md-tabs" data-md-component="tabs">
<div class="md-tabs__inner md-grid">
<ul class="md-tabs__list">
<li class="md-tabs__item"><a href="../user-guide.html" class="md-tabs__link">User Guide</a></li>
<li class="md-tabs__item"><a href="../tsa.html" class="md-tabs__link">Time Series analysis <code class="xref py py-mod docutils literal notranslate"><span class="pre">tsa</span></code></a></li>
<li class="md-tabs__item"><a href="statsmodels.tsa.ar_model.AutoRegResults.html" class="md-tabs__link">statsmodels.tsa.ar_model.AutoRegResults</a></li>
</ul>
</div>
</nav>
<main class="md-main">
<div class="md-main__inner md-grid" data-md-component="container">
<div class="md-sidebar md-sidebar--primary" data-md-component="navigation">
<div class="md-sidebar__scrollwrap">
<div class="md-sidebar__inner">
<nav class="md-nav md-nav--primary" data-md-level="0">
<label class="md-nav__title md-nav__title--site" for="__drawer">
<a href="../index.html" title="statsmodels" class="md-nav__button md-logo">
<img src="../_static/statsmodels-logo-v2-bw.svg" alt=" logo" width="48" height="48">
</a>
<a href="../index.html"
title="statsmodels">statsmodels v0.13.0</a>
</label>
<div class="md-nav__source">
<a href="https://github.com/statsmodels/statsmodels" title="Go to repository" class="md-source" data-md-source="github">
<div class="md-source__icon">
<svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" viewBox="0 0 24 24" width="28" height="28">
<use xlink:href="#__github" width="24" height="24"></use>
</svg>
</div>
<div class="md-source__repository">
statsmodels
</div>
</a>
</div>
<ul class="md-nav__list">
<li class="md-nav__item">
<a href="../install.html" class="md-nav__link">Installing statsmodels</a>
</li>
<li class="md-nav__item">
<a href="../gettingstarted.html" class="md-nav__link">Getting started</a>
</li>
<li class="md-nav__item">
<a href="../user-guide.html" class="md-nav__link">User Guide</a>
<ul class="md-nav__list">
<li class="md-nav__item">
<a href="../user-guide.html#background" class="md-nav__link">Background</a>
</li>
<li class="md-nav__item">
<a href="../user-guide.html#regression-and-linear-models" class="md-nav__link">Regression and Linear Models</a>
</li>
<li class="md-nav__item">
<a href="../user-guide.html#time-series-analysis" class="md-nav__link">Time Series Analysis</a>
<ul class="md-nav__list">
<li class="md-nav__item">
<a href="../tsa.html" class="md-nav__link">Time Series analysis <code class="xref py py-mod docutils literal notranslate"><span class="pre">tsa</span></code></a>
</li>
<li class="md-nav__item">
<a href="../statespace.html" class="md-nav__link">Time Series Analysis by State Space Methods <code class="xref py py-mod docutils literal notranslate"><span class="pre">statespace</span></code></a>
</li>
<li class="md-nav__item">
<a href="../vector_ar.html" class="md-nav__link">Vector Autoregressions <code class="xref py py-mod docutils literal notranslate"><span class="pre">tsa.vector_ar</span></code></a>
</li></ul>
</li>
<li class="md-nav__item">
<a href="../user-guide.html#other-models" class="md-nav__link">Other Models</a>
</li>
<li class="md-nav__item">
<a href="../user-guide.html#statistics-and-tools" class="md-nav__link">Statistics and Tools</a>
</li>
<li class="md-nav__item">
<a href="../user-guide.html#data-sets" class="md-nav__link">Data Sets</a>
</li>
<li class="md-nav__item">
<a href="../user-guide.html#sandbox" class="md-nav__link">Sandbox</a>
</li></ul>
</li>
<li class="md-nav__item">
<a href="../examples/index.html" class="md-nav__link">Examples</a>
</li>
<li class="md-nav__item">
<a href="../api.html" class="md-nav__link">API Reference</a>
</li>
<li class="md-nav__item">
<a href="../about.html" class="md-nav__link">About statsmodels</a>
</li>
<li class="md-nav__item">
<a href="../dev/index.html" class="md-nav__link">Developer Page</a>
</li>
<li class="md-nav__item">
<a href="../release/index.html" class="md-nav__link">Release Notes</a>
</li>
</ul>
</nav>
</div>
</div>
</div>
<div class="md-sidebar md-sidebar--secondary" data-md-component="toc">
<div class="md-sidebar__scrollwrap">
<div class="md-sidebar__inner">
<nav class="md-nav md-nav--secondary">
<ul class="md-nav__list" data-md-scrollfix="">
<li class="md-nav__item"><a class="md-nav__extra_link" href="../_sources/generated/statsmodels.tsa.ar_model.AutoRegResults.wald_test_terms.rst.txt">Show Source</a> </li>
<li id="searchbox" class="md-nav__item"></li>
</ul>
</nav>
</div>
</div>
</div>
<div class="md-content">
<article class="md-content__inner md-typeset" role="main">
<h1 id="generated-statsmodels-tsa-ar-model-autoregresults-wald-test-terms--page-root">statsmodels.tsa.ar_model.AutoRegResults.wald_test_terms<a class="headerlink" href="#generated-statsmodels-tsa-ar-model-autoregresults-wald-test-terms--page-root" title="Permalink to this headline">¶</a></h1>
<dl class="py method">
<dt class="sig sig-object py" id="statsmodels.tsa.ar_model.AutoRegResults.wald_test_terms">
<span class="sig-prename descclassname"><span class="pre">AutoRegResults.</span></span><span class="sig-name descname"><span class="pre">wald_test_terms</span></span><span class="sig-paren">(</span><em class="sig-param"><span class="n"><span class="pre">skip_single</span></span><span class="o"><span class="pre">=</span></span><span class="default_value"><span class="pre">False</span></span></em>, <em class="sig-param"><span class="n"><span class="pre">extra_constraints</span></span><span class="o"><span class="pre">=</span></span><span class="default_value"><span class="pre">None</span></span></em>, <em class="sig-param"><span class="n"><span class="pre">combine_terms</span></span><span class="o"><span class="pre">=</span></span><span class="default_value"><span class="pre">None</span></span></em><span class="sig-paren">)</span><a class="headerlink" href="#statsmodels.tsa.ar_model.AutoRegResults.wald_test_terms" title="Permalink to this definition">¶</a></dt>
<dd><p>Compute a sequence of Wald tests for terms over multiple columns.</p>
<p>This computes joined Wald tests for the hypothesis that all
coefficients corresponding to a <cite>term</cite> are zero.
<cite>Terms</cite> are defined by the underlying formula or by string matching.</p>
<dl class="field-list">
<dt class="field-odd">Parameters</dt>
<dd class="field-odd"><dl>
<dt><strong>skip_single</strong><span class="classifier"><a class="reference external" href="https://docs.python.org/3/library/stdtypes.html#bltin-boolean-values" title="(in Python v3.9)"><span class="xref std std-ref">bool</span></a></span></dt><dd><p>If true, then terms that consist only of a single column and,
therefore, refers only to a single parameter is skipped.
If false, then all terms are included.</p>
</dd>
<dt><strong>extra_constraints</strong><span class="classifier"><a class="reference external" href="https://numpy.org/doc/stable/reference/generated/numpy.ndarray.html#numpy.ndarray" title="(in NumPy v1.21)"><code class="xref py py-obj docutils literal notranslate"><span class="pre">ndarray</span></code></a></span></dt><dd><p>Additional constraints to test. Note that this input has not been
tested.</p>
</dd>
<dt><strong>combine_terms</strong><span class="classifier">{<a class="reference external" href="https://docs.python.org/3/library/stdtypes.html#list" title="(in Python v3.9)"><code class="docutils literal notranslate"><span class="pre">list</span></code></a>[<a class="reference external" href="https://docs.python.org/3/library/stdtypes.html#str" title="(in Python v3.9)"><code class="docutils literal notranslate"><span class="pre">str</span></code></a>], <a class="reference external" href="https://docs.python.org/3/library/constants.html#None" title="(in Python v3.9)"><code class="docutils literal notranslate"><span class="pre">None</span></code></a>}</span></dt><dd><p>Each string in this list is matched to the name of the terms or
the name of the exogenous variables. All columns whose name
includes that string are combined in one joint test.</p>
</dd>
</dl>
</dd>
<dt class="field-even">Returns</dt>
<dd class="field-even"><dl class="simple">
<dt><code class="xref py py-obj docutils literal notranslate"><span class="pre">WaldTestResults</span></code></dt><dd><p>The result instance contains <cite>table</cite> which is a pandas DataFrame
with the test results: test statistic, degrees of freedom and
pvalues.</p>
</dd>
</dl>
</dd>
</dl>
<p class="rubric">Examples</p>
<div class="doctest highlight-default notranslate"><div class="highlight"><pre><span></span><span class="gp">>>> </span><span class="n">res_ols</span> <span class="o">=</span> <span class="n">ols</span><span class="p">(</span><span class="s2">"np.log(Days+1) ~ C(Duration, Sum)*C(Weight, Sum)"</span><span class="p">,</span> <span class="n">data</span><span class="p">)</span><span class="o">.</span><span class="n">fit</span><span class="p">()</span>
<span class="gp">>>> </span><span class="n">res_ols</span><span class="o">.</span><span class="n">wald_test_terms</span><span class="p">()</span>
<span class="go"><class 'statsmodels.stats.contrast.WaldTestResults'></span>
<span class="go"> F P>F df constraint df denom</span>
<span class="go">Intercept 279.754525 2.37985521351e-22 1 51</span>
<span class="go">C(Duration, Sum) 5.367071 0.0245738436636 1 51</span>
<span class="go">C(Weight, Sum) 12.432445 3.99943118767e-05 2 51</span>
<span class="go">C(Duration, Sum):C(Weight, Sum) 0.176002 0.83912310946 2 51</span>
</pre></div>
</div>
<div class="doctest highlight-default notranslate"><div class="highlight"><pre><span></span><span class="gp">>>> </span><span class="n">res_poi</span> <span class="o">=</span> <span class="n">Poisson</span><span class="o">.</span><span class="n">from_formula</span><span class="p">(</span><span class="s2">"Days ~ C(Weight) * C(Duration)"</span><span class="p">,</span> <span class="n">data</span><span class="p">)</span><span class="o">.</span><span class="n">fit</span><span class="p">(</span><span class="n">cov_type</span><span class="o">=</span><span class="s1">'HC0'</span><span class="p">)</span>
<span class="gp">>>> </span><span class="n">wt</span> <span class="o">=</span> <span class="n">res_poi</span><span class="o">.</span><span class="n">wald_test_terms</span><span class="p">(</span><span class="n">skip_single</span><span class="o">=</span><span class="kc">False</span><span class="p">,</span> <span class="n">combine_terms</span><span class="o">=</span><span class="p">[</span><span class="s1">'Duration'</span><span class="p">,</span> <span class="s1">'Weight'</span><span class="p">])</span>
<span class="gp">>>> </span><span class="nb">print</span><span class="p">(</span><span class="n">wt</span><span class="p">)</span>
<span class="go"> chi2 P>chi2 df constraint</span>
<span class="go">Intercept 15.695625 7.43960374424e-05 1</span>
<span class="go">C(Weight) 16.132616 0.000313940174705 2</span>
<span class="go">C(Duration) 1.009147 0.315107378931 1</span>
<span class="go">C(Weight):C(Duration) 0.216694 0.897315972824 2</span>
<span class="go">Duration 11.187849 0.010752286833 3</span>
<span class="go">Weight 30.263368 4.32586407145e-06 4</span>
</pre></div>
</div>
</dd></dl>
</article>
</div>
</div>
</main>
</div>
<footer class="md-footer">
<div class="md-footer-nav">
<nav class="md-footer-nav__inner md-grid">
<a href="statsmodels.tsa.ar_model.AutoRegResults.wald_test.html" title="statsmodels.tsa.ar_model.AutoRegResults.wald_test"
class="md-flex md-footer-nav__link md-footer-nav__link--prev"
rel="prev">
<div class="md-flex__cell md-flex__cell--shrink">
<i class="md-icon md-icon--arrow-back md-footer-nav__button"></i>
</div>
<div class="md-flex__cell md-flex__cell--stretch md-footer-nav__title">
<span class="md-flex__ellipsis">
<span
class="md-footer-nav__direction"> Previous </span> statsmodels.tsa.ar_model.AutoRegResults.wald_test </span>
</div>
</a>
<a href="statsmodels.tsa.ar_model.AutoRegResults.aic.html" title="statsmodels.tsa.ar_model.AutoRegResults.aic"
class="md-flex md-footer-nav__link md-footer-nav__link--next"
rel="next">
<div class="md-flex__cell md-flex__cell--stretch md-footer-nav__title"><span
class="md-flex__ellipsis"> <span
class="md-footer-nav__direction"> Next </span> statsmodels.tsa.ar_model.AutoRegResults.aic </span>
</div>
<div class="md-flex__cell md-flex__cell--shrink"><i
class="md-icon md-icon--arrow-forward md-footer-nav__button"></i>
</div>
</a>
</nav>
</div>
<div class="md-footer-meta md-typeset">
<div class="md-footer-meta__inner md-grid">
<div class="md-footer-copyright">
<div class="md-footer-copyright__highlight">
© Copyright 2009-2019, Josef Perktold, Skipper Seabold, Jonathan Taylor, statsmodels-developers.
</div>
Last updated on
Oct 06, 2021.
<br/>
Created using
<a href="http://www.sphinx-doc.org/">Sphinx</a> 4.0.3.
and
<a href="https://github.com/bashtage/sphinx-material/">Material for
Sphinx</a>
</div>
</div>
</div>
</footer>
<script src="../_static/javascripts/application.js"></script>
<script>app.initialize({version: "1.0.4", url: {base: ".."}})</script>
</body>
</html> | statsmodels/statsmodels.github.io | v0.13.0/generated/statsmodels.tsa.ar_model.AutoRegResults.wald_test_terms.html | HTML | bsd-3-clause | 23,834 |
package com.krishagni.catissueplus.core.biospecimen.events;
import java.math.BigDecimal;
import java.util.Date;
import java.util.List;
import com.krishagni.catissueplus.core.administrative.events.StorageLocationSummary;
import com.krishagni.catissueplus.core.common.events.UserSummary;
import com.krishagni.catissueplus.core.de.events.ExtensionDetail;
public class SpecimenAliquotsSpec {
private Long parentId;
private String parentLabel;
private String derivedReqCode;
private String cpShortTitle;
private Integer noOfAliquots;
private String labels;
private String barcodes;
private BigDecimal qtyPerAliquot;
private String specimenClass;
private String type;
private BigDecimal concentration;
private Date createdOn;
private UserSummary createdBy;
private String parentContainerName;
private String containerType;
private String containerName;
private String positionX;
private String positionY;
private Integer position;
private List<StorageLocationSummary> locations;
private Integer freezeThawCycles;
private Integer incrParentFreezeThaw;
private Boolean closeParent;
private Boolean createDerived;
private Boolean printLabel;
private String comments;
private ExtensionDetail extensionDetail;
private boolean linkToReqs;
public Long getParentId() {
return parentId;
}
public void setParentId(Long parentId) {
this.parentId = parentId;
}
public String getParentLabel() {
return parentLabel;
}
public void setParentLabel(String parentLabel) {
this.parentLabel = parentLabel;
}
public String getDerivedReqCode() {
return derivedReqCode;
}
public void setDerivedReqCode(String derivedReqCode) {
this.derivedReqCode = derivedReqCode;
}
public String getCpShortTitle() {
return cpShortTitle;
}
public void setCpShortTitle(String cpShortTitle) {
this.cpShortTitle = cpShortTitle;
}
public Integer getNoOfAliquots() {
return noOfAliquots;
}
public void setNoOfAliquots(Integer noOfAliquots) {
this.noOfAliquots = noOfAliquots;
}
public String getLabels() {
return labels;
}
public void setLabels(String labels) {
this.labels = labels;
}
public String getBarcodes() {
return barcodes;
}
public void setBarcodes(String barcodes) {
this.barcodes = barcodes;
}
public BigDecimal getQtyPerAliquot() {
return qtyPerAliquot;
}
public void setQtyPerAliquot(BigDecimal qtyPerAliquot) {
this.qtyPerAliquot = qtyPerAliquot;
}
public String getSpecimenClass() {
return specimenClass;
}
public void setSpecimenClass(String specimenClass) {
this.specimenClass = specimenClass;
}
public String getType() {
return type;
}
public void setType(String type) {
this.type = type;
}
public BigDecimal getConcentration() {
return concentration;
}
public void setConcentration(BigDecimal concentration) {
this.concentration = concentration;
}
public Date getCreatedOn() {
return createdOn;
}
public void setCreatedOn(Date createdOn) {
this.createdOn = createdOn;
}
public UserSummary getCreatedBy() {
return createdBy;
}
public void setCreatedBy(UserSummary createdBy) {
this.createdBy = createdBy;
}
public String getParentContainerName() {
return parentContainerName;
}
public void setParentContainerName(String parentContainerName) {
this.parentContainerName = parentContainerName;
}
public String getContainerType() {
return containerType;
}
public void setContainerType(String containerType) {
this.containerType = containerType;
}
public String getContainerName() {
return containerName;
}
public void setContainerName(String containerName) {
this.containerName = containerName;
}
public String getPositionX() {
return positionX;
}
public void setPositionX(String positionX) {
this.positionX = positionX;
}
public String getPositionY() {
return positionY;
}
public void setPositionY(String positionY) {
this.positionY = positionY;
}
public Integer getPosition() {
return position;
}
public void setPosition(Integer position) {
this.position = position;
}
public List<StorageLocationSummary> getLocations() {
return locations;
}
public void setLocations(List<StorageLocationSummary> locations) {
this.locations = locations;
}
public Integer getFreezeThawCycles() {
return freezeThawCycles;
}
public void setFreezeThawCycles(Integer freezeThawCycles) {
this.freezeThawCycles = freezeThawCycles;
}
public Integer getIncrParentFreezeThaw() {
return incrParentFreezeThaw;
}
public void setIncrParentFreezeThaw(Integer incrParentFreezeThaw) {
this.incrParentFreezeThaw = incrParentFreezeThaw;
}
public Boolean getCloseParent() {
return closeParent;
}
public void setCloseParent(Boolean closeParent) {
this.closeParent = closeParent;
}
public boolean closeParent() {
return closeParent != null && closeParent;
}
public Boolean getCreateDerived() {
return createDerived;
}
public void setCreateDerived(Boolean createDerived) {
this.createDerived = createDerived;
}
public boolean createDerived() { return createDerived != null && createDerived; }
public Boolean getPrintLabel() {
return printLabel;
}
public void setPrintLabel(Boolean printLabel) {
this.printLabel = printLabel;
}
public boolean printLabel() { return printLabel != null && printLabel; }
public String getComments() {
return comments;
}
public void setComments(String comments) {
this.comments = comments;
}
public ExtensionDetail getExtensionDetail() {
return extensionDetail;
}
public void setExtensionDetail(ExtensionDetail extensionDetail) {
this.extensionDetail = extensionDetail;
}
public boolean isLinkToReqs() {
return linkToReqs;
}
public void setLinkToReqs(boolean linkToReqs) {
this.linkToReqs = linkToReqs;
}
} | krishagni/openspecimen | WEB-INF/src/com/krishagni/catissueplus/core/biospecimen/events/SpecimenAliquotsSpec.java | Java | bsd-3-clause | 5,811 |
{% load i18n %}
<table class="table table-bordered table-striped table-wrapped" data-table data-b-filter="false">
<thead>
<tr>
<th>{% trans "Name" %}</th>
<th>{% trans "Version" %}</th>
</tr>
</thead>
<tbody>
{% for entry in software_info %}
<tr>
<td>{{ entry.name }}</td>
<td>{{ entry.version }}</td>
</tr>
{% endfor %}
</tbody>
</table>
| MPIB/Lagerregal | templates/devicedata/software_info.html | HTML | bsd-3-clause | 468 |
PKG_NAME = lz4
PKG_VERS = 1.7.5
PKG_EXT = tar.gz
PKG_DIST_NAME = v$(PKG_VERS).$(PKG_EXT)
PKG_DIST_SITE = https://github.com/lz4/lz4/archive/
PKG_DIR = $(PKG_NAME)-$(PKG_VERS)
DEPENDS =
HOMEPAGE = https://github.com/lz4/lz4
COMMENT = LZ4 is lossless compression algorithm, providing compression speed at 400 MB/s per core, scalable with multi-cores CPU.
LICENSE = BSD
CONFIGURE_TARGET = nop
INSTALL_TARGET = myInstall
include ../../mk/spksrc.cross-cc.mk
.PHONY: myInstall
myInstall:
$(RUN) $(MAKE) install PREFIX=$(STAGING_INSTALL_PREFIX)
| saschpe/spksrc | cross/lz4/Makefile | Makefile | bsd-3-clause | 547 |
// $Id: MainClass.java,v 1.6 2003/10/07 21:46:08 idgay Exp $
/* tab:4
* "Copyright (c) 2000-2003 The Regents of the University of California.
* All rights reserved.
*
* Permission to use, copy, modify, and distribute this software and its
* documentation for any purpose, without fee, and without written agreement is
* hereby granted, provided that the above copyright notice, the following
* two paragraphs and the author appear in all copies of this software.
*
* IN NO EVENT SHALL THE UNIVERSITY OF CALIFORNIA BE LIABLE TO ANY PARTY FOR
* DIRECT, INDIRECT, SPECIAL, INCIDENTAL, OR CONSEQUENTIAL DAMAGES ARISING OUT
* OF THE USE OF THIS SOFTWARE AND ITS DOCUMENTATION, EVEN IF THE UNIVERSITY OF
* CALIFORNIA HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*
* THE UNIVERSITY OF CALIFORNIA SPECIFICALLY DISCLAIMS ANY WARRANTIES,
* INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY
* AND FITNESS FOR A PARTICULAR PURPOSE. THE SOFTWARE PROVIDED HEREUNDER IS
* ON AN "AS IS" BASIS, AND THE UNIVERSITY OF CALIFORNIA HAS NO OBLIGATION TO
* PROVIDE MAINTENANCE, SUPPORT, UPDATES, ENHANCEMENTS, OR MODIFICATIONS."
*
* Copyright (c) 2002-2003 Intel Corporation
* All rights reserved.
*
* This file is distributed under the terms in the attached INTEL-LICENSE
* file. If you do not find these files, copies can be found by writing to
* Intel Research Berkeley, 2150 Shattuck Avenue, Suite 1300, Berkeley, CA,
* 94704. Attention: Intel License Inquiry.
*/
/**
* @author Wei Hong
*/
//***********************************************************************
//***********************************************************************
//this is the main class that holds all global variables
//and from where "main" is run.
//the global variables can be accessed as: MainClass.MainFrame for example.
//***********************************************************************
//***********************************************************************
package net.tinyos.tinydb.topology;
import java.util.*;
import net.tinyos.tinydb.*;
import net.tinyos.tinydb.topology.event.*;
import net.tinyos.tinydb.topology.util.*;
import net.tinyos.tinydb.topology.PacketAnalyzer.*;
import net.tinyos.tinydb.topology.Dialog.*;
import net.tinyos.tinydb.topology.Packet.*;
import javax.swing.event.*;
import java.beans.*;
import java.awt.*;
import java.io.*;
import net.tinyos.tinydb.parser.*;
public class MainClass implements ResultListener
{
public static MainFrame mainFrame;
public static DisplayManager displayManager;
public static ObjectMaintainer objectMaintainer;
public static SensorAnalyzer sensorAnalyzer;
public static LocationAnalyzer locationAnalyzer;
public static Vector packetAnalyzers;
public static TinyDBQuery topologyQuery;
public static boolean topologyQueryRunning = false;
public static String topologyQueryText = "select nodeid, parent, light, temp, voltage epoch duration 2048";
TinyDBNetwork nw;
public MainClass(TinyDBNetwork nw, byte qid) throws IOException
{
this.nw = nw;
nw.addResultListener(this, false, qid);
mainFrame = new MainFrame("Sensor Network Topology", nw);
displayManager = new DisplayManager(mainFrame);
packetAnalyzers = new Vector();
objectMaintainer = new ObjectMaintainer();
objectMaintainer.AddEdgeEventListener(displayManager);
objectMaintainer.AddNodeEventListener(displayManager);
locationAnalyzer = new LocationAnalyzer();
sensorAnalyzer = new SensorAnalyzer();
packetAnalyzers.add(objectMaintainer);
packetAnalyzers.add(sensorAnalyzer);
//make the MainFrame visible as the last thing
mainFrame.setVisible(true);
try
{
System.out.println("Topology Query: " + topologyQueryText);
topologyQuery = SensorQueryer.translateQuery(topologyQueryText, qid);
}
catch (ParseException pe)
{
System.out.println("Topology Query: " + topologyQueryText);
System.out.println("Parse Error: " + pe.getParseError());
topologyQuery = null;
}
nw.sendQuery(topologyQuery);
TinyDBMain.notifyAddedQuery(topologyQuery);
topologyQueryRunning = true;
}
public void addResult(QueryResult qr) {
Packet packet = new Packet(qr);
try {
if (packet.getNodeId().intValue() < 0 ||
packet.getNodeId().intValue() > 128 ||
packet.getParent().intValue() < 0 ||
packet.getParent().intValue() > 128 )
return;
} catch (ArrayIndexOutOfBoundsException e) {
return;
}
PacketEventListener currentListener;
for(Enumeration list = packetAnalyzers.elements(); list.hasMoreElements();)
{
currentListener = (PacketEventListener)list.nextElement();
PacketEvent e = new PacketEvent(nw, packet,
Calendar.getInstance().getTime());
currentListener.PacketReceived(e);//send the listener an event
}
}
}
| fresskarma/tinyos-1.x | tools/java/net/tinyos/tinydb/topology/MainClass.java | Java | bsd-3-clause | 4,833 |
## The Unicode Standard, Unicode Character Database, Version 11.0.0
### Unicode Character Database
```
UNICODE, INC. LICENSE AGREEMENT - DATA FILES AND SOFTWARE
Unicode Data Files include all data files under the directories
http://www.unicode.org/Public/, http://www.unicode.org/reports/,
http://www.unicode.org/cldr/data/,
http://source.icu-project.org/repos/icu/, and
http://www.unicode.org/utility/trac/browser/.
Unicode Data Files do not include PDF online code charts under the
directory http://www.unicode.org/Public/.
Software includes any source code published in the Unicode Standard
or under the directories
http://www.unicode.org/Public/, http://www.unicode.org/reports/,
http://www.unicode.org/cldr/data/,
http://source.icu-project.org/repos/icu/, and
http://www.unicode.org/utility/trac/browser/.
NOTICE TO USER: Carefully read the following legal agreement.
BY DOWNLOADING, INSTALLING, COPYING OR OTHERWISE USING UNICODE INC.'S
DATA FILES ("DATA FILES"), AND/OR SOFTWARE ("SOFTWARE"),
YOU UNEQUIVOCALLY ACCEPT, AND AGREE TO BE BOUND BY, ALL OF THE
TERMS AND CONDITIONS OF THIS AGREEMENT.
IF YOU DO NOT AGREE, DO NOT DOWNLOAD, INSTALL, COPY, DISTRIBUTE OR USE
THE DATA FILES OR SOFTWARE.
COPYRIGHT AND PERMISSION NOTICE
Copyright © 1991-2018 Unicode, Inc. All rights reserved.
Distributed under the Terms of Use in http://www.unicode.org/copyright.html.
Permission is hereby granted, free of charge, to any person obtaining
a copy of the Unicode data files and any associated documentation
(the "Data Files") or Unicode software and any associated documentation
(the "Software") to deal in the Data Files or Software
without restriction, including without limitation the rights to use,
copy, modify, merge, publish, distribute, and/or sell copies of
the Data Files or Software, and to permit persons to whom the Data Files
or Software are furnished to do so, provided that either
(a) this copyright and permission notice appear with all copies
of the Data Files or Software, or
(b) this copyright and permission notice appear in associated
Documentation.
THE DATA FILES AND SOFTWARE ARE PROVIDED "AS IS", WITHOUT WARRANTY OF
ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE
WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND
NONINFRINGEMENT OF THIRD PARTY RIGHTS.
IN NO EVENT SHALL THE COPYRIGHT HOLDER OR HOLDERS INCLUDED IN THIS
NOTICE BE LIABLE FOR ANY CLAIM, OR ANY SPECIAL INDIRECT OR CONSEQUENTIAL
DAMAGES, OR ANY DAMAGES WHATSOEVER RESULTING FROM LOSS OF USE,
DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR OTHER
TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR
PERFORMANCE OF THE DATA FILES OR SOFTWARE.
Except as contained in this notice, the name of a copyright holder
shall not be used in advertising or otherwise to promote the sale,
use or other dealings in these Data Files or Software without prior
written authorization of the copyright holder.
```
| imsweb/naaccr-geocoder-review | jre/jre-12/legal/java.base/unicode.md | Markdown | bsd-3-clause | 2,957 |
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Net;
using System.IO;
using System.Collections.Specialized;
using System.Security.Cryptography;
using System.Web;
namespace BotR.API {
public class BotRAPI {
private string _apiURL = "";
private string _args = "";
private NameValueCollection _queryString = null;
public string Key { get; set; }
public string Secret { get; set; }
public string APIFormat { get; set; }
public BotRAPI(string key, string secret) : this("http://api.bitsontherun.com", "v1", key, secret) { }
public BotRAPI(string url, string version, string key, string secret) {
Key = key;
Secret = secret;
_apiURL = string.Format("{0}/{1}", url, version);
}
/// <summary>
/// Call the API method with no params beyond the required
/// </summary>
/// <param name="apiCall">The path to the API method call (/videos/list)</param>
/// <returns>The string response from the API call</returns>
public string Call(string apiCall) {
return Call(apiCall, null);
}
/// <summary>
/// Call the API method with additional, non-required params
/// </summary>
/// <param name="apiCall">The path to the API method call (/videos/list)</param>
/// <param name="args">Additional, non-required arguments</param>
/// <returns>The string response from the API call</returns>
public string Call(string apiCall, NameValueCollection args) {
_queryString = new NameValueCollection();
//add the non-required args to the required args
if (args != null)
_queryString.Add(args);
buildArgs();
WebClient client = createWebClient();
string callUrl = _apiURL + apiCall;
try {
return client.DownloadString(callUrl);
} catch {
return "";
}
}
/// <summary>
/// Upload a file to account
/// </summary>
/// <param name="uploadUrl">The url returned from /videos/create call</param>
/// <param name="args">Optional args (video meta data)</param>
/// <param name="filePath">Path to file to upload</param>
/// <returns>The string response from the API call</returns>
public string Upload(string uploadUrl, NameValueCollection args, string filePath) {
_queryString = args; //no required args
WebClient client = createWebClient();
_queryString["api_format"] = APIFormat ?? "xml"; //xml if not specified - normally set in required args routine
queryStringToArgs();
string callUrl = _apiURL + uploadUrl + "?" + _args;
callUrl = uploadUrl + "?" + _args;
try {
byte[] response = client.UploadFile(callUrl, filePath);
return Encoding.UTF8.GetString(response);
} catch {
return "";
}
}
/// <summary>
/// Hash the provided arguments
/// </summary>
private string signArgs() {
queryStringToArgs();
HashAlgorithm ha = HashAlgorithm.Create("SHA");
byte[] hashed = ha.ComputeHash(Encoding.UTF8.GetBytes(_args + Secret));
return BitConverter.ToString(hashed).Replace("-", "").ToLower();
}
/// <summary>
/// Convert args collection to ordered string
/// </summary>
private void queryStringToArgs() {
Array.Sort(_queryString.AllKeys);
StringBuilder sb = new StringBuilder();
foreach (string key in _queryString.AllKeys) {
sb.AppendFormat("{0}={1}&", key, _queryString[key]);
}
sb.Remove(sb.Length - 1, 1); //remove trailing &
_args = sb.ToString();
}
/// <summary>
/// Append required arguments to URL
/// </summary>
private void buildArgs() {
_queryString["api_format"] = APIFormat ?? "xml"; //xml if not specified
_queryString["api_key"] = Key;
_queryString["api_kit"] = "dnet-1.0";
_queryString["api_nonce"] = string.Format("{0:00000000}", new Random().Next(99999999));
_queryString["api_timestamp"] = getUnixTime().ToString();
_queryString["api_signature"] = signArgs();
_args = string.Concat(_args, "&api_signature=", _queryString["api_signature"]);
}
/// <summary>
/// Construct instance of WebClient for request
/// </summary>
/// <returns></returns>
private WebClient createWebClient() {
ServicePointManager.Expect100Continue = false; //upload will fail w/o
WebClient client = new WebClient();
client.BaseAddress = _apiURL;
client.QueryString = _queryString;
client.Encoding = UTF8Encoding.UTF8;
return client;
}
/// <summary>
/// Get timestamp in Unix format
/// </summary>
/// <returns></returns>
private int getUnixTime() {
return (int)(DateTime.UtcNow - new DateTime(1970, 1, 1, 0, 0, 0)).TotalSeconds;
}
}
}
| bitsontherun/botr-api-dotnet | BotRAPI.cs | C# | bsd-3-clause | 5,584 |
/* prevent execution of jQuery if included more than once */
if(typeof window.jQuery == "undefined") {
/*
* jQuery 1.1.2 - New Wave Javascript
*
* Copyright (c) 2007 John Resig (jquery.com)
* Dual licensed under the MIT (MIT-LICENSE.txt)
* and GPL (GPL-LICENSE.txt) licenses.
*
* $Date: 2007-04-03 22:27:21 $
* $Rev: 1465 $
*/
// Global undefined variable
window.undefined = window.undefined;
var jQuery = function(a,c) {
// If the context is global, return a new object
if ( window == this )
return new jQuery(a,c);
// Make sure that a selection was provided
a = a || document;
// HANDLE: $(function)
// Shortcut for document ready
if ( jQuery.isFunction(a) )
return new jQuery(document)[ jQuery.fn.ready ? "ready" : "load" ]( a );
// Handle HTML strings
if ( typeof a == "string" ) {
// HANDLE: $(html) -> $(array)
var m = /^[^<]*(<(.|\s)+>)[^>]*$/.exec(a);
if ( m )
a = jQuery.clean( [ m[1] ] );
// HANDLE: $(expr)
else
return new jQuery( c ).find( a );
}
return this.setArray(
// HANDLE: $(array)
a.constructor == Array && a ||
// HANDLE: $(arraylike)
// Watch for when an array-like object is passed as the selector
(a.jquery || a.length && a != window && !a.nodeType && a[0] != undefined && a[0].nodeType) && jQuery.makeArray( a ) ||
// HANDLE: $(*)
[ a ] );
};
// Map over the $ in case of overwrite
if ( typeof $ != "undefined" )
jQuery._$ = $;
// Map the jQuery namespace to the '$' one
var $ = jQuery;
jQuery.fn = jQuery.prototype = {
jquery: "1.1.2",
size: function() {
return this.length;
},
length: 0,
get: function( num ) {
return num == undefined ?
// Return a 'clean' array
jQuery.makeArray( this ) :
// Return just the object
this[num];
},
pushStack: function( a ) {
var ret = jQuery(a);
ret.prevObject = this;
return ret;
},
setArray: function( a ) {
this.length = 0;
[].push.apply( this, a );
return this;
},
each: function( fn, args ) {
return jQuery.each( this, fn, args );
},
index: function( obj ) {
var pos = -1;
this.each(function(i){
if ( this == obj ) pos = i;
});
return pos;
},
attr: function( key, value, type ) {
var obj = key;
// Look for the case where we're accessing a style value
if ( key.constructor == String )
if ( value == undefined )
return this.length && jQuery[ type || "attr" ]( this[0], key ) || undefined;
else {
obj = {};
obj[ key ] = value;
}
// Check to see if we're setting style values
return this.each(function(index){
// Set all the styles
for ( var prop in obj )
jQuery.attr(
type ? this.style : this,
prop, jQuery.prop(this, obj[prop], type, index, prop)
);
});
},
css: function( key, value ) {
return this.attr( key, value, "curCSS" );
},
text: function(e) {
if ( typeof e == "string" )
return this.empty().append( document.createTextNode( e ) );
var t = "";
jQuery.each( e || this, function(){
jQuery.each( this.childNodes, function(){
if ( this.nodeType != 8 )
t += this.nodeType != 1 ?
this.nodeValue : jQuery.fn.text([ this ]);
});
});
return t;
},
wrap: function() {
// The elements to wrap the target around
var a = jQuery.clean(arguments);
// Wrap each of the matched elements individually
return this.each(function(){
// Clone the structure that we're using to wrap
var b = a[0].cloneNode(true);
// Insert it before the element to be wrapped
this.parentNode.insertBefore( b, this );
// Find the deepest point in the wrap structure
while ( b.firstChild )
b = b.firstChild;
// Move the matched element to within the wrap structure
b.appendChild( this );
});
},
append: function() {
return this.domManip(arguments, true, 1, function(a){
this.appendChild( a );
});
},
prepend: function() {
return this.domManip(arguments, true, -1, function(a){
this.insertBefore( a, this.firstChild );
});
},
before: function() {
return this.domManip(arguments, false, 1, function(a){
this.parentNode.insertBefore( a, this );
});
},
after: function() {
return this.domManip(arguments, false, -1, function(a){
this.parentNode.insertBefore( a, this.nextSibling );
});
},
end: function() {
return this.prevObject || jQuery([]);
},
find: function(t) {
return this.pushStack( jQuery.map( this, function(a){
return jQuery.find(t,a);
}), t );
},
clone: function(deep) {
return this.pushStack( jQuery.map( this, function(a){
var a = a.cloneNode( deep != undefined ? deep : true );
a.$events = null; // drop $events expando to avoid firing incorrect events
return a;
}) );
},
filter: function(t) {
return this.pushStack(
jQuery.isFunction( t ) &&
jQuery.grep(this, function(el, index){
return t.apply(el, [index])
}) ||
jQuery.multiFilter(t,this) );
},
not: function(t) {
return this.pushStack(
t.constructor == String &&
jQuery.multiFilter(t, this, true) ||
jQuery.grep(this, function(a) {
return ( t.constructor == Array || t.jquery )
? jQuery.inArray( a, t ) < 0
: a != t;
})
);
},
add: function(t) {
return this.pushStack( jQuery.merge(
this.get(),
t.constructor == String ?
jQuery(t).get() :
t.length != undefined && (!t.nodeName || t.nodeName == "FORM") ?
t : [t] )
);
},
is: function(expr) {
return expr ? jQuery.filter(expr,this).r.length > 0 : false;
},
val: function( val ) {
return val == undefined ?
( this.length ? this[0].value : null ) :
this.attr( "value", val );
},
html: function( val ) {
return val == undefined ?
( this.length ? this[0].innerHTML : null ) :
this.empty().append( val );
},
domManip: function(args, table, dir, fn){
var clone = this.length > 1;
var a = jQuery.clean(args);
if ( dir < 0 )
a.reverse();
return this.each(function(){
var obj = this;
if ( table && jQuery.nodeName(this, "table") && jQuery.nodeName(a[0], "tr") )
obj = this.getElementsByTagName("tbody")[0] || this.appendChild(document.createElement("tbody"));
jQuery.each( a, function(){
fn.apply( obj, [ clone ? this.cloneNode(true) : this ] );
});
});
}
};
jQuery.extend = jQuery.fn.extend = function() {
// copy reference to target object
var target = arguments[0],
a = 1;
// extend jQuery itself if only one argument is passed
if ( arguments.length == 1 ) {
target = this;
a = 0;
}
var prop;
while (prop = arguments[a++])
// Extend the base object
for ( var i in prop ) target[i] = prop[i];
// Return the modified object
return target;
};
jQuery.extend({
noConflict: function() {
if ( jQuery._$ )
$ = jQuery._$;
return jQuery;
},
// This may seem like some crazy code, but trust me when I say that this
// is the only cross-browser way to do this. --John
isFunction: function( fn ) {
return !!fn && typeof fn != "string" && !fn.nodeName &&
typeof fn[0] == "undefined" && /function/i.test( fn + "" );
},
// check if an element is in a XML document
isXMLDoc: function(elem) {
return elem.tagName && elem.ownerDocument && !elem.ownerDocument.body;
},
nodeName: function( elem, name ) {
return elem.nodeName && elem.nodeName.toUpperCase() == name.toUpperCase();
},
// args is for internal usage only
each: function( obj, fn, args ) {
if ( obj.length == undefined )
for ( var i in obj )
fn.apply( obj[i], args || [i, obj[i]] );
else
for ( var i = 0, ol = obj.length; i < ol; i++ )
if ( fn.apply( obj[i], args || [i, obj[i]] ) === false ) break;
return obj;
},
prop: function(elem, value, type, index, prop){
// Handle executable functions
if ( jQuery.isFunction( value ) )
value = value.call( elem, [index] );
// exclude the following css properties to add px
var exclude = /z-?index|font-?weight|opacity|zoom|line-?height/i;
// Handle passing in a number to a CSS property
return value && value.constructor == Number && type == "curCSS" && !exclude.test(prop) ?
value + "px" :
value;
},
className: {
// internal only, use addClass("class")
add: function( elem, c ){
jQuery.each( c.split(/\s+/), function(i, cur){
if ( !jQuery.className.has( elem.className, cur ) )
elem.className += ( elem.className ? " " : "" ) + cur;
});
},
// internal only, use removeClass("class")
remove: function( elem, c ){
elem.className = c ?
jQuery.grep( elem.className.split(/\s+/), function(cur){
return !jQuery.className.has( c, cur );
}).join(" ") : "";
},
// internal only, use is(".class")
has: function( t, c ) {
t = t.className || t;
// escape regex characters
c = c.replace(/([\.\\\+\*\?\[\^\]\$\(\)\{\}\=\!\<\>\|\:])/g, "\\$1");
return t && new RegExp("(^|\\s)" + c + "(\\s|$)").test( t );
}
},
swap: function(e,o,f) {
for ( var i in o ) {
e.style["old"+i] = e.style[i];
e.style[i] = o[i];
}
f.apply( e, [] );
for ( var i in o )
e.style[i] = e.style["old"+i];
},
css: function(e,p) {
if ( p == "height" || p == "width" ) {
var old = {}, oHeight, oWidth, d = ["Top","Bottom","Right","Left"];
jQuery.each( d, function(){
old["padding" + this] = 0;
old["border" + this + "Width"] = 0;
});
jQuery.swap( e, old, function() {
if (jQuery.css(e,"display") != "none") {
oHeight = e.offsetHeight;
oWidth = e.offsetWidth;
} else {
e = jQuery(e.cloneNode(true))
.find(":radio").removeAttr("checked").end()
.css({
visibility: "hidden", position: "absolute", display: "block", right: "0", left: "0"
}).appendTo(e.parentNode)[0];
var parPos = jQuery.css(e.parentNode,"position");
if ( parPos == "" || parPos == "static" )
e.parentNode.style.position = "relative";
oHeight = e.clientHeight;
oWidth = e.clientWidth;
if ( parPos == "" || parPos == "static" )
e.parentNode.style.position = "static";
e.parentNode.removeChild(e);
}
});
return p == "height" ? oHeight : oWidth;
}
return jQuery.curCSS( e, p );
},
curCSS: function(elem, prop, force) {
var ret;
if (prop == "opacity" && jQuery.browser.msie)
return jQuery.attr(elem.style, "opacity");
if (prop == "float" || prop == "cssFloat")
prop = jQuery.browser.msie ? "styleFloat" : "cssFloat";
if (!force && elem.style[prop])
ret = elem.style[prop];
else if (document.defaultView && document.defaultView.getComputedStyle) {
if (prop == "cssFloat" || prop == "styleFloat")
prop = "float";
prop = prop.replace(/([A-Z])/g,"-$1").toLowerCase();
var cur = document.defaultView.getComputedStyle(elem, null);
if ( cur )
ret = cur.getPropertyValue(prop);
else if ( prop == "display" )
ret = "none";
else
jQuery.swap(elem, { display: "block" }, function() {
var c = document.defaultView.getComputedStyle(this, "");
ret = c && c.getPropertyValue(prop) || "";
});
} else if (elem.currentStyle) {
var newProp = prop.replace(/\-(\w)/g,function(m,c){return c.toUpperCase();});
ret = elem.currentStyle[prop] || elem.currentStyle[newProp];
}
return ret;
},
clean: function(a) {
var r = [];
jQuery.each( a, function(i,arg){
if ( !arg ) return;
if ( arg.constructor == Number )
arg = arg.toString();
// Convert html string into DOM nodes
if ( typeof arg == "string" ) {
// Trim whitespace, otherwise indexOf won't work as expected
var s = jQuery.trim(arg), div = document.createElement("div"), tb = [];
var wrap =
// option or optgroup
!s.indexOf("<opt") &&
[1, "<select>", "</select>"] ||
(!s.indexOf("<thead") || !s.indexOf("<tbody") || !s.indexOf("<tfoot")) &&
[1, "<table>", "</table>"] ||
!s.indexOf("<tr") &&
[2, "<table><tbody>", "</tbody></table>"] ||
// <thead> matched above
(!s.indexOf("<td") || !s.indexOf("<th")) &&
[3, "<table><tbody><tr>", "</tr></tbody></table>"] ||
[0,"",""];
// Go to html and back, then peel off extra wrappers
div.innerHTML = wrap[1] + s + wrap[2];
// Move to the right depth
while ( wrap[0]-- )
div = div.firstChild;
// Remove IE's autoinserted <tbody> from table fragments
if ( jQuery.browser.msie ) {
// String was a <table>, *may* have spurious <tbody>
if ( !s.indexOf("<table") && s.indexOf("<tbody") < 0 )
tb = div.firstChild && div.firstChild.childNodes;
// String was a bare <thead> or <tfoot>
else if ( wrap[1] == "<table>" && s.indexOf("<tbody") < 0 )
tb = div.childNodes;
for ( var n = tb.length-1; n >= 0 ; --n )
if ( jQuery.nodeName(tb[n], "tbody") && !tb[n].childNodes.length )
tb[n].parentNode.removeChild(tb[n]);
}
arg = [];
for (var i=0, l=div.childNodes.length; i<l; i++)
arg.push(div.childNodes[i]);
}
if ( arg.length === 0 && !jQuery.nodeName(arg, "form") )
return;
if ( arg[0] == undefined || jQuery.nodeName(arg, "form") )
r.push( arg );
else
r = jQuery.merge( r, arg );
});
return r;
},
attr: function(elem, name, value){
var fix = jQuery.isXMLDoc(elem) ? {} : {
"for": "htmlFor",
"class": "className",
"float": jQuery.browser.msie ? "styleFloat" : "cssFloat",
cssFloat: jQuery.browser.msie ? "styleFloat" : "cssFloat",
innerHTML: "innerHTML",
className: "className",
value: "value",
disabled: "disabled",
checked: "checked",
readonly: "readOnly",
selected: "selected"
};
// IE actually uses filters for opacity ... elem is actually elem.style
if ( name == "opacity" && jQuery.browser.msie && value != undefined ) {
// IE has trouble with opacity if it does not have layout
// Force it by setting the zoom level
elem.zoom = 1;
// Set the alpha filter to set the opacity
return elem.filter = elem.filter.replace(/alpha\([^\)]*\)/gi,"") +
( value == 1 ? "" : "alpha(opacity=" + value * 100 + ")" );
} else if ( name == "opacity" && jQuery.browser.msie )
return elem.filter ?
parseFloat( elem.filter.match(/alpha\(opacity=(.*)\)/)[1] ) / 100 : 1;
// Mozilla doesn't play well with opacity 1
if ( name == "opacity" && jQuery.browser.mozilla && value == 1 )
value = 0.9999;
// Certain attributes only work when accessed via the old DOM 0 way
if ( fix[name] ) {
if ( value != undefined ) elem[fix[name]] = value;
return elem[fix[name]];
} else if ( value == undefined && jQuery.browser.msie && jQuery.nodeName(elem, "form") && (name == "action" || name == "method") )
return elem.getAttributeNode(name).nodeValue;
// IE elem.getAttribute passes even for style
else if ( elem.tagName ) {
if ( value != undefined ) elem.setAttribute( name, value );
if ( jQuery.browser.msie && /href|src/.test(name) && !jQuery.isXMLDoc(elem) )
return elem.getAttribute( name, 2 );
return elem.getAttribute( name );
// elem is actually elem.style ... set the style
} else {
name = name.replace(/-([a-z])/ig,function(z,b){return b.toUpperCase();});
if ( value != undefined ) elem[name] = value;
return elem[name];
}
},
trim: function(t){
return t.replace(/^\s+|\s+$/g, "");
},
makeArray: function( a ) {
var r = [];
if ( a.constructor != Array )
for ( var i = 0, al = a.length; i < al; i++ )
r.push( a[i] );
else
r = a.slice( 0 );
return r;
},
inArray: function( b, a ) {
for ( var i = 0, al = a.length; i < al; i++ )
if ( a[i] == b )
return i;
return -1;
},
merge: function(first, second) {
var r = [].slice.call( first, 0 );
// Now check for duplicates between the two arrays
// and only add the unique items
for ( var i = 0, sl = second.length; i < sl; i++ )
// Check for duplicates
if ( jQuery.inArray( second[i], r ) == -1 )
// The item is unique, add it
first.push( second[i] );
return first;
},
grep: function(elems, fn, inv) {
// If a string is passed in for the function, make a function
// for it (a handy shortcut)
if ( typeof fn == "string" )
fn = new Function("a","i","return " + fn);
var result = [];
// Go through the array, only saving the items
// that pass the validator function
for ( var i = 0, el = elems.length; i < el; i++ )
if ( !inv && fn(elems[i],i) || inv && !fn(elems[i],i) )
result.push( elems[i] );
return result;
},
map: function(elems, fn) {
// If a string is passed in for the function, make a function
// for it (a handy shortcut)
if ( typeof fn == "string" )
fn = new Function("a","return " + fn);
var result = [], r = [];
// Go through the array, translating each of the items to their
// new value (or values).
for ( var i = 0, el = elems.length; i < el; i++ ) {
var val = fn(elems[i],i);
if ( val !== null && val != undefined ) {
if ( val.constructor != Array ) val = [val];
result = result.concat( val );
}
}
var r = result.length ? [ result[0] ] : [];
check: for ( var i = 1, rl = result.length; i < rl; i++ ) {
for ( var j = 0; j < i; j++ )
if ( result[i] == r[j] )
continue check;
r.push( result[i] );
}
return r;
}
});
/*
* Whether the W3C compliant box model is being used.
*
* @property
* @name $.boxModel
* @type Boolean
* @cat JavaScript
*/
new function() {
var b = navigator.userAgent.toLowerCase();
// Figure out what browser is being used
jQuery.browser = {
safari: /webkit/.test(b),
opera: /opera/.test(b),
msie: /msie/.test(b) && !/opera/.test(b),
mozilla: /mozilla/.test(b) && !/(compatible|webkit)/.test(b)
};
// Check to see if the W3C box model is being used
jQuery.boxModel = !jQuery.browser.msie || document.compatMode == "CSS1Compat";
};
jQuery.each({
parent: "a.parentNode",
parents: "jQuery.parents(a)",
next: "jQuery.nth(a,2,'nextSibling')",
prev: "jQuery.nth(a,2,'previousSibling')",
siblings: "jQuery.sibling(a.parentNode.firstChild,a)",
children: "jQuery.sibling(a.firstChild)"
}, function(i,n){
jQuery.fn[ i ] = function(a) {
var ret = jQuery.map(this,n);
if ( a && typeof a == "string" )
ret = jQuery.multiFilter(a,ret);
return this.pushStack( ret );
};
});
jQuery.each({
appendTo: "append",
prependTo: "prepend",
insertBefore: "before",
insertAfter: "after"
}, function(i,n){
jQuery.fn[ i ] = function(){
var a = arguments;
return this.each(function(){
for ( var j = 0, al = a.length; j < al; j++ )
jQuery(a[j])[n]( this );
});
};
});
jQuery.each( {
removeAttr: function( key ) {
jQuery.attr( this, key, "" );
this.removeAttribute( key );
},
addClass: function(c){
jQuery.className.add(this,c);
},
removeClass: function(c){
jQuery.className.remove(this,c);
},
toggleClass: function( c ){
jQuery.className[ jQuery.className.has(this,c) ? "remove" : "add" ](this, c);
},
remove: function(a){
if ( !a || jQuery.filter( a, [this] ).r.length )
this.parentNode.removeChild( this );
},
empty: function() {
while ( this.firstChild )
this.removeChild( this.firstChild );
}
}, function(i,n){
jQuery.fn[ i ] = function() {
return this.each( n, arguments );
};
});
jQuery.each( [ "eq", "lt", "gt", "contains" ], function(i,n){
jQuery.fn[ n ] = function(num,fn) {
return this.filter( ":" + n + "(" + num + ")", fn );
};
});
jQuery.each( [ "height", "width" ], function(i,n){
jQuery.fn[ n ] = function(h) {
return h == undefined ?
( this.length ? jQuery.css( this[0], n ) : null ) :
this.css( n, h.constructor == String ? h : h + "px" );
};
});
jQuery.extend({
expr: {
"": "m[2]=='*'||jQuery.nodeName(a,m[2])",
"#": "a.getAttribute('id')==m[2]",
":": {
// Position Checks
lt: "i<m[3]-0",
gt: "i>m[3]-0",
nth: "m[3]-0==i",
eq: "m[3]-0==i",
first: "i==0",
last: "i==r.length-1",
even: "i%2==0",
odd: "i%2",
// Child Checks
"nth-child": "jQuery.nth(a.parentNode.firstChild,m[3],'nextSibling',a)==a",
"first-child": "jQuery.nth(a.parentNode.firstChild,1,'nextSibling')==a",
"last-child": "jQuery.nth(a.parentNode.lastChild,1,'previousSibling')==a",
"only-child": "jQuery.sibling(a.parentNode.firstChild).length==1",
// Parent Checks
parent: "a.firstChild",
empty: "!a.firstChild",
// Text Check
contains: "jQuery.fn.text.apply([a]).indexOf(m[3])>=0",
// Visibility
visible: 'a.type!="hidden"&&jQuery.css(a,"display")!="none"&&jQuery.css(a,"visibility")!="hidden"',
hidden: 'a.type=="hidden"||jQuery.css(a,"display")=="none"||jQuery.css(a,"visibility")=="hidden"',
// Form attributes
enabled: "!a.disabled",
disabled: "a.disabled",
checked: "a.checked",
selected: "a.selected||jQuery.attr(a,'selected')",
// Form elements
text: "a.type=='text'",
radio: "a.type=='radio'",
checkbox: "a.type=='checkbox'",
file: "a.type=='file'",
password: "a.type=='password'",
submit: "a.type=='submit'",
image: "a.type=='image'",
reset: "a.type=='reset'",
button: 'a.type=="button"||jQuery.nodeName(a,"button")',
input: "/input|select|textarea|button/i.test(a.nodeName)"
},
".": "jQuery.className.has(a,m[2])",
"@": {
"=": "z==m[4]",
"!=": "z!=m[4]",
"^=": "z&&!z.indexOf(m[4])",
"$=": "z&&z.substr(z.length - m[4].length,m[4].length)==m[4]",
"*=": "z&&z.indexOf(m[4])>=0",
"": "z",
_resort: function(m){
return ["", m[1], m[3], m[2], m[5]];
},
_prefix: "z=a[m[3]];if(!z||/href|src/.test(m[3]))z=jQuery.attr(a,m[3]);"
},
"[": "jQuery.find(m[2],a).length"
},
// The regular expressions that power the parsing engine
parse: [
// Match: [@value='test'], [@foo]
/^\[ *(@)([a-z0-9_-]*) *([!*$^=]*) *('?"?)(.*?)\4 *\]/i,
// Match: [div], [div p]
/^(\[)\s*(.*?(\[.*?\])?[^[]*?)\s*\]/,
// Match: :contains('foo')
/^(:)([a-z0-9_-]*)\("?'?(.*?(\(.*?\))?[^(]*?)"?'?\)/i,
// Match: :even, :last-chlid
/^([:.#]*)([a-z0-9_*-]*)/i
],
token: [
/^(\/?\.\.)/, "a.parentNode",
/^(>|\/)/, "jQuery.sibling(a.firstChild)",
/^(\+)/, "jQuery.nth(a,2,'nextSibling')",
/^(~)/, function(a){
var s = jQuery.sibling(a.parentNode.firstChild);
return s.slice(jQuery.inArray(a,s) + 1);
}
],
multiFilter: function( expr, elems, not ) {
var old, cur = [];
while ( expr && expr != old ) {
old = expr;
var f = jQuery.filter( expr, elems, not );
expr = f.t.replace(/^\s*,\s*/, "" );
cur = not ? elems = f.r : jQuery.merge( cur, f.r );
}
return cur;
},
find: function( t, context ) {
// Quickly handle non-string expressions
if ( typeof t != "string" )
return [ t ];
// Make sure that the context is a DOM Element
if ( context && !context.nodeType )
context = null;
// Set the correct context (if none is provided)
context = context || document;
// Handle the common XPath // expression
if ( !t.indexOf("//") ) {
context = context.documentElement;
t = t.substr(2,t.length);
// And the / root expression
} else if ( !t.indexOf("/") ) {
context = context.documentElement;
t = t.substr(1,t.length);
if ( t.indexOf("/") >= 1 )
t = t.substr(t.indexOf("/"),t.length);
}
// Initialize the search
var ret = [context], done = [], last = null;
// Continue while a selector expression exists, and while
// we're no longer looping upon ourselves
while ( t && last != t ) {
var r = [];
last = t;
t = jQuery.trim(t).replace( /^\/\//i, "" );
var foundToken = false;
// An attempt at speeding up child selectors that
// point to a specific element tag
var re = /^[\/>]\s*([a-z0-9*-]+)/i;
var m = re.exec(t);
if ( m ) {
// Perform our own iteration and filter
jQuery.each( ret, function(){
for ( var c = this.firstChild; c; c = c.nextSibling )
if ( c.nodeType == 1 && ( jQuery.nodeName(c, m[1]) || m[1] == "*" ) )
r.push( c );
});
ret = r;
t = t.replace( re, "" );
if ( t.indexOf(" ") == 0 ) continue;
foundToken = true;
} else {
// Look for pre-defined expression tokens
for ( var i = 0; i < jQuery.token.length; i += 2 ) {
// Attempt to match each, individual, token in
// the specified order
var re = jQuery.token[i];
var m = re.exec(t);
// If the token match was found
if ( m ) {
// Map it against the token's handler
r = ret = jQuery.map( ret, jQuery.isFunction( jQuery.token[i+1] ) ?
jQuery.token[i+1] :
function(a){ return eval(jQuery.token[i+1]); });
// And remove the token
t = jQuery.trim( t.replace( re, "" ) );
foundToken = true;
break;
}
}
}
// See if there's still an expression, and that we haven't already
// matched a token
if ( t && !foundToken ) {
// Handle multiple expressions
if ( !t.indexOf(",") ) {
// Clean the result set
if ( ret[0] == context ) ret.shift();
// Merge the result sets
jQuery.merge( done, ret );
// Reset the context
r = ret = [context];
// Touch up the selector string
t = " " + t.substr(1,t.length);
} else {
// Optomize for the case nodeName#idName
var re2 = /^([a-z0-9_-]+)(#)([a-z0-9\\*_-]*)/i;
var m = re2.exec(t);
// Re-organize the results, so that they're consistent
if ( m ) {
m = [ 0, m[2], m[3], m[1] ];
} else {
// Otherwise, do a traditional filter check for
// ID, class, and element selectors
re2 = /^([#.]?)([a-z0-9\\*_-]*)/i;
m = re2.exec(t);
}
// Try to do a global search by ID, where we can
if ( m[1] == "#" && ret[ret.length-1].getElementById ) {
// Optimization for HTML document case
var oid = ret[ret.length-1].getElementById(m[2]);
// Do a quick check for the existence of the actual ID attribute
// to avoid selecting by the name attribute in IE
if ( jQuery.browser.msie && oid && oid.id != m[2] )
oid = jQuery('[@id="'+m[2]+'"]', ret[ret.length-1])[0];
// Do a quick check for node name (where applicable) so
// that div#foo searches will be really fast
ret = r = oid && (!m[3] || jQuery.nodeName(oid, m[3])) ? [oid] : [];
} else {
// Pre-compile a regular expression to handle class searches
if ( m[1] == "." )
var rec = new RegExp("(^|\\s)" + m[2] + "(\\s|$)");
// We need to find all descendant elements, it is more
// efficient to use getAll() when we are already further down
// the tree - we try to recognize that here
jQuery.each( ret, function(){
// Grab the tag name being searched for
var tag = m[1] != "" || m[0] == "" ? "*" : m[2];
// Handle IE7 being really dumb about <object>s
if ( jQuery.nodeName(this, "object") && tag == "*" )
tag = "param";
jQuery.merge( r,
m[1] != "" && ret.length != 1 ?
jQuery.getAll( this, [], m[1], m[2], rec ) :
this.getElementsByTagName( tag )
);
});
// It's faster to filter by class and be done with it
if ( m[1] == "." && ret.length == 1 )
r = jQuery.grep( r, function(e) {
return rec.test(e.className);
});
// Same with ID filtering
if ( m[1] == "#" && ret.length == 1 ) {
// Remember, then wipe out, the result set
var tmp = r;
r = [];
// Then try to find the element with the ID
jQuery.each( tmp, function(){
if ( this.getAttribute("id") == m[2] ) {
r = [ this ];
return false;
}
});
}
ret = r;
}
t = t.replace( re2, "" );
}
}
// If a selector string still exists
if ( t ) {
// Attempt to filter it
var val = jQuery.filter(t,r);
ret = r = val.r;
t = jQuery.trim(val.t);
}
}
// Remove the root context
if ( ret && ret[0] == context ) ret.shift();
// And combine the results
jQuery.merge( done, ret );
return done;
},
filter: function(t,r,not) {
// Look for common filter expressions
while ( t && /^[a-z[({<*:.#]/i.test(t) ) {
var p = jQuery.parse, m;
jQuery.each( p, function(i,re){
// Look for, and replace, string-like sequences
// and finally build a regexp out of it
m = re.exec( t );
if ( m ) {
// Remove what we just matched
t = t.substring( m[0].length );
// Re-organize the first match
if ( jQuery.expr[ m[1] ]._resort )
m = jQuery.expr[ m[1] ]._resort( m );
return false;
}
});
// :not() is a special case that can be optimized by
// keeping it out of the expression list
if ( m[1] == ":" && m[2] == "not" )
r = jQuery.filter(m[3], r, true).r;
// Handle classes as a special case (this will help to
// improve the speed, as the regexp will only be compiled once)
else if ( m[1] == "." ) {
var re = new RegExp("(^|\\s)" + m[2] + "(\\s|$)");
r = jQuery.grep( r, function(e){
return re.test(e.className || "");
}, not);
// Otherwise, find the expression to execute
} else {
var f = jQuery.expr[m[1]];
if ( typeof f != "string" )
f = jQuery.expr[m[1]][m[2]];
// Build a custom macro to enclose it
eval("f = function(a,i){" +
( jQuery.expr[ m[1] ]._prefix || "" ) +
"return " + f + "}");
// Execute it against the current filter
r = jQuery.grep( r, f, not );
}
}
// Return an array of filtered elements (r)
// and the modified expression string (t)
return { r: r, t: t };
},
getAll: function( o, r, token, name, re ) {
for ( var s = o.firstChild; s; s = s.nextSibling )
if ( s.nodeType == 1 ) {
var add = true;
if ( token == "." )
add = s.className && re.test(s.className);
else if ( token == "#" )
add = s.getAttribute("id") == name;
if ( add )
r.push( s );
if ( token == "#" && r.length ) break;
if ( s.firstChild )
jQuery.getAll( s, r, token, name, re );
}
return r;
},
parents: function( elem ){
var matched = [];
var cur = elem.parentNode;
while ( cur && cur != document ) {
matched.push( cur );
cur = cur.parentNode;
}
return matched;
},
nth: function(cur,result,dir,elem){
result = result || 1;
var num = 0;
for ( ; cur; cur = cur[dir] ) {
if ( cur.nodeType == 1 ) num++;
if ( num == result || result == "even" && num % 2 == 0 && num > 1 && cur == elem ||
result == "odd" && num % 2 == 1 && cur == elem ) return cur;
}
},
sibling: function( n, elem ) {
var r = [];
for ( ; n; n = n.nextSibling ) {
if ( n.nodeType == 1 && (!elem || n != elem) )
r.push( n );
}
return r;
}
});
/*
* A number of helper functions used for managing events.
* Many of the ideas behind this code orignated from
* Dean Edwards' addEvent library.
*/
jQuery.event = {
// Bind an event to an element
// Original by Dean Edwards
add: function(element, type, handler, data) {
// For whatever reason, IE has trouble passing the window object
// around, causing it to be cloned in the process
if ( jQuery.browser.msie && element.setInterval != undefined )
element = window;
// if data is passed, bind to handler
if( data )
handler.data = data;
// Make sure that the function being executed has a unique ID
if ( !handler.guid )
handler.guid = this.guid++;
// Init the element's event structure
if (!element.$events)
element.$events = {};
// Get the current list of functions bound to this event
var handlers = element.$events[type];
// If it hasn't been initialized yet
if (!handlers) {
// Init the event handler queue
handlers = element.$events[type] = {};
// Remember an existing handler, if it's already there
if (element["on" + type])
handlers[0] = element["on" + type];
}
// Add the function to the element's handler list
handlers[handler.guid] = handler;
// And bind the global event handler to the element
element["on" + type] = this.handle;
// Remember the function in a global list (for triggering)
if (!this.global[type])
this.global[type] = [];
this.global[type].push( element );
},
guid: 1,
global: {},
// Detach an event or set of events from an element
remove: function(element, type, handler) {
if (element.$events) {
var i,j,k;
if ( type && type.type ) { // type is actually an event object here
handler = type.handler;
type = type.type;
}
if (type && element.$events[type])
// remove the given handler for the given type
if ( handler )
delete element.$events[type][handler.guid];
// remove all handlers for the given type
else
for ( i in element.$events[type] )
delete element.$events[type][i];
// remove all handlers
else
for ( j in element.$events )
this.remove( element, j );
// remove event handler if no more handlers exist
for ( k in element.$events[type] )
if (k) {
k = true;
break;
}
if (!k) element["on" + type] = null;
}
},
trigger: function(type, data, element) {
// Clone the incoming data, if any
data = jQuery.makeArray(data || []);
// Handle a global trigger
if ( !element )
jQuery.each( this.global[type] || [], function(){
jQuery.event.trigger( type, data, this );
});
// Handle triggering a single element
else {
var handler = element["on" + type ], val,
fn = jQuery.isFunction( element[ type ] );
if ( handler ) {
// Pass along a fake event
data.unshift( this.fix({ type: type, target: element }) );
// Trigger the event
if ( (val = handler.apply( element, data )) !== false )
this.triggered = true;
}
if ( fn && val !== false )
element[ type ]();
this.triggered = false;
}
},
handle: function(event) {
// Handle the second event of a trigger and when
// an event is called after a page has unloaded
if ( typeof jQuery == "undefined" || jQuery.event.triggered ) return;
// Empty object is for triggered events with no data
event = jQuery.event.fix( event || window.event || {} );
// returned undefined or false
var returnValue;
var c = this.$events[event.type];
var args = [].slice.call( arguments, 1 );
args.unshift( event );
for ( var j in c ) {
// Pass in a reference to the handler function itself
// So that we can later remove it
args[0].handler = c[j];
args[0].data = c[j].data;
if ( c[j].apply( this, args ) === false ) {
event.preventDefault();
event.stopPropagation();
returnValue = false;
}
}
// Clean up added properties in IE to prevent memory leak
if (jQuery.browser.msie) event.target = event.preventDefault = event.stopPropagation = event.handler = event.data = null;
return returnValue;
},
fix: function(event) {
// Fix target property, if necessary
if ( !event.target && event.srcElement )
event.target = event.srcElement;
// Calculate pageX/Y if missing and clientX/Y available
if ( event.pageX == undefined && event.clientX != undefined ) {
var e = document.documentElement, b = document.body;
event.pageX = event.clientX + (e.scrollLeft || b.scrollLeft);
event.pageY = event.clientY + (e.scrollTop || b.scrollTop);
}
// check if target is a textnode (safari)
if (jQuery.browser.safari && event.target.nodeType == 3) {
// store a copy of the original event object
// and clone because target is read only
var originalEvent = event;
event = jQuery.extend({}, originalEvent);
// get parentnode from textnode
event.target = originalEvent.target.parentNode;
// add preventDefault and stopPropagation since
// they will not work on the clone
event.preventDefault = function() {
return originalEvent.preventDefault();
};
event.stopPropagation = function() {
return originalEvent.stopPropagation();
};
}
// fix preventDefault and stopPropagation
if (!event.preventDefault)
event.preventDefault = function() {
this.returnValue = false;
};
if (!event.stopPropagation)
event.stopPropagation = function() {
this.cancelBubble = true;
};
return event;
}
};
jQuery.fn.extend({
bind: function( type, data, fn ) {
return this.each(function(){
jQuery.event.add( this, type, fn || data, data );
});
},
one: function( type, data, fn ) {
return this.each(function(){
jQuery.event.add( this, type, function(event) {
jQuery(this).unbind(event);
return (fn || data).apply( this, arguments);
}, data);
});
},
unbind: function( type, fn ) {
return this.each(function(){
jQuery.event.remove( this, type, fn );
});
},
trigger: function( type, data ) {
return this.each(function(){
jQuery.event.trigger( type, data, this );
});
},
toggle: function() {
// Save reference to arguments for access in closure
var a = arguments;
return this.click(function(e) {
// Figure out which function to execute
this.lastToggle = this.lastToggle == 0 ? 1 : 0;
// Make sure that clicks stop
e.preventDefault();
// and execute the function
return a[this.lastToggle].apply( this, [e] ) || false;
});
},
hover: function(f,g) {
// A private function for handling mouse 'hovering'
function handleHover(e) {
// Check if mouse(over|out) are still within the same parent element
var p = (e.type == "mouseover" ? e.fromElement : e.toElement) || e.relatedTarget;
// Traverse up the tree
while ( p && p != this ) try { p = p.parentNode } catch(e) { p = this; };
// If we actually just moused on to a sub-element, ignore it
if ( p == this ) return false;
// Execute the right function
return (e.type == "mouseover" ? f : g).apply(this, [e]);
}
// Bind the function to the two event listeners
return this.mouseover(handleHover).mouseout(handleHover);
},
ready: function(f) {
// If the DOM is already ready
if ( jQuery.isReady )
// Execute the function immediately
f.apply( document, [jQuery] );
// Otherwise, remember the function for later
else {
// Add the function to the wait list
jQuery.readyList.push( function() { return f.apply(this, [jQuery]) } );
}
return this;
}
});
jQuery.extend({
/*
* All the code that makes DOM Ready work nicely.
*/
isReady: false,
readyList: [],
// Handle when the DOM is ready
ready: function() {
// Make sure that the DOM is not already loaded
if ( !jQuery.isReady ) {
// Remember that the DOM is ready
jQuery.isReady = true;
// If there are functions bound, to execute
if ( jQuery.readyList ) {
// Execute all of them
jQuery.each( jQuery.readyList, function(){
this.apply( document );
});
// Reset the list of functions
jQuery.readyList = null;
}
// Remove event lisenter to avoid memory leak
if ( jQuery.browser.mozilla || jQuery.browser.opera )
document.removeEventListener( "DOMContentLoaded", jQuery.ready, false );
}
}
});
new function(){
jQuery.each( ("blur,focus,load,resize,scroll,unload,click,dblclick," +
"mousedown,mouseup,mousemove,mouseover,mouseout,change,select," +
"submit,keydown,keypress,keyup,error").split(","), function(i,o){
// Handle event binding
jQuery.fn[o] = function(f){
return f ? this.bind(o, f) : this.trigger(o);
};
});
// If Mozilla is used
if ( jQuery.browser.mozilla || jQuery.browser.opera )
// Use the handy event callback
document.addEventListener( "DOMContentLoaded", jQuery.ready, false );
// If IE is used, use the excellent hack by Matthias Miller
// http://www.outofhanwell.com/blog/index.php?title=the_window_onload_problem_revisited
else if ( jQuery.browser.msie ) {
// Only works if you document.write() it
document.write("<scr" + "ipt id=__ie_init defer=true " +
"src=//:><\/script>");
// Use the defer script hack
var script = document.getElementById("__ie_init");
// script does not exist if jQuery is loaded dynamically
if ( script )
script.onreadystatechange = function() {
if ( this.readyState != "complete" ) return;
this.parentNode.removeChild( this );
jQuery.ready();
};
// Clear from memory
script = null;
// If Safari is used
} else if ( jQuery.browser.safari )
// Continually check to see if the document.readyState is valid
jQuery.safariTimer = setInterval(function(){
// loaded and complete are both valid states
if ( document.readyState == "loaded" ||
document.readyState == "complete" ) {
// If either one are found, remove the timer
clearInterval( jQuery.safariTimer );
jQuery.safariTimer = null;
// and execute any waiting functions
jQuery.ready();
}
}, 10);
// A fallback to window.onload, that will always work
jQuery.event.add( window, "load", jQuery.ready );
};
// Clean up after IE to avoid memory leaks
if (jQuery.browser.msie)
jQuery(window).one("unload", function() {
var global = jQuery.event.global;
for ( var type in global ) {
var els = global[type], i = els.length;
if ( i && type != 'unload' )
do
jQuery.event.remove(els[i-1], type);
while (--i);
}
});
jQuery.fn.extend({
loadIfModified: function( url, params, callback ) {
this.load( url, params, callback, 1 );
},
load: function( url, params, callback, ifModified ) {
if ( jQuery.isFunction( url ) )
return this.bind("load", url);
callback = callback || function(){};
// Default to a GET request
var type = "GET";
// If the second parameter was provided
if ( params )
// If it's a function
if ( jQuery.isFunction( params ) ) {
// We assume that it's the callback
callback = params;
params = null;
// Otherwise, build a param string
} else {
params = jQuery.param( params );
type = "POST";
}
var self = this;
// Request the remote document
jQuery.ajax({
url: url,
type: type,
data: params,
ifModified: ifModified,
complete: function(res, status){
if ( status == "success" || !ifModified && status == "notmodified" )
// Inject the HTML into all the matched elements
self.attr("innerHTML", res.responseText)
// Execute all the scripts inside of the newly-injected HTML
.evalScripts()
// Execute callback
.each( callback, [res.responseText, status, res] );
else
callback.apply( self, [res.responseText, status, res] );
}
});
return this;
},
serialize: function() {
return jQuery.param( this );
},
evalScripts: function() {
return this.find("script").each(function(){
if ( this.src )
jQuery.getScript( this.src );
else
jQuery.globalEval( this.text || this.textContent || this.innerHTML || "" );
}).end();
}
});
// If IE is used, create a wrapper for the XMLHttpRequest object
if ( !window.XMLHttpRequest )
XMLHttpRequest = function(){
return new ActiveXObject("Microsoft.XMLHTTP");
};
// Attach a bunch of functions for handling common AJAX events
jQuery.each( "ajaxStart,ajaxStop,ajaxComplete,ajaxError,ajaxSuccess,ajaxSend".split(","), function(i,o){
jQuery.fn[o] = function(f){
return this.bind(o, f);
};
});
jQuery.extend({
get: function( url, data, callback, type, ifModified ) {
// shift arguments if data argument was ommited
if ( jQuery.isFunction( data ) ) {
callback = data;
data = null;
}
return jQuery.ajax({
url: url,
data: data,
success: callback,
dataType: type,
ifModified: ifModified
});
},
getIfModified: function( url, data, callback, type ) {
return jQuery.get(url, data, callback, type, 1);
},
getScript: function( url, callback ) {
return jQuery.get(url, null, callback, "script");
},
getJSON: function( url, data, callback ) {
return jQuery.get(url, data, callback, "json");
},
post: function( url, data, callback, type ) {
if ( jQuery.isFunction( data ) ) {
callback = data;
data = {};
}
return jQuery.ajax({
type: "POST",
url: url,
data: data,
success: callback,
dataType: type
});
},
// timeout (ms)
//timeout: 0,
ajaxTimeout: function( timeout ) {
jQuery.ajaxSettings.timeout = timeout;
},
ajaxSetup: function( settings ) {
jQuery.extend( jQuery.ajaxSettings, settings );
},
ajaxSettings: {
global: true,
type: "GET",
timeout: 0,
contentType: "application/x-www-form-urlencoded",
processData: true,
async: true,
data: null
},
// Last-Modified header cache for next request
lastModified: {},
ajax: function( s ) {
// TODO introduce global settings, allowing the client to modify them for all requests, not only timeout
s = jQuery.extend({}, jQuery.ajaxSettings, s);
// if data available
if ( s.data ) {
// convert data if not already a string
if (s.processData && typeof s.data != "string")
s.data = jQuery.param(s.data);
// append data to url for get requests
if( s.type.toLowerCase() == "get" ) {
// "?" + data or "&" + data (in case there are already params)
s.url += ((s.url.indexOf("?") > -1) ? "&" : "?") + s.data;
// IE likes to send both get and post data, prevent this
s.data = null;
}
}
// Watch for a new set of requests
if ( s.global && ! jQuery.active++ )
jQuery.event.trigger( "ajaxStart" );
var requestDone = false;
// Create the request object
var xml = new XMLHttpRequest();
// Open the socket
xml.open(s.type, s.url, s.async);
// Set the correct header, if data is being sent
if ( s.data )
xml.setRequestHeader("Content-Type", s.contentType);
// Set the If-Modified-Since header, if ifModified mode.
if ( s.ifModified )
xml.setRequestHeader("If-Modified-Since",
jQuery.lastModified[s.url] || "Thu, 01 Jan 1970 00:00:00 GMT" );
// Set header so the called script knows that it's an XMLHttpRequest
xml.setRequestHeader("X-Requested-With", "XMLHttpRequest");
// Make sure the browser sends the right content length
if ( xml.overrideMimeType )
xml.setRequestHeader("Connection", "close");
// Allow custom headers/mimetypes
if( s.beforeSend )
s.beforeSend(xml);
if ( s.global )
jQuery.event.trigger("ajaxSend", [xml, s]);
// Wait for a response to come back
var onreadystatechange = function(isTimeout){
// The transfer is complete and the data is available, or the request timed out
if ( xml && (xml.readyState == 4 || isTimeout == "timeout") ) {
requestDone = true;
// clear poll interval
if (ival) {
clearInterval(ival);
ival = null;
}
var status;
try {
status = jQuery.httpSuccess( xml ) && isTimeout != "timeout" ?
s.ifModified && jQuery.httpNotModified( xml, s.url ) ? "notmodified" : "success" : "error";
// Make sure that the request was successful or notmodified
if ( status != "error" ) {
// Cache Last-Modified header, if ifModified mode.
var modRes;
try {
modRes = xml.getResponseHeader("Last-Modified");
} catch(e) {} // swallow exception thrown by FF if header is not available
if ( s.ifModified && modRes )
jQuery.lastModified[s.url] = modRes;
// process the data (runs the xml through httpData regardless of callback)
var data = jQuery.httpData( xml, s.dataType );
// If a local callback was specified, fire it and pass it the data
if ( s.success )
s.success( data, status );
// Fire the global callback
if( s.global )
jQuery.event.trigger( "ajaxSuccess", [xml, s] );
} else
jQuery.handleError(s, xml, status);
} catch(e) {
status = "error";
jQuery.handleError(s, xml, status, e);
}
// The request was completed
if( s.global )
jQuery.event.trigger( "ajaxComplete", [xml, s] );
// Handle the global AJAX counter
if ( s.global && ! --jQuery.active )
jQuery.event.trigger( "ajaxStop" );
// Process result
if ( s.complete )
s.complete(xml, status);
// Stop memory leaks
if(s.async)
xml = null;
}
};
// don't attach the handler to the request, just poll it instead
var ival = setInterval(onreadystatechange, 13);
// Timeout checker
if ( s.timeout > 0 )
setTimeout(function(){
// Check to see if the request is still happening
if ( xml ) {
// Cancel the request
xml.abort();
if( !requestDone )
onreadystatechange( "timeout" );
}
}, s.timeout);
// Send the data
try {
xml.send(s.data);
} catch(e) {
jQuery.handleError(s, xml, null, e);
}
// firefox 1.5 doesn't fire statechange for sync requests
if ( !s.async )
onreadystatechange();
// return XMLHttpRequest to allow aborting the request etc.
return xml;
},
handleError: function( s, xml, status, e ) {
// If a local callback was specified, fire it
if ( s.error ) s.error( xml, status, e );
// Fire the global callback
if ( s.global )
jQuery.event.trigger( "ajaxError", [xml, s, e] );
},
// Counter for holding the number of active queries
active: 0,
// Determines if an XMLHttpRequest was successful or not
httpSuccess: function( r ) {
try {
return !r.status && location.protocol == "file:" ||
( r.status >= 200 && r.status < 300 ) || r.status == 304 ||
jQuery.browser.safari && r.status == undefined;
} catch(e){}
return false;
},
// Determines if an XMLHttpRequest returns NotModified
httpNotModified: function( xml, url ) {
try {
var xmlRes = xml.getResponseHeader("Last-Modified");
// Firefox always returns 200. check Last-Modified date
return xml.status == 304 || xmlRes == jQuery.lastModified[url] ||
jQuery.browser.safari && xml.status == undefined;
} catch(e){}
return false;
},
/* Get the data out of an XMLHttpRequest.
* Return parsed XML if content-type header is "xml" and type is "xml" or omitted,
* otherwise return plain text.
* (String) data - The type of data that you're expecting back,
* (e.g. "xml", "html", "script")
*/
httpData: function( r, type ) {
var ct = r.getResponseHeader("content-type");
var data = !type && ct && ct.indexOf("xml") >= 0;
data = type == "xml" || data ? r.responseXML : r.responseText;
// If the type is "script", eval it in global context
if ( type == "script" )
jQuery.globalEval( data );
// Get the JavaScript object, if JSON is used.
if ( type == "json" )
eval( "data = " + data );
// evaluate scripts within html
if ( type == "html" )
jQuery("<div>").html(data).evalScripts();
return data;
},
// Serialize an array of form elements or a set of
// key/values into a query string
param: function( a ) {
var s = [];
// If an array was passed in, assume that it is an array
// of form elements
if ( a.constructor == Array || a.jquery )
// Serialize the form elements
jQuery.each( a, function(){
s.push( encodeURIComponent(this.name) + "=" + encodeURIComponent( this.value ) );
});
// Otherwise, assume that it's an object of key/value pairs
else
// Serialize the key/values
for ( var j in a )
// If the value is an array then the key names need to be repeated
if ( a[j] && a[j].constructor == Array )
jQuery.each( a[j], function(){
s.push( encodeURIComponent(j) + "=" + encodeURIComponent( this ) );
});
else
s.push( encodeURIComponent(j) + "=" + encodeURIComponent( a[j] ) );
// Return the resulting serialization
return s.join("&");
},
// evalulates a script in global context
// not reliable for safari
globalEval: function( data ) {
if ( window.execScript )
window.execScript( data );
else if ( jQuery.browser.safari )
// safari doesn't provide a synchronous global eval
window.setTimeout( data, 0 );
else
eval.call( window, data );
}
});
jQuery.fn.extend({
show: function(speed,callback){
var hidden = this.filter(":hidden");
speed ?
hidden.animate({
height: "show", width: "show", opacity: "show"
}, speed, callback) :
hidden.each(function(){
this.style.display = this.oldblock ? this.oldblock : "";
if ( jQuery.css(this,"display") == "none" )
this.style.display = "block";
});
return this;
},
hide: function(speed,callback){
var visible = this.filter(":visible");
speed ?
visible.animate({
height: "hide", width: "hide", opacity: "hide"
}, speed, callback) :
visible.each(function(){
this.oldblock = this.oldblock || jQuery.css(this,"display");
if ( this.oldblock == "none" )
this.oldblock = "block";
this.style.display = "none";
});
return this;
},
// Save the old toggle function
_toggle: jQuery.fn.toggle,
toggle: function( fn, fn2 ){
var args = arguments;
return jQuery.isFunction(fn) && jQuery.isFunction(fn2) ?
this._toggle( fn, fn2 ) :
this.each(function(){
jQuery(this)[ jQuery(this).is(":hidden") ? "show" : "hide" ]
.apply( jQuery(this), args );
});
},
slideDown: function(speed,callback){
return this.animate({height: "show"}, speed, callback);
},
slideUp: function(speed,callback){
return this.animate({height: "hide"}, speed, callback);
},
slideToggle: function(speed, callback){
return this.each(function(){
var state = jQuery(this).is(":hidden") ? "show" : "hide";
jQuery(this).animate({height: state}, speed, callback);
});
},
fadeIn: function(speed, callback){
return this.animate({opacity: "show"}, speed, callback);
},
fadeOut: function(speed, callback){
return this.animate({opacity: "hide"}, speed, callback);
},
fadeTo: function(speed,to,callback){
return this.animate({opacity: to}, speed, callback);
},
animate: function( prop, speed, easing, callback ) {
return this.queue(function(){
this.curAnim = jQuery.extend({}, prop);
var opt = jQuery.speed(speed, easing, callback);
for ( var p in prop ) {
var e = new jQuery.fx( this, opt, p );
if ( prop[p].constructor == Number )
e.custom( e.cur(), prop[p] );
else
e[ prop[p] ]( prop );
}
});
},
queue: function(type,fn){
if ( !fn ) {
fn = type;
type = "fx";
}
return this.each(function(){
if ( !this.queue )
this.queue = {};
if ( !this.queue[type] )
this.queue[type] = [];
this.queue[type].push( fn );
if ( this.queue[type].length == 1 )
fn.apply(this);
});
}
});
jQuery.extend({
speed: function(speed, easing, fn) {
var opt = speed && speed.constructor == Object ? speed : {
complete: fn || !fn && easing ||
jQuery.isFunction( speed ) && speed,
duration: speed,
easing: fn && easing || easing && easing.constructor != Function && easing
};
opt.duration = (opt.duration && opt.duration.constructor == Number ?
opt.duration :
{ slow: 600, fast: 200 }[opt.duration]) || 400;
// Queueing
opt.old = opt.complete;
opt.complete = function(){
jQuery.dequeue(this, "fx");
if ( jQuery.isFunction( opt.old ) )
opt.old.apply( this );
};
return opt;
},
easing: {},
queue: {},
dequeue: function(elem,type){
type = type || "fx";
if ( elem.queue && elem.queue[type] ) {
// Remove self
elem.queue[type].shift();
// Get next function
var f = elem.queue[type][0];
if ( f ) f.apply( elem );
}
},
/*
* I originally wrote fx() as a clone of moo.fx and in the process
* of making it small in size the code became illegible to sane
* people. You've been warned.
*/
fx: function( elem, options, prop ){
var z = this;
// The styles
var y = elem.style;
// Store display property
var oldDisplay = jQuery.css(elem, "display");
// Make sure that nothing sneaks out
y.overflow = "hidden";
// Simple function for setting a style value
z.a = function(){
if ( options.step )
options.step.apply( elem, [ z.now ] );
if ( prop == "opacity" )
jQuery.attr(y, "opacity", z.now); // Let attr handle opacity
else if ( parseInt(z.now) ) // My hate for IE will never die
y[prop] = parseInt(z.now) + "px";
y.display = "block"; // Set display property to block for animation
};
// Figure out the maximum number to run to
z.max = function(){
return parseFloat( jQuery.css(elem,prop) );
};
// Get the current size
z.cur = function(){
var r = parseFloat( jQuery.curCSS(elem, prop) );
return r && r > -10000 ? r : z.max();
};
// Start an animation from one number to another
z.custom = function(from,to){
z.startTime = (new Date()).getTime();
z.now = from;
z.a();
z.timer = setInterval(function(){
z.step(from, to);
}, 13);
};
// Simple 'show' function
z.show = function(){
if ( !elem.orig ) elem.orig = {};
// Remember where we started, so that we can go back to it later
elem.orig[prop] = this.cur();
options.show = true;
// Begin the animation
z.custom(0, elem.orig[prop]);
// Stupid IE, look what you made me do
if ( prop != "opacity" )
y[prop] = "1px";
};
// Simple 'hide' function
z.hide = function(){
if ( !elem.orig ) elem.orig = {};
// Remember where we started, so that we can go back to it later
elem.orig[prop] = this.cur();
options.hide = true;
// Begin the animation
z.custom(elem.orig[prop], 0);
};
//Simple 'toggle' function
z.toggle = function() {
if ( !elem.orig ) elem.orig = {};
// Remember where we started, so that we can go back to it later
elem.orig[prop] = this.cur();
if(oldDisplay == "none") {
options.show = true;
// Stupid IE, look what you made me do
if ( prop != "opacity" )
y[prop] = "1px";
// Begin the animation
z.custom(0, elem.orig[prop]);
} else {
options.hide = true;
// Begin the animation
z.custom(elem.orig[prop], 0);
}
};
// Each step of an animation
z.step = function(firstNum, lastNum){
var t = (new Date()).getTime();
if (t > options.duration + z.startTime) {
// Stop the timer
clearInterval(z.timer);
z.timer = null;
z.now = lastNum;
z.a();
if (elem.curAnim) elem.curAnim[ prop ] = true;
var done = true;
for ( var i in elem.curAnim )
if ( elem.curAnim[i] !== true )
done = false;
if ( done ) {
// Reset the overflow
y.overflow = "";
// Reset the display
y.display = oldDisplay;
if (jQuery.css(elem, "display") == "none")
y.display = "block";
// Hide the element if the "hide" operation was done
if ( options.hide )
y.display = "none";
// Reset the properties, if the item has been hidden or shown
if ( options.hide || options.show )
for ( var p in elem.curAnim )
if (p == "opacity")
jQuery.attr(y, p, elem.orig[p]);
else
y[p] = "";
}
// If a callback was provided, execute it
if ( done && jQuery.isFunction( options.complete ) )
// Execute the complete function
options.complete.apply( elem );
} else {
var n = t - this.startTime;
// Figure out where in the animation we are and set the number
var p = n / options.duration;
// If the easing function exists, then use it
z.now = options.easing && jQuery.easing[options.easing] ?
jQuery.easing[options.easing](p, n, firstNum, (lastNum-firstNum), options.duration) :
// else use default linear easing
((-Math.cos(p*Math.PI)/2) + 0.5) * (lastNum-firstNum) + firstNum;
// Perform the next step of the animation
z.a();
}
};
}
});
}
| NCIP/eagle | WebRoot/js/lib/jquery.js | JavaScript | bsd-3-clause | 59,266 |
# Author: Immanuel Bayer
# License: BSD 3 clause
import ffm
import numpy as np
from .base import FactorizationMachine
from sklearn.utils.testing import assert_array_equal
from .validation import check_array, assert_all_finite
class FMRecommender(FactorizationMachine):
""" Factorization Machine Recommender with pairwise (BPR) loss solver.
Parameters
----------
n_iter : int, optional
The number of interations of individual samples .
init_stdev: float, optional
Sets the stdev for the initialization of the parameter
random_state: int, optional
The seed of the pseudo random number generator that
initializes the parameters and mcmc chain.
rank: int
The rank of the factorization used for the second order interactions.
l2_reg_w : float
L2 penalty weight for pairwise coefficients.
l2_reg_V : float
L2 penalty weight for linear coefficients.
l2_reg : float
L2 penalty weight for all coefficients (default=0).
step_size : float
Stepsize for the SGD solver, the solver uses a fixed step size and
might require a tunning of the number of iterations `n_iter`.
Attributes
---------
w0_ : float
bias term
w_ : float | array, shape = (n_features)
Coefficients for linear combination.
V_ : float | array, shape = (rank_pair, n_features)
Coefficients of second order factor matrix.
"""
def __init__(self, n_iter=100, init_stdev=0.1, rank=8, random_state=123,
l2_reg_w=0.1, l2_reg_V=0.1, l2_reg=0, step_size=0.1):
super(FMRecommender, self).\
__init__(n_iter=n_iter, init_stdev=init_stdev, rank=rank,
random_state=random_state)
if (l2_reg != 0):
self.l2_reg_V = l2_reg
self.l2_reg_w = l2_reg
else:
self.l2_reg_w = l2_reg_w
self.l2_reg_V = l2_reg_V
self.step_size = step_size
self.task = "ranking"
def fit(self, X, pairs):
""" Fit model with specified loss.
Parameters
----------
X : scipy.sparse.csc_matrix, (n_samples, n_features)
y : float | ndarray, shape = (n_compares, 2)
Each row `i` defines a pair of samples such that
the first returns a high value then the second
FM(X[i,0]) > FM(X[i, 1]).
"""
X = X.T
X = check_array(X, accept_sparse="csc", dtype=np.float64)
assert_all_finite(pairs)
pairs = pairs.astype(np.float64)
# check that pairs contain no real values
assert_array_equal(pairs, pairs.astype(np.int32))
assert pairs.max() <= X.shape[1]
assert pairs.min() >= 0
self.w0_, self.w_, self.V_ = ffm.ffm_fit_sgd_bpr(self, X, pairs)
return self
| ibayer/fastFM-fork | fastFM/bpr.py | Python | bsd-3-clause | 2,859 |
package me.hatter.tools.resourceproxy.commons.io;
import java.io.File;
import java.io.FileNotFoundException;
import java.io.FileOutputStream;
import java.io.OutputStreamWriter;
import java.io.PrintWriter;
import java.io.UnsupportedEncodingException;
public class FilePrintWriter extends PrintWriter {
public FilePrintWriter(File file) throws FileNotFoundException {
super(new OutputStreamWriter(new FileOutputStream(file)));
}
public FilePrintWriter(File file, String charset) throws UnsupportedEncodingException, FileNotFoundException {
super(new OutputStreamWriter(new FileOutputStream(file), charset));
}
}
| KingBowser/hatter-source-code | resourceproxy/commons/src/me/hatter/tools/resourceproxy/commons/io/FilePrintWriter.java | Java | bsd-3-clause | 646 |
#include <stdlib.h>
#include <stdio.h>
#include <utp.h>
#include <utp.c>
int test()
{
return -1;
}
int main(int argc, char ** argv)
{
if (argc != 2) {
fprintf(stderr, "usage: server <PORT>\n");
return EXIT_FAILURE;
}
int port = atoi(argv[1]);
printf("using port = %i\n", port);
struct usocket * sock = usocket();
if (sock == NULL) {
perror("unable to open socket");
return EXIT_FAILURE;
}
printf("socket opened 0x%x\n", sock);
struct sockaddr_in serv_addr;
bzero(&serv_addr, sizeof(serv_addr));
serv_addr.sin_family = AF_INET;
serv_addr.sin_addr.s_addr = htonl(INADDR_ANY);
serv_addr.sin_port = htons(port);
int ret = ubind(sock, (struct sockaddr *)&serv_addr, sizeof(serv_addr));
if (ret == -1) {
perror("unable to bind socket");
return EXIT_FAILURE;
}
printf("socket bound\n");
// TODO listen
int i = 0;
for (; ; ++i) {
struct sockaddr_in cli_addr;
socklen_t len = sizeof(cli_addr);
fprintf(stderr, "waiting for a connection\n");
struct usocket * conn = uaccept(sock, (struct sockaddr *)&cli_addr, &len);
if (conn == NULL) {
perror("accept");
continue;
}
fprintf(stderr, "opened %i connection\n", i);
//pid_t pid = fork();
int ret = uclose(conn);
if (ret == -1) {
perror("unable to close connection");
return EXIT_FAILURE;
}
}
ret = uclose(sock);
if (ret == -1) {
perror("unable to close socket");
return EXIT_FAILURE;
}
return EXIT_SUCCESS;
}
| pxqr/utp | tests/server.c | C | bsd-3-clause | 1,675 |
Copyright 2017 Roman Dodin
Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met:
1. Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer.
2. 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.
3. Neither the name of the copyright holder nor the names of its contributors may 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 HOLDER 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.
| hellt/nokdoc | LICENSE.md | Markdown | bsd-3-clause | 1,456 |
/*
* mplsred.h
*
* Copyright 2010 Daniel Mende <[email protected]>
*/
/*
* 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.
* * Neither the name of the nor the names of its
* contributors may 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.
*/
#ifndef MPLSRED_H
#define MPLSRED_H 1
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <sys/stat.h>
#ifdef _WIN32
#include <winsock2.h>
#include <time.h>
#else
#include <unistd.h>
#include <sys/time.h>
#endif
#include <dnet.h>
#include <pcap.h>
#define MAX_PACKET_LEN 1500
#define CHECK_FOR_LOCKFILE 1000
#define TIMEOUT_SEC 1
#define TIMEOUT_USEC 0
extern int mplsred(char*, char*, int, uint16_t, uint16_t, char*, char*, int);
#endif
| kholia/Loki | include/mplsred.h | C | bsd-3-clause | 2,168 |
#include "torch-moveit.h"
#include <moveit/planning_scene_interface/planning_scene_interface.h>
#include "utils.h"
typedef std::shared_ptr<moveit_msgs::CollisionObject> CollisionObjectPtr;
MOVIMP(CollisionObjectPtr*, CollisionObject, new)()
{
CollisionObjectPtr *p = new CollisionObjectPtr(new moveit_msgs::CollisionObject());
(*p)->operation = moveit_msgs::CollisionObject::ADD;
return p;
}
MOVIMP(void, CollisionObject, delete)(CollisionObjectPtr *ptr)
{
if (ptr)
delete ptr;
}
MOVIMP(const char *, CollisionObject, getId)(CollisionObjectPtr *self)
{
return (*self)->id.c_str();
}
MOVIMP(void, CollisionObject, setId)(CollisionObjectPtr *self, const char *id)
{
(*self)->id = id;
}
MOVIMP(const char *, CollisionObject, getFrameId)(CollisionObjectPtr *self)
{
return (*self)->header.frame_id.c_str();
}
MOVIMP(void, CollisionObject, setFrameId)(CollisionObjectPtr *self, const char *id)
{
(*self)->header.frame_id = id;
}
MOVIMP(int, CollisionObject, getOperation)(CollisionObjectPtr *self)
{
return (*self)->operation;
}
MOVIMP(void, CollisionObject, setOperation)(CollisionObjectPtr *self, int operation)
{
(*self)->operation = static_cast< moveit_msgs::CollisionObject::_operation_type>(operation);
}
MOVIMP(void, CollisionObject, addPrimitive)(CollisionObjectPtr *self, int type, THDoubleTensor *dimensions, tf::Transform *transform)
{
shape_msgs::SolidPrimitive primitive;
primitive.type = type;
Tensor2vector(dimensions, primitive.dimensions);
(*self)->primitives.push_back(primitive);
geometry_msgs::Pose pose; // convert transform to pose msg
poseTFToMsg(*transform, pose);
(*self)->primitive_poses.push_back(pose);
}
MOVIMP(void, CollisionObject, addPlane)(CollisionObjectPtr *self, THDoubleTensor *coefs, tf::Transform *transform)
{
shape_msgs::Plane plane;
for (int i = 0; i < 4; ++i)
plane.coef[i] = THDoubleTensor_get1d(coefs, i);
(*self)->planes.push_back(plane);
geometry_msgs::Pose pose; // convert transform to pose msg
poseTFToMsg(*transform, pose);
(*self)->plane_poses.push_back(pose);
}
| Xamla/torch-moveit | src/collision_object.cpp | C++ | bsd-3-clause | 2,089 |
// Generated by delombok at Sat Jun 11 11:12:44 CEST 2016
public final class Zoo {
private final String meerkat;
private final String warthog;
public Zoo create() {
return new Zoo("tomon", "pumbaa");
}
@java.lang.SuppressWarnings("all")
@javax.annotation.Generated("lombok")
Zoo(final String meerkat, final String warthog) {
this.meerkat = meerkat;
this.warthog = warthog;
}
@java.lang.SuppressWarnings("all")
@javax.annotation.Generated("lombok")
public static class ZooBuilder {
@java.lang.SuppressWarnings("all")
@javax.annotation.Generated("lombok")
private String meerkat;
@java.lang.SuppressWarnings("all")
@javax.annotation.Generated("lombok")
private String warthog;
@java.lang.SuppressWarnings("all")
@javax.annotation.Generated("lombok")
ZooBuilder() {
}
@java.lang.SuppressWarnings("all")
@javax.annotation.Generated("lombok")
public ZooBuilder meerkat(final String meerkat) {
this.meerkat = meerkat;
return this;
}
@java.lang.SuppressWarnings("all")
@javax.annotation.Generated("lombok")
public ZooBuilder warthog(final String warthog) {
this.warthog = warthog;
return this;
}
@java.lang.SuppressWarnings("all")
@javax.annotation.Generated("lombok")
public Zoo build() {
return new Zoo(meerkat, warthog);
}
@java.lang.Override
@java.lang.SuppressWarnings("all")
@javax.annotation.Generated("lombok")
public java.lang.String toString() {
return "Zoo.ZooBuilder(meerkat=" + this.meerkat + ", warthog=" + this.warthog + ")";
}
}
@java.lang.SuppressWarnings("all")
@javax.annotation.Generated("lombok")
public static ZooBuilder builder() {
return new ZooBuilder();
}
@java.lang.SuppressWarnings("all")
@javax.annotation.Generated("lombok")
public String getMeerkat() {
return this.meerkat;
}
@java.lang.SuppressWarnings("all")
@javax.annotation.Generated("lombok")
public String getWarthog() {
return this.warthog;
}
@java.lang.Override
@java.lang.SuppressWarnings("all")
@javax.annotation.Generated("lombok")
public boolean equals(final java.lang.Object o) {
if (o == this) return true;
if (!(o instanceof Zoo)) return false;
final Zoo other = (Zoo) o;
final java.lang.Object this$meerkat = this.getMeerkat();
final java.lang.Object other$meerkat = other.getMeerkat();
if (this$meerkat == null ? other$meerkat != null : !this$meerkat.equals(other$meerkat)) return false;
final java.lang.Object this$warthog = this.getWarthog();
final java.lang.Object other$warthog = other.getWarthog();
if (this$warthog == null ? other$warthog != null : !this$warthog.equals(other$warthog)) return false;
return true;
}
@java.lang.Override
@java.lang.SuppressWarnings("all")
@javax.annotation.Generated("lombok")
public int hashCode() {
final int PRIME = 59;
int result = 1;
final java.lang.Object $meerkat = this.getMeerkat();
result = result * PRIME + ($meerkat == null ? 43 : $meerkat.hashCode());
final java.lang.Object $warthog = this.getWarthog();
result = result * PRIME + ($warthog == null ? 43 : $warthog.hashCode());
return result;
}
@java.lang.Override
@java.lang.SuppressWarnings("all")
@javax.annotation.Generated("lombok")
public java.lang.String toString() {
return "Zoo(meerkat=" + this.getMeerkat() + ", warthog=" + this.getWarthog() + ")";
}
}
| AlexejK/lombok-intellij-plugin | testData/after/value/ValueAndBuilder93.java | Java | bsd-3-clause | 3,489 |
<!DOCTYPE html>
<!--[if IE 8]><html class="no-js lt-ie9" lang="en" > <![endif]-->
<!--[if gt IE 8]><!--> <html class="no-js" lang="en" > <!--<![endif]-->
<head>
<meta charset="utf-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>relative_humidity_from_dewpoint — MetPy 0.11</title>
<link rel="shortcut icon" href="../../_static/metpy_32x32.ico"/>
<link rel="canonical" href="https://unidata.github.io/MetPy/latest/api/generated/metpy.calc.relative_humidity_from_dewpoint.html"/>
<link rel="stylesheet" href="../../_static/css/theme.css" type="text/css" />
<link rel="stylesheet" href="../../_static/gallery.css" type="text/css" />
<link rel="stylesheet" href="../../_static/theme_override.css" type="text/css" />
<link rel="index" title="Index"
href="../../genindex.html"/>
<link rel="search" title="Search" href="../../search.html"/>
<link rel="top" title="MetPy 0.11" href="../../index.html"/>
<link rel="up" title="calc" href="metpy.calc.html"/>
<link rel="next" title="relative_humidity_from_mixing_ratio" href="metpy.calc.relative_humidity_from_mixing_ratio.html"/>
<link rel="prev" title="psychrometric_vapor_pressure_wet" href="metpy.calc.psychrometric_vapor_pressure_wet.html"/>
<script src="../../_static/js/modernizr.min.js"></script>
</head>
<body class="wy-body-for-nav" role="document">
<div class="wy-grid-for-nav">
<nav data-toggle="wy-nav-shift" class="wy-nav-side">
<div class="wy-side-scroll">
<div class="wy-side-nav-search">
<a href="../../index.html" class="icon icon-home"> MetPy
<img src="../../_static/metpy_150x150.png" class="logo" />
</a>
<div class="version">
<div class="version-dropdown">
<select class="version-list" id="version-list">
<option value=''>0.11</option>
<option value="../latest">latest</option>
<option value="../dev">dev</option>
</select>
</div>
</div>
<div role="search">
<form id="rtd-search-form" class="wy-form" action="../../search.html" method="get">
<input type="text" name="q" placeholder="Search docs" />
<input type="hidden" name="check_keywords" value="yes" />
<input type="hidden" name="area" value="default" />
</form>
</div>
</div>
<div class="wy-menu wy-menu-vertical" data-spy="affix" role="navigation" aria-label="main navigation">
<ul class="current">
<li class="toctree-l1"><a class="reference internal" href="../../installguide.html">Installation Guide</a></li>
<li class="toctree-l1"><a class="reference internal" href="../../startingguide.html">Getting Started with MetPy</a></li>
<li class="toctree-l1"><a class="reference internal" href="../../units.html">Unit Support</a></li>
<li class="toctree-l1"><a class="reference internal" href="../../examples/index.html">Reference/API Examples</a></li>
<li class="toctree-l1"><a class="reference external" href="https://unidata.github.io/python-gallery/examples/index.html">Topical Examples</a></li>
<li class="toctree-l1"><a class="reference internal" href="../../tutorials/index.html">Tutorials</a></li>
<li class="toctree-l1 current"><a class="reference internal" href="../index.html">Reference Guide</a><ul class="current">
<li class="toctree-l2"><a class="reference internal" href="metpy.constants.html">constants</a></li>
<li class="toctree-l2"><a class="reference internal" href="metpy.units.html">units</a></li>
<li class="toctree-l2"><a class="reference internal" href="metpy.io.html">io</a></li>
<li class="toctree-l2 current"><a class="reference internal" href="metpy.calc.html">calc</a><ul class="current">
<li class="toctree-l3"><a class="reference internal" href="metpy.calc.html#dry-thermodynamics">Dry Thermodynamics</a></li>
<li class="toctree-l3 current"><a class="reference internal" href="metpy.calc.html#moist-thermodynamics">Moist Thermodynamics</a><ul class="current">
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.dewpoint.html">dewpoint</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.dewpoint_from_specific_humidity.html">dewpoint_from_specific_humidity</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.dewpoint_rh.html">dewpoint_rh</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.equivalent_potential_temperature.html">equivalent_potential_temperature</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.mixing_ratio.html">mixing_ratio</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.mixing_ratio_from_relative_humidity.html">mixing_ratio_from_relative_humidity</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.mixing_ratio_from_specific_humidity.html">mixing_ratio_from_specific_humidity</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.moist_lapse.html">moist_lapse</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.moist_static_energy.html">moist_static_energy</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.precipitable_water.html">precipitable_water</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.psychrometric_vapor_pressure_wet.html">psychrometric_vapor_pressure_wet</a></li>
<li class="toctree-l4 current"><a class="current reference internal" href="#">relative_humidity_from_dewpoint</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.relative_humidity_from_mixing_ratio.html">relative_humidity_from_mixing_ratio</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.relative_humidity_from_specific_humidity.html">relative_humidity_from_specific_humidity</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.relative_humidity_wet_psychrometric.html">relative_humidity_wet_psychrometric</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.saturation_equivalent_potential_temperature.html">saturation_equivalent_potential_temperature</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.saturation_mixing_ratio.html">saturation_mixing_ratio</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.saturation_vapor_pressure.html">saturation_vapor_pressure</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.specific_humidity_from_dewpoint.html">specific_humidity_from_dewpoint</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.specific_humidity_from_mixing_ratio.html">specific_humidity_from_mixing_ratio</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.thickness_hydrostatic_from_relative_humidity.html">thickness_hydrostatic_from_relative_humidity</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.vapor_pressure.html">vapor_pressure</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.vertical_velocity.html">vertical_velocity</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.vertical_velocity_pressure.html">vertical_velocity_pressure</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.virtual_potential_temperature.html">virtual_potential_temperature</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.virtual_temperature.html">virtual_temperature</a></li>
<li class="toctree-l4"><a class="reference internal" href="metpy.calc.wet_bulb_temperature.html">wet_bulb_temperature</a></li>
</ul>
</li>
<li class="toctree-l3"><a class="reference internal" href="metpy.calc.html#soundings">Soundings</a></li>
<li class="toctree-l3"><a class="reference internal" href="metpy.calc.html#dynamic-kinematic">Dynamic/Kinematic</a></li>
<li class="toctree-l3"><a class="reference internal" href="metpy.calc.html#boundary-layer-turbulence">Boundary Layer/Turbulence</a></li>
<li class="toctree-l3"><a class="reference internal" href="metpy.calc.html#mathematical-functions">Mathematical Functions</a></li>
<li class="toctree-l3"><a class="reference internal" href="metpy.calc.html#apparent-temperature">Apparent Temperature</a></li>
<li class="toctree-l3"><a class="reference internal" href="metpy.calc.html#standard-atmosphere">Standard Atmosphere</a></li>
<li class="toctree-l3"><a class="reference internal" href="metpy.calc.html#other">Other</a></li>
<li class="toctree-l3"><a class="reference internal" href="metpy.calc.html#deprecated">Deprecated</a></li>
</ul>
</li>
<li class="toctree-l2"><a class="reference internal" href="metpy.plots.html">plots</a></li>
<li class="toctree-l2"><a class="reference internal" href="metpy.plots.ctables.html">ctables</a></li>
<li class="toctree-l2"><a class="reference internal" href="metpy.interpolate.html">interpolate</a></li>
<li class="toctree-l2"><a class="reference internal" href="metpy.gridding.html">gridding</a></li>
<li class="toctree-l2"><a class="reference internal" href="metpy.xarray.html">xarray</a></li>
</ul>
</li>
<li class="toctree-l1"><a class="reference internal" href="../../roadmap.html">MetPy Roadmap</a></li>
<li class="toctree-l1"><a class="reference internal" href="../../gempak.html">GEMPAK Conversion Guide</a></li>
<li class="toctree-l1"><a class="reference internal" href="../../SUPPORT.html">Support</a></li>
<li class="toctree-l1"><a class="reference internal" href="../../CONTRIBUTING.html">Contributors Guide</a></li>
<li class="toctree-l1"><a class="reference internal" href="../../infrastructureguide.html">Infrastructure Guide</a></li>
<li class="toctree-l1"><a class="reference internal" href="../../citing.html">Citing MetPy</a></li>
<li class="toctree-l1"><a class="reference internal" href="../../references.html">References</a></li>
</ul>
</div>
</div>
</nav>
<section data-toggle="wy-nav-shift" class="wy-nav-content-wrap">
<nav class="wy-nav-top" role="navigation" aria-label="top navigation">
<i data-toggle="wy-nav-top" class="fa fa-bars"></i>
<a href="../../index.html">MetPy</a>
</nav>
<div class="wy-nav-content">
<div class="rst-content">
<div role="navigation" aria-label="breadcrumbs navigation">
<ul class="wy-breadcrumbs">
<li><a href="../../index.html">Docs</a> »</li>
<li><a href="../index.html">Reference Guide</a> »</li>
<li><a href="metpy.calc.html">calc</a> »</li>
<li>relative_humidity_from_dewpoint</li>
<li class="source-link">
<a href="https://github.com/Unidata/MetPy/issues/new?title=Suggested%20improvement%20for%20api/generated/metpy.calc.relative_humidity_from_dewpoint&body=Please%20describe%20what%20could%20be%20improved%20about%20this%20page%20or%20the%20typo/mistake%20that%20you%20found%3A"
class="fa fa-github"> Improve this page</a>
</li>
</ul>
<hr/>
</div>
<div role="main" class="document" itemscope="itemscope" itemtype="http://schema.org/Article">
<div itemprop="articleBody">
<div class="section" id="relative-humidity-from-dewpoint">
<h1>relative_humidity_from_dewpoint<a class="headerlink" href="#relative-humidity-from-dewpoint" title="Permalink to this headline">¶</a></h1>
<dl class="function">
<dt id="metpy.calc.relative_humidity_from_dewpoint">
<code class="sig-prename descclassname">metpy.calc.</code><code class="sig-name descname">relative_humidity_from_dewpoint</code><span class="sig-paren">(</span><em class="sig-param">temperature</em>, <em class="sig-param">dewpt</em><span class="sig-paren">)</span><a class="reference internal" href="../../_modules/metpy/calc/thermo.html#relative_humidity_from_dewpoint"><span class="viewcode-link">[source]</span></a><a class="headerlink" href="#metpy.calc.relative_humidity_from_dewpoint" title="Permalink to this definition">¶</a></dt>
<dd><p>Calculate the relative humidity.</p>
<p>Uses temperature and dewpoint in celsius to calculate relative
humidity using the ratio of vapor pressure to saturation vapor pressures.</p>
<dl class="field-list simple">
<dt class="field-odd">Parameters</dt>
<dd class="field-odd"><ul class="simple">
<li><p><strong>temperature</strong> (<em class="xref py py-obj">pint.Quantity</em>) – air temperature</p></li>
<li><p><strong>dewpoint</strong> (<em class="xref py py-obj">pint.Quantity</em>) – dewpoint temperature</p></li>
</ul>
</dd>
<dt class="field-even">Returns</dt>
<dd class="field-even"><p><em class="xref py py-obj">pint.Quantity</em> – relative humidity</p>
</dd>
</dl>
<div class="admonition seealso">
<p class="admonition-title">See also</p>
<p><a class="reference internal" href="metpy.calc.saturation_vapor_pressure.html#metpy.calc.saturation_vapor_pressure" title="metpy.calc.saturation_vapor_pressure"><code class="xref py py-func docutils literal notranslate"><span class="pre">saturation_vapor_pressure()</span></code></a></p>
</div>
</dd></dl>
<div style='clear:both'></div></div>
</div>
<div class="articleComments">
</div>
</div>
<footer>
<div class="rst-footer-buttons" role="navigation" aria-label="footer navigation">
<a href="metpy.calc.relative_humidity_from_mixing_ratio.html" class="btn btn-neutral float-right" title="relative_humidity_from_mixing_ratio" accesskey="n" rel="next">Next <span class="fa fa-arrow-circle-right"></span></a>
<a href="metpy.calc.psychrometric_vapor_pressure_wet.html" class="btn btn-neutral" title="psychrometric_vapor_pressure_wet" accesskey="p" rel="prev"><span class="fa fa-arrow-circle-left"></span> Previous</a>
</div>
<hr/>
<div role="contentinfo">
<p>
© Copyright 2019, MetPy Developers. Development supported by National Science Foundation grants AGS-1344155, OAC-1740315, and AGS-1901712..
Last updated on Oct 18, 2019 at 17:16:45.
</p>
</div>
Built with <a href="http://sphinx-doc.org/">Sphinx</a> using a <a href="https://github.com/snide/sphinx_rtd_theme">theme</a> provided by <a href="https://readthedocs.org">Read the Docs</a>.
<script>
(function(i,s,o,g,r,a,m){i['GoogleAnalyticsObject']=r;i[r]=i[r]||function(){
(i[r].q=i[r].q||[]).push(arguments)},i[r].l=1*new Date();a=s.createElement(o),
m=s.getElementsByTagName(o)[0];a.async=1;a.src=g;m.parentNode.insertBefore(a,m)
})(window,document,'script','https://www.google-analytics.com/analytics.js','ga');
ga('create', 'UA-92978945-1', 'auto');
ga('send', 'pageview');
</script>
<script>var version_json_loc = "../../../versions.json";</script>
<p>Do you enjoy using MetPy?
<a href="https://saythanks.io/to/unidata" class="btn btn-neutral" title="Say Thanks!" accesskey="n">Say Thanks!</a>
</p>
</footer>
</div>
</div>
</section>
</div>
<script type="text/javascript">
var DOCUMENTATION_OPTIONS = {
URL_ROOT:'../../',
VERSION:'0.11.1',
LANGUAGE:'None',
COLLAPSE_INDEX:false,
FILE_SUFFIX:'.html',
HAS_SOURCE: true,
SOURCELINK_SUFFIX: '.txt'
};
</script>
<script type="text/javascript" src="../../_static/jquery.js"></script>
<script type="text/javascript" src="../../_static/underscore.js"></script>
<script type="text/javascript" src="../../_static/doctools.js"></script>
<script type="text/javascript" src="../../_static/language_data.js"></script>
<script type="text/javascript" src="../../_static/pop_ver.js"></script>
<script type="text/javascript" src="https://cdnjs.cloudflare.com/ajax/libs/mathjax/2.7.5/latest.js?config=TeX-AMS-MML_HTMLorMML"></script>
<script type="text/javascript" src="../../_static/js/theme.js"></script>
<script type="text/javascript">
jQuery(function () {
SphinxRtdTheme.StickyNav.enable();
});
</script>
</body>
</html> | metpy/MetPy | v0.11/api/generated/metpy.calc.relative_humidity_from_dewpoint.html | HTML | bsd-3-clause | 17,016 |
<?php
/*
* This file is part of the codeliner/ginger-plugin-installer package.
* (c) Alexander Miertsch <[email protected]>
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
return array(
); | gingerwfms/ginger-plugin-installer | config/module.config.php | PHP | bsd-3-clause | 284 |
package ru.ac.uniyar.dots;
import android.app.Application;
import android.test.ApplicationTestCase;
/**
* <a href="http://d.android.com/tools/testing/testing_android.html">Testing Fundamentals</a>
*/
public class ApplicationTest extends ApplicationTestCase<Application> {
public ApplicationTest() {
super(Application.class);
}
} | ivparamonov/android-course-examples | dots/app/src/androidTest/java/ru/ac/uniyar/dots/ApplicationTest.java | Java | bsd-3-clause | 348 |
---
layout: organization
category: local
title: St. Helens Church
impact_area: Human Rights
keywords:
location_services:
location_offices:
website: sthelen.org
description:
mission: |
Support group for the physically challenged/ community service organization
cash_grants:
grants:
service_opp:
services:
learn:
cont_relationship:
salutation:
first_name:
last_name:
title_contact_person:
city: Queens
state: NY
address: |
157-10 83 Street
Queens NY 11414
lat: 40.659751
lng: -73.849696
phone: 718-848-9173
ext:
fax:
email:
preferred_contact:
contact_person_intro:
---
| flipside-org/penny-harvest | _posts/organizations/2015-01-12-O1202.md | Markdown | bsd-3-clause | 602 |
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en" dir="ltr">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=iso-8859-1" />
<title>Kontrollbase 2.0.1 - MySQL Monitoring</title>
<link rel="stylesheet" type="text/css" media="all" href="http://testing.kontrollbase.com/userguide/css/userguide-nofluff.css" />
<script type="text/javascript" src="http://testing.kontrollbase.com/includes/browser_detect.js"></script>
<script language="JavaScript" SRC="http://testing.kontrollbase.com/includes/CalendarPopup.js"></script>
<script language="JavaScript">
var cal = new CalendarPopup();</script>
<script language="JavaScript" ID="jscal1x">
var cal1x = new CalendarPopup("graphform");</script>
<script language="JavaScript">document.write(getCalendarStyles());</script>
</head>
<body><table cellpadding="0" cellspacing="1" border="0" style="width:100%" class="tableborder"><tr><td colspan='3'><div id='content'><h1>Date range: start 2009-09-10 -> end 2009-09-17</h1></td></tr><tr><td colspan="3">
<div id="content"><table cellpadding="0" cellspacing="1" border="0" class="tableborder"><form action="http://testing.kontrollbase.com/index.php/main/graphs" method="post" name="graphform"><input type="hidden" name="server_list_id" value="14" /><tr><th>Start date</th><th>End Date</th><th> </th></tr><tr><td class='td'><input type="text" name="sday" value="2009-09-10" id="sday" maxlength="10" size="15" style="width:50%" />
<a href="#"onClick="cal.select(document.forms['graphform'].sday,'anchor1','yyyy-MM-dd'); return false;" NAME="anchor1" ID="anchor1"><img src='http://testing.kontrollbase.com/includes/images/icon_calendar.gif' height='20' width='20' border='0'></a></td><td class='td'><input type="text" name="eday" value="2009-09-17" id="eday" maxlength="10" size="15" style="width:50%" />
<a href="#"onClick="cal.select(document.forms['graphform'].eday,'anchor1','yyyy-MM-dd'); return false;" NAME="anchor1" ID="anchor1"><img src='http://testing.kontrollbase.com/includes/images/icon_calendar.gif' height='20' width='20' border='0'></a></td><td><input type="submit" name="submit" value="Submit" /></td></tr></table></td></tr><table><tr><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Query Rate' xAxisName='' yAxisName='Q/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='12.7062' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='12.7032' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='12.7006' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='12.6975' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='12.6944' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='12.7008' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='12.6977' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='12.6965' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='12.6941' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='12.6919' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='12.6914' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='12.6906' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='12.6888' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='12.6868' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='12.6847' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='12.6828' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='12.6828' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='12.6808' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='12.6784' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='12.6765' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='12.6741' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='12.6717' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='12.6693' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='12.6665' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='12.6638' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='12.6613' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='12.659' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='12.6563' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='12.6536' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='12.6589' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='12.6567' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='12.655' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='12.6528' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='12.65' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='12.5388' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='12.5397' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='12.5414' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='12.5423' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='12.5432' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='12.5449' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='12.546' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='12.5472' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='12.5477' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='12.5485' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='12.5488' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='12.5498' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='12.5504' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='12.5526' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='12.5539' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='12.5544' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='12.5565' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='12.564' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='12.5683' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='12.5685' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='12.5692' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='12.5703' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='12.5706' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='12.5706' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='12.5714' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='12.5723' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='12.5725' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='12.5729' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='12.574' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='12.5753' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='12.5756' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='12.5759' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='12.5751' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='12.5752' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='12.5749' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='12.5746' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Query Rate' xAxisName='' yAxisName='Q/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='12.7062' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='12.7032' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='12.7006' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='12.6975' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='12.6944' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='12.7008' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='12.6977' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='12.6965' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='12.6941' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='12.6919' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='12.6914' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='12.6906' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='12.6888' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='12.6868' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='12.6847' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='12.6828' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='12.6828' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='12.6808' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='12.6784' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='12.6765' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='12.6741' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='12.6717' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='12.6693' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='12.6665' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='12.6638' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='12.6613' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='12.659' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='12.6563' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='12.6536' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='12.6589' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='12.6567' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='12.655' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='12.6528' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='12.65' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='12.5388' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='12.5397' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='12.5414' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='12.5423' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='12.5432' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='12.5449' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='12.546' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='12.5472' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='12.5477' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='12.5485' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='12.5488' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='12.5498' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='12.5504' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='12.5526' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='12.5539' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='12.5544' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='12.5565' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='12.564' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='12.5683' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='12.5685' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='12.5692' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='12.5703' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='12.5706' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='12.5706' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='12.5714' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='12.5723' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='12.5725' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='12.5729' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='12.574' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='12.5753' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='12.5756' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='12.5759' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='12.5751' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='12.5752' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='12.5749' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='12.5746' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Server Connections' xAxisName='' yAxisName='connections'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.001' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Server Connections' xAxisName='' yAxisName='connections'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.001' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='OS Load AVG 1 minute' xAxisName='' yAxisName='load avg'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.091' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.451' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.221' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.351' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.311' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.361' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.231' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.091' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.161' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.071' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.571' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.311' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.091' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.241' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.081' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.141' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.081' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.091' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='1.07' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.691' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.161' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.251' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.161' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.181' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.241' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.161' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.161' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.161' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.361' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.421' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.461' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.451' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.241' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.161' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='OS Load AVG 1 minute' xAxisName='' yAxisName='load avg'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.091' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.451' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.221' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.351' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.311' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.361' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.231' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.091' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.161' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.071' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.571' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.311' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.091' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.241' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.081' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.141' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.081' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.091' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='1.07' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.691' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.161' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.251' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.161' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.181' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.241' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.161' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.161' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.161' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.361' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.421' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.461' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.451' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.241' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.161' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td></tr><tr><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='OS Load AVG 5 minute' xAxisName='' yAxisName='load avg'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.041' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.121' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.101' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.071' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.041' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.411' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.071' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.041' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.051' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.051' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.061' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.041' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.041' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.041' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.261' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.071' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.031' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.041' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.191' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.031' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.051' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.041' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.041' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.041' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.041' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.021' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.051' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.321' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.061' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.211' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.111' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.111' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.061' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.091' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.061' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.061' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.071' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.211' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.201' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.171' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.091' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.071' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='OS Load AVG 5 minute' xAxisName='' yAxisName='load avg'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.041' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.121' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.101' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.071' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.041' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.411' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.071' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.041' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.051' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.051' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.061' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.041' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.041' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.041' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.261' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.071' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.031' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.041' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.191' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.031' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.051' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.041' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.041' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.041' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.041' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.021' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.051' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.321' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.061' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.211' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.111' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.111' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.061' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.091' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.061' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.061' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.071' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.211' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.201' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.171' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.151' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.091' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.071' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='OS Load AVG 15 minute' xAxisName='' yAxisName='load avg'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.211' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.141' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.011' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.101' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.011' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.061' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.011' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.011' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.101' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.121' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.091' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.091' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.071' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.041' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.131' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.131' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.111' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.101' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.071' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='OS Load AVG 15 minute' xAxisName='' yAxisName='load avg'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.211' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.141' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.011' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.101' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.011' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.061' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.021' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.011' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.011' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.101' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.121' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.091' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.091' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.071' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.031' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.011' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.041' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.131' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.131' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.111' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.101' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.081' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.071' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='OS Memory Total' xAxisName='' yAxisName='ram'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='134225920' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='1051652096' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='3959345152' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='OS Memory Total' xAxisName='' yAxisName='ram'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='134225920' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='134225920' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='1051652096' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='3959345152' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='3959345152' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td></tr><tr><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='OS Memory Used' xAxisName='' yAxisName='ram'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='34566144' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='3366690816' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='3221123072' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='3172605952' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='3157114880' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='3142496256' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='3134500864' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='3123384320' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='3114864640' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='3106254848' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='3091525632' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='3081367552' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='3054657536' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='3045838848' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='3037429760' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='3032731648' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='3027779584' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='2988503040' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='2901536768' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='2918539264' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='2840166400' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='2669834240' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='2677428224' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='2669830144' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='2664275968' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='2734563328' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='2746454016' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='2742611968' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='2734706688' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='2727833600' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='2733342720' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='2733121536' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='2727362560' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='2723221504' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='2715529216' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='2672529408' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='OS Memory Used' xAxisName='' yAxisName='ram'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='34566144' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='3366690816' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='3221123072' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='3172605952' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='3157114880' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='3142496256' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='3134500864' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='3123384320' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='3114864640' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='3106254848' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='3091525632' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='3081367552' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='3054657536' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='3045838848' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='3037429760' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='3032731648' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='3027779584' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='2988503040' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='2901536768' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='2918539264' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='2840166400' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='2669834240' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='2677428224' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='2669830144' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='2664275968' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='2734563328' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='2746454016' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='2742611968' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='2734706688' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='2727833600' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='2733342720' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='2733121536' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='2727362560' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='2723221504' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='2715529216' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='2672529408' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='OS Swap Total' xAxisName='' yAxisName='swap size'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='2937774080' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='2080366592' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='OS Swap Total' xAxisName='' yAxisName='swap size'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='2937774080' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='2937774080' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='2080366592' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='OS Swap Free' xAxisName='' yAxisName='swap size'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='2897649664' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='2897227776' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='2897313792' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='2897305600' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='2897309696' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='2897285120' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='2893221888' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='2893225984' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='2893193216' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='2875211776' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='2894360576' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='2886402048' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='2893348864' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='2875047936' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='2888822784' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='2880278528' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='2877792256' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='2874105856' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='2895949824' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='2895958016' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='2895941632' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='2895945728' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='2895945728' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='2895966208' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='2894696448' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='2891620352' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='2891968512' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='2891964416' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='2890584064' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='2889199616' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='2889207808' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='2879287296' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='2880397312' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='2871824384' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='2080366592' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='OS Swap Free' xAxisName='' yAxisName='swap size'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='2897649664' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='2897227776' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='2897313792' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='2897305600' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='2897309696' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='2897285120' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='2893221888' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='2893225984' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='2893193216' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='2875211776' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='2894360576' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='2886402048' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='2893348864' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='2875047936' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='2888822784' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='2880278528' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='2877792256' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='2874105856' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='2895949824' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='2895958016' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='2895941632' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='2895945728' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='2895945728' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='2895966208' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='2894696448' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='2891620352' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='2891968512' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='2891964416' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='2890584064' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='2889199616' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='2889207808' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='2879287296' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='2880397312' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='2871824384' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='2080366592' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='2080366592' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td></tr><tr><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='OS CPU User' xAxisName='' yAxisName='percentage'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='1' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='1' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='1' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='1' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='1' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='1' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='5' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='1' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='1' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='1' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='3' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='1' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='3' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='8' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='7' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='4' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='4' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='6' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='6' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='3' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='4' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='5' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='6' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='5' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='OS CPU User' xAxisName='' yAxisName='percentage'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='1' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='1' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='1' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='1' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='1' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='1' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='5' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='1' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='1' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='1' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='3' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='1' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='3' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='8' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='7' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='4' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='4' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='6' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='6' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='3' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='4' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='5' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='6' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='5' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='OS CPU System' xAxisName='' yAxisName='percentage'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='1' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='1' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='1' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='3' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='1' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='1' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='OS CPU System' xAxisName='' yAxisName='percentage'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='1' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='1' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='1' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='3' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='1' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='1' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='1' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='OS CPU Idle' xAxisName='' yAxisName='percentage'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='98' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='99' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='99' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='98' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='98' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='99' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='98' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='98' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='98' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='96' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='97' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='95' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='98' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='98' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='99' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='99' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='98' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='98' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='99' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='99' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='98' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='98' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='98' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='98' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='99' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='98' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='99' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='99' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='92' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='98' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='99' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='99' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='99' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='98' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='96' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='97' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='94' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='96' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='96' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='95' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='95' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='99' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='99' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='98' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='98' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='97' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='97' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='89' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='96' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='95' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='99' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='99' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='43' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='98' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='96' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='94' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='94' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='92' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='92' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='89' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='90' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='96' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='95' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='94' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='93' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='93' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='92' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='91' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='89' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='89' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='OS CPU Idle' xAxisName='' yAxisName='percentage'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='98' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='99' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='99' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='98' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='98' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='99' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='98' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='98' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='98' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='96' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='97' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='95' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='98' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='98' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='99' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='99' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='98' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='98' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='99' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='99' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='98' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='98' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='98' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='98' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='99' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='98' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='99' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='99' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='92' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='98' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='99' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='99' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='99' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='98' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='96' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='97' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='94' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='96' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='96' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='95' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='95' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='99' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='99' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='98' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='98' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='97' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='97' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='89' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='96' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='95' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='99' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='99' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='43' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='98' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='96' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='94' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='94' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='92' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='92' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='89' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='90' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='96' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='95' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='94' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='93' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='93' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='92' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='91' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='89' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='89' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td></tr><tr><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Total Schemas' xAxisName='' yAxisName='quantity'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='2' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='2' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='2' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='2' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='3' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='3' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='3' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='3' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='3' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='3' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='3' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='3' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='3' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='3' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='3' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='3' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='3' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='3' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='3' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='3' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Total Schemas' xAxisName='' yAxisName='quantity'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='2' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='2' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='2' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='2' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='3' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='3' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='3' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='3' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='3' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='3' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='3' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='3' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='3' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='3' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='3' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='3' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='3' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='3' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='3' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='3' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='3' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Total Tables' xAxisName='' yAxisName='quantity'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='24' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='24' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='24' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='24' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='24' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='24' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='24' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='24' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='24' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='24' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='24' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='24' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='24' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='24' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='36' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='36' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='36' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='36' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='36' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='36' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='36' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='36' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='36' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='36' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='36' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='36' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='36' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='36' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='36' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='36' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Total Tables' xAxisName='' yAxisName='quantity'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='24' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='24' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='24' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='24' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='24' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='24' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='24' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='24' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='24' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='24' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='24' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='24' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='24' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='24' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='24' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='36' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='36' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='36' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='36' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='36' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='36' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='36' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='36' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='36' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='36' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='36' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='36' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='36' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='36' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='36' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='36' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='36' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Total Data Size' xAxisName='' yAxisName='size'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='133685732' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='133700532' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='133708464' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='133718124' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='133745776' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='133757552' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='133781112' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='133781112' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='133809640' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='133856804' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='133866092' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='133907196' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='133943584' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='133981976' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='134004868' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='134080708' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='134098056' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='134117236' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='134122668' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='134126092' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='134146104' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='134147720' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='134170812' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='134183772' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='134189200' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='134212832' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='134219032' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='134252752' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='134256504' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='134281992' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='134301080' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='134302540' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='134326072' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='134350480' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='137165601' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='137191817' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='137219933' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='137229621' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='137239485' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='137267189' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='137299617' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='137305661' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='137328185' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='137333697' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='137335829' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='137346805' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='137376625' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='137384921' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='137384921' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='137422117' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='137435785' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='137443541' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='137457749' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='137463141' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='137470037' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='137505537' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='137537541' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='137542161' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='137556853' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='137589325' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='137597329' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='137617785' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='137626633' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='137633561' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='137674009' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='137685725' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='137707933' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='137707933' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='137726889' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='137741253' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Total Data Size' xAxisName='' yAxisName='size'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='133685732' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='133700532' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='133708464' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='133718124' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='133745776' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='133757552' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='133781112' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='133781112' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='133809640' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='133856804' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='133866092' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='133907196' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='133943584' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='133981976' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='134004868' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='134080708' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='134098056' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='134117236' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='134122668' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='134126092' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='134146104' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='134147720' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='134170812' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='134183772' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='134189200' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='134212832' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='134219032' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='134252752' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='134256504' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='134281992' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='134301080' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='134302540' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='134326072' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='134350480' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='137165601' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='137191817' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='137219933' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='137229621' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='137239485' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='137267189' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='137299617' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='137305661' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='137328185' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='137333697' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='137335829' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='137346805' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='137376625' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='137384921' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='137384921' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='137422117' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='137435785' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='137443541' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='137457749' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='137463141' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='137470037' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='137505537' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='137537541' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='137542161' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='137556853' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='137589325' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='137597329' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='137617785' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='137626633' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='137633561' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='137674009' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='137685725' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='137707933' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='137707933' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='137726889' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='137741253' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td></tr><tr><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Total Index Size' xAxisName='' yAxisName='size'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='106328064' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='106348544' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='106351616' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='106365952' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='106403840' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='106415104' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='106436608' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='106436608' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='106475520' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='106505216' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='106518528' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='106560512' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='106597376' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='106635264' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='106661888' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='107760640' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='107773952' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='107794432' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='107798528' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='107799552' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='107830272' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='107831296' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='107870208' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='107878400' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='107883520' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='107906048' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='107909120' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='107951104' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='107953152' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='107973632' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='107988992' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='107991040' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='108022784' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='108053504' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='109703168' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='109730816' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='109763584' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='109770752' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='109785088' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='109816832' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='109851648' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='109858816' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='109882368' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='109884416' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='109884416' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='109895680' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='109938688' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='109941760' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='109941760' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='109984768' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='110000128' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='110003200' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='110014464' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='110019584' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='110023680' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='110061568' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='110092288' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='110099456' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='110112768' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='110140416' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='110146560' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='110170112' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='110178304' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='110186496' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='110232576' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='110242816' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='110270464' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='110270464' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='110291968' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='110314496' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Total Index Size' xAxisName='' yAxisName='size'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='106328064' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='106348544' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='106351616' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='106365952' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='106403840' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='106415104' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='106436608' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='106436608' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='106475520' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='106505216' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='106518528' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='106560512' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='106597376' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='106635264' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='106661888' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='107760640' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='107773952' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='107794432' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='107798528' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='107799552' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='107830272' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='107831296' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='107870208' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='107878400' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='107883520' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='107906048' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='107909120' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='107951104' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='107953152' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='107973632' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='107988992' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='107991040' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='108022784' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='108053504' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='109703168' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='109730816' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='109763584' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='109770752' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='109785088' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='109816832' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='109851648' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='109858816' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='109882368' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='109884416' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='109884416' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='109895680' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='109938688' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='109941760' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='109941760' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='109984768' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='110000128' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='110003200' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='110014464' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='110019584' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='110023680' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='110061568' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='110092288' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='110099456' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='110112768' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='110140416' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='110146560' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='110170112' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='110178304' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='110186496' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='110232576' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='110242816' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='110270464' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='110270464' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='110291968' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='110314496' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='InnoDB Tables' xAxisName='' yAxisName='quant'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='2' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='2' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='2' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='2' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='2' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='2' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='2' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='2' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='2' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='2' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='InnoDB Tables' xAxisName='' yAxisName='quant'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='2' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='2' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='2' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='2' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='2' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='2' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='2' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='2' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='2' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='2' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='2' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='2' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='2' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='2' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='MyISAM Tables' xAxisName='' yAxisName='quant'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='6' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='6' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='6' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='6' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='6' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='6' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='6' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='6' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='6' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='6' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='6' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='6' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='6' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='6' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='18' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='18' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='18' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='18' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='18' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='18' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='18' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='18' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='18' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='18' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='18' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='18' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='18' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='18' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='18' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='18' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='MyISAM Tables' xAxisName='' yAxisName='quant'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='6' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='6' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='6' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='6' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='6' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='6' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='6' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='6' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='6' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='6' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='6' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='6' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='6' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='6' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='6' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='18' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='18' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='18' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='18' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='18' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='18' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='18' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='18' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='18' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='18' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='18' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='18' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='18' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='18' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='18' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='18' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='18' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td></tr><tr><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='InnoDB Data Size' xAxisName='' yAxisName='quant'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='12091392' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='12091392' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='12091392' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='InnoDB Data Size' xAxisName='' yAxisName='quant'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='12091392' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='12091392' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='12091392' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='12091392' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='InnoDB Index Size' xAxisName='' yAxisName='quant'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='7880704' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='7880704' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='7880704' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='7880704' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='InnoDB Index Size' xAxisName='' yAxisName='quant'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='6832128' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='7880704' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='7880704' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='7880704' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='7880704' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='7880704' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='MyISAM Data Size' xAxisName='' yAxisName='quant'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='121594340' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='121609140' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='121617072' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='121626732' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='121654384' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='121666160' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='121689720' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='121689720' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='121718248' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='121765412' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='121774700' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='121815804' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='121852192' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='121890584' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='121913476' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='121989316' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='122006664' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='122025844' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='122031276' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='122034700' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='122054712' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='122056328' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='122079420' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='122092380' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='122097808' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='122121440' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='122127640' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='122161360' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='122165112' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='122190600' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='122209688' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='122211148' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='122234680' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='122259088' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='125074209' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='125100425' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='125128541' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='125138229' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='125148093' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='125175797' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='125208225' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='125214269' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='125236793' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='125242305' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='125244437' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='125255413' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='125285233' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='125293529' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='125293529' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='125330725' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='125344393' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='125352149' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='125366357' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='125371749' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='125378645' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='125414145' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='125446149' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='125450769' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='125465461' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='125497933' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='125505937' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='125526393' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='125535241' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='125542169' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='125582617' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='125594333' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='125616541' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='125616541' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='125635497' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='125649861' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='MyISAM Data Size' xAxisName='' yAxisName='quant'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='121594340' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='121609140' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='121617072' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='121626732' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='121654384' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='121666160' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='121689720' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='121689720' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='121718248' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='121765412' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='121774700' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='121815804' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='121852192' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='121890584' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='121913476' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='121989316' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='122006664' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='122025844' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='122031276' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='122034700' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='122054712' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='122056328' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='122079420' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='122092380' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='122097808' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='122121440' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='122127640' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='122161360' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='122165112' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='122190600' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='122209688' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='122211148' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='122234680' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='122259088' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='125074209' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='125100425' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='125128541' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='125138229' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='125148093' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='125175797' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='125208225' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='125214269' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='125236793' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='125242305' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='125244437' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='125255413' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='125285233' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='125293529' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='125293529' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='125330725' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='125344393' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='125352149' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='125366357' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='125371749' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='125378645' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='125414145' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='125446149' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='125450769' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='125465461' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='125497933' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='125505937' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='125526393' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='125535241' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='125542169' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='125582617' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='125594333' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='125616541' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='125616541' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='125635497' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='125649861' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td></tr><tr><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='MyISAM Index Size' xAxisName='' yAxisName='quant'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='99495936' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='99516416' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='99519488' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='99533824' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='99571712' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='99582976' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='99604480' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='99604480' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='99643392' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='99673088' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='99686400' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='99728384' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='99765248' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='99803136' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='99829760' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='99879936' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='99893248' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='99913728' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='99917824' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='99918848' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='99949568' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='99950592' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='99989504' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='99997696' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='100002816' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='100025344' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='100028416' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='100070400' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='100072448' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='100092928' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='100108288' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='100110336' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='100142080' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='100172800' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='101822464' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='101850112' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='101882880' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='101890048' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='101904384' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='101936128' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='101970944' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='101978112' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='102001664' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='102003712' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='102003712' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='102014976' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='102057984' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='102061056' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='102061056' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='102104064' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='102119424' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='102122496' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='102133760' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='102138880' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='102142976' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='102180864' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='102211584' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='102218752' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='102232064' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='102259712' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='102265856' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='102289408' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='102297600' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='102305792' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='102351872' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='102362112' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='102389760' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='102389760' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='102411264' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='102433792' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='MyISAM Index Size' xAxisName='' yAxisName='quant'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='99495936' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='99516416' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='99519488' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='99533824' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='99571712' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='99582976' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='99604480' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='99604480' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='99643392' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='99673088' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='99686400' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='99728384' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='99765248' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='99803136' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='99829760' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='99879936' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='99893248' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='99913728' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='99917824' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='99918848' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='99949568' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='99950592' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='99989504' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='99997696' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='100002816' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='100025344' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='100028416' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='100070400' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='100072448' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='100092928' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='100108288' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='100110336' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='100142080' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='100172800' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='101822464' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='101850112' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='101882880' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='101890048' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='101904384' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='101936128' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='101970944' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='101978112' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='102001664' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='102003712' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='102003712' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='102014976' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='102057984' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='102061056' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='102061056' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='102104064' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='102119424' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='102122496' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='102133760' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='102138880' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='102142976' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='102180864' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='102211584' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='102218752' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='102232064' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='102259712' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='102265856' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='102289408' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='102297600' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='102305792' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='102351872' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='102362112' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='102389760' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='102389760' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='102411264' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='102433792' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Qcache_free_memory' xAxisName='' yAxisName='free'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='12339832' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='16187032' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='201296' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='295192' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='432960' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='801096' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='1009496' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='1191864' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='1193288' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='1410736' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='2124760' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='1488592' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='1767904' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='1952224' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='2176632' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='2370976' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='2426568' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='2265592' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='36751832' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='13217856' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='45401352' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='14149248' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='1630384' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='52419904' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='21451448' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='27165448' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='168864' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='148480' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='357256' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='678656' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='1099184' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='1450232' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='1598976' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='1584456' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='1965760' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='2582536' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='2444736' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='2705416' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='2273232' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='2280376' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='2046312' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='2234184' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='1877456' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='2390880' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='2450432' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='1257320' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='160968' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='3096' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='54472' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='560232' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='1191216' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='979312' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='1434016' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='1861136' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='2059288' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='2105816' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='2215648' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='2390288' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='2489408' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='2783400' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='2709768' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='2455960' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='2537800' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='2748552' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='2680528' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='3725592' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='3254944' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='2518800' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='2056464' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='2172408' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Qcache_free_memory' xAxisName='' yAxisName='free'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='12339832' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='16187032' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='201296' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='295192' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='432960' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='801096' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='1009496' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='1191864' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='1193288' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='1410736' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='2124760' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='1488592' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='1767904' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='1952224' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='2176632' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='2370976' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='2426568' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='2265592' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='36751832' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='13217856' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='45401352' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='14149248' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='1630384' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='52419904' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='21451448' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='27165448' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='168864' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='148480' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='357256' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='678656' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='1099184' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='1450232' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='1598976' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='1584456' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='1965760' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='2582536' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='2444736' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='2705416' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='2273232' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='2280376' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='2046312' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='2234184' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='1877456' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='2390880' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='2450432' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='1257320' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='160968' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='3096' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='54472' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='560232' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='1191216' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='979312' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='1434016' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='1861136' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='2059288' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='2105816' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='2215648' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='2390288' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='2489408' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='2783400' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='2709768' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='2455960' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='2537800' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='2748552' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='2680528' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='3725592' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='3254944' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='2518800' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='2056464' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='2172408' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Qcache_hits' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='3.8504094017579' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='3.8495749798461' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='3.8491291551687' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='3.8483745445977' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='3.8476541304843' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='3.8470646515324' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='3.8465584903264' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='3.8463288882623' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='3.8459283556316' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='3.8457087741881' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='3.8463960008823' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='3.8470685633451' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='3.8470641316414' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='3.8470039793989' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='3.8469022040722' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='3.8471230059294' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='3.8485776301496' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='3.8485788829154' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='3.8481685604973' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='3.8480080367988' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='3.8475324456086' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='3.8470947201662' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='3.8464183392582' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='3.8457971478781' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='3.8451514861285' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='3.844502234905' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='3.8440161084827' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='3.8433908542501' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='3.8429681832467' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='3.8423432737392' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='3.841486730834' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='3.8412507816386' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='3.8408362027255' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='3.8402461422796' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='3.8012452427038' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='3.8017728180127' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='3.8022933907142' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='3.80257150052' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='3.8026087076175' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='3.8027480391955' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='3.8028778667353' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='3.8030211427234' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='3.8030575458708' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='3.8032310313777' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='3.8032819704341' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='3.8036583997284' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='3.8035504376912' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='3.8032770735729' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='3.8033215426161' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='3.8031561779849' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='3.8033469368183' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='3.8030846154094' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='3.8029397725513' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='3.8027608888966' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='3.8022456690388' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='3.802014103754' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='3.8017450924615' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='3.8015687188695' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='3.8014042448771' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='3.8011363082973' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='3.8010925566629' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='3.8010723757832' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='3.8011329910422' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='3.8014298449247' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='3.8014647656158' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='3.8013078018249' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='3.8010513327197' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='3.8009258044848' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='3.8006868721645' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='3.8004029105364' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Qcache_hits' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='3.8504094017579' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='3.8495749798461' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='3.8491291551687' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='3.8483745445977' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='3.8476541304843' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='3.8470646515324' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='3.8465584903264' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='3.8463288882623' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='3.8459283556316' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='3.8457087741881' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='3.8463960008823' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='3.8470685633451' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='3.8470641316414' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='3.8470039793989' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='3.8469022040722' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='3.8471230059294' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='3.8485776301496' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='3.8485788829154' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='3.8481685604973' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='3.8480080367988' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='3.8475324456086' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='3.8470947201662' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='3.8464183392582' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='3.8457971478781' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='3.8451514861285' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='3.844502234905' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='3.8440161084827' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='3.8433908542501' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='3.8429681832467' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='3.8423432737392' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='3.841486730834' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='3.8412507816386' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='3.8408362027255' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='3.8402461422796' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='3.8012452427038' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='3.8017728180127' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='3.8022933907142' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='3.80257150052' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='3.8026087076175' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='3.8027480391955' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='3.8028778667353' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='3.8030211427234' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='3.8030575458708' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='3.8032310313777' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='3.8032819704341' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='3.8036583997284' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='3.8035504376912' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='3.8032770735729' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='3.8033215426161' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='3.8031561779849' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='3.8033469368183' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='3.8030846154094' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='3.8029397725513' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='3.8027608888966' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='3.8022456690388' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='3.802014103754' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='3.8017450924615' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='3.8015687188695' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='3.8014042448771' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='3.8011363082973' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='3.8010925566629' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='3.8010723757832' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='3.8011329910422' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='3.8014298449247' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='3.8014647656158' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='3.8013078018249' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='3.8010513327197' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='3.8009258044848' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='3.8006868721645' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='3.8004029105364' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td></tr><tr><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Qcache_inserts' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='1.5248017553196' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='1.5245857697523' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='1.5244651442416' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='1.524118350574' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='1.5238434547243' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='1.5235824055976' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='1.5234316060563' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='1.5233815309718' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='1.5232451323778' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='1.523122260178' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='1.5234663968916' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='1.523798706444' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='1.5237541002298' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='1.523668520909' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='1.5235069230438' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='1.5232867061887' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='1.5234835651227' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='1.5232607244656' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='1.5230710937912' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='1.5228598778713' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='1.522594533129' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='1.522458906448' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='1.5221502642223' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='1.5218255513369' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='1.5216709674371' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='1.5216033788018' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='1.521343908179' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='1.5210593479989' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='1.5207728972018' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='1.5205162472448' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='1.5201636414549' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='1.520110729678' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='1.5198915837204' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='1.5196087995297' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='1.5003605236483' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='1.5005195551567' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='1.5005588030053' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='1.5005518180644' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='1.5005794407501' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='1.5005363463396' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='1.5005951954874' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='1.5005142267376' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='1.5004271035088' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='1.5003314593056' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='1.5002244764882' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='1.5004460650803' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='1.5004406571603' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='1.5005028450523' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='1.5004622130499' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='1.5003675200549' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='1.5002484167212' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='1.500223446968' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='1.5001185781812' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='1.5000958474266' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='1.4998945305675' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='1.4998065334187' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='1.4996265757448' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='1.4994733758906' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='1.4992952258065' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='1.4991562131719' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='1.4991684123149' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='1.4991708698437' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='1.4991843587858' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='1.499318856481' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='1.4993539007347' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='1.4993832201001' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='1.4992454281499' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='1.4991548917859' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='1.498973544963' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='1.4988569094325' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Qcache_inserts' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='1.5248017553196' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='1.5245857697523' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='1.5244651442416' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='1.524118350574' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='1.5238434547243' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='1.5235824055976' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='1.5234316060563' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='1.5233815309718' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='1.5232451323778' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='1.523122260178' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='1.5234663968916' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='1.523798706444' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='1.5237541002298' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='1.523668520909' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='1.5235069230438' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='1.5232867061887' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='1.5234835651227' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='1.5232607244656' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='1.5230710937912' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='1.5228598778713' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='1.522594533129' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='1.522458906448' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='1.5221502642223' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='1.5218255513369' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='1.5216709674371' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='1.5216033788018' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='1.521343908179' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='1.5210593479989' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='1.5207728972018' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='1.5205162472448' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='1.5201636414549' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='1.520110729678' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='1.5198915837204' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='1.5196087995297' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='1.5003605236483' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='1.5005195551567' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='1.5005588030053' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='1.5005518180644' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='1.5005794407501' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='1.5005363463396' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='1.5005951954874' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='1.5005142267376' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='1.5004271035088' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='1.5003314593056' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='1.5002244764882' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='1.5004460650803' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='1.5004406571603' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='1.5005028450523' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='1.5004622130499' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='1.5003675200549' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='1.5002484167212' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='1.500223446968' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='1.5001185781812' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='1.5000958474266' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='1.4998945305675' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='1.4998065334187' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='1.4996265757448' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='1.4994733758906' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='1.4992952258065' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='1.4991562131719' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='1.4991684123149' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='1.4991708698437' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='1.4991843587858' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='1.499318856481' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='1.4993539007347' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='1.4993832201001' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='1.4992454281499' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='1.4991548917859' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='1.498973544963' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='1.4988569094325' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Qcache_queries_in_cache' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.0012876281672497' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.0012796437245309' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.001375693802318' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.0013741677717677' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.0013806143674962' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.0013772453989288' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.0013840611541733' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.0014142570678498' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.0014391440575043' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.0014737718081163' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.0014066773558655' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.001433764748346' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.0014384739833825' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.0014465688713321' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.0014471398245302' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.0013972238571823' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.0014540851369429' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.0014189196864014' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.0013425355943643' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.0015439380863821' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.0012358950749693' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.0015591534153291' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.001533923175232' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.001000105520027' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.0013337386577377' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.0013218027024679' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.0015407016600068' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.0014525210108824' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.0014699378780462' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.0014646010431994' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.00144554487223' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.0014012341263195' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.0014215884852607' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.0014099708268964' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.001613351177996' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.0015213276910693' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.0015816856795364' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.0014428107174971' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.0014509459443599' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.0013938398352305' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.0014759946245365' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.0013650524717448' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.0014932275174077' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.00140063956901' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.0013733366554709' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.0014670563781857' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.0014377315518194' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.0014439596481718' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.0014047514493429' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.0014353404543745' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.0014388090987006' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.0014663284853699' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.0014999811764687' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.001448193635751' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.0014224812747749' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.0014875880730467' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.0014889194016768' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.0014924603625175' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.0014818359304963' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.001502346105924' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.0014033978160911' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.0014981704152193' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.0014793346486033' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.0015223754668417' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.0015204674605608' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.0015455436249545' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.0014783428664716' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.0013688400261512' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.0013788155533559' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.0013358588276396' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Qcache_queries_in_cache' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.0012876281672497' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.0012796437245309' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.001375693802318' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.0013741677717677' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.0013806143674962' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.0013772453989288' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.0013840611541733' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.0014142570678498' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.0014391440575043' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.0014737718081163' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.0014066773558655' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.001433764748346' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.0014384739833825' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.0014465688713321' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.0014471398245302' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.0013972238571823' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.0014540851369429' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.0014189196864014' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.0013425355943643' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.0015439380863821' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.0012358950749693' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.0015591534153291' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.001533923175232' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.001000105520027' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.0013337386577377' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.0013218027024679' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.0015407016600068' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.0014525210108824' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.0014699378780462' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.0014646010431994' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.00144554487223' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.0014012341263195' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.0014215884852607' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.0014099708268964' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.001613351177996' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.0015213276910693' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.0015816856795364' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.0014428107174971' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.0014509459443599' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.0013938398352305' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.0014759946245365' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.0013650524717448' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.0014932275174077' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.00140063956901' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.0013733366554709' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.0014670563781857' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.0014377315518194' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.0014439596481718' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.0014047514493429' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.0014353404543745' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.0014388090987006' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.0014663284853699' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.0014999811764687' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.001448193635751' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.0014224812747749' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.0014875880730467' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.0014889194016768' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.0014924603625175' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.0014818359304963' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.001502346105924' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.0014033978160911' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.0014981704152193' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.0014793346486033' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.0015223754668417' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.0015204674605608' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.0015455436249545' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.0014783428664716' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.0013688400261512' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.0013788155533559' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.0013358588276396' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Qcache_lowmem_prunes' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='1.123255695373' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='1.1228255253003' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='1.1225021334877' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='1.1222400474988' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='1.1220287287852' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='1.121846120635' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='1.1217587473724' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='1.1216924195416' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='1.1215983315497' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='1.1214877792652' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='1.121543295497' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='1.1214764961942' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='1.1213286545821' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='1.1211778825962' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='1.1210678457125' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='1.1209366185041' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='1.1207205226592' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='1.1205721928917' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='1.1201890796481' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='1.1197625483568' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='1.1195578145235' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='1.1191322023474' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='1.1189110669565' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='1.1187097137727' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='1.1182851444527' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='1.1178606615386' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='1.1174687531356' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='1.1173114625732' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='1.1170557117568' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='1.1168678499026' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='1.1166176346324' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='1.1165325292099' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='1.1162823908831' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='1.1159961996756' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='1.0973519216361' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='1.0974637666113' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='1.097420353106' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='1.0975474055442' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='1.0975706589902' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='1.0976005707542' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='1.0975743483787' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='1.0976279876796' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='1.0974015234689' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='1.0974375226477' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='1.0973799903869' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='1.0975548367382' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='1.0971597588007' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='1.096663617532' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='1.0966599890238' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='1.0965782643379' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='1.0964838053654' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='1.0964484317829' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='1.096299273613' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='1.0963154437927' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='1.0961325963516' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='1.0958761652993' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='1.0956627501515' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='1.0954859642265' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='1.095283482148' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='1.0950983450693' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='1.0951056271938' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='1.0949407458148' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='1.094899935507' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='1.0948954692601' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='1.0948455480488' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='1.0948169848921' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='1.0947507479115' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='1.094802999979' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='1.0946442386508' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='1.0945846290711' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Qcache_lowmem_prunes' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='1.123255695373' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='1.1228255253003' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='1.1225021334877' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='1.1222400474988' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='1.1220287287852' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='1.121846120635' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='1.1217587473724' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='1.1216924195416' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='1.1215983315497' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='1.1214877792652' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='1.121543295497' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='1.1214764961942' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='1.1213286545821' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='1.1211778825962' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='1.1210678457125' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='1.1209366185041' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='1.1207205226592' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='1.1205721928917' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='1.1201890796481' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='1.1197625483568' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='1.1195578145235' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='1.1191322023474' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='1.1189110669565' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='1.1187097137727' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='1.1182851444527' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='1.1178606615386' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='1.1174687531356' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='1.1173114625732' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='1.1170557117568' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='1.1168678499026' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='1.1166176346324' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='1.1165325292099' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='1.1162823908831' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='1.1159961996756' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='1.0973519216361' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='1.0974637666113' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='1.097420353106' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='1.0975474055442' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='1.0975706589902' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='1.0976005707542' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='1.0975743483787' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='1.0976279876796' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='1.0974015234689' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='1.0974375226477' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='1.0973799903869' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='1.0975548367382' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='1.0971597588007' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='1.096663617532' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='1.0966599890238' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='1.0965782643379' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='1.0964838053654' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='1.0964484317829' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='1.096299273613' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='1.0963154437927' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='1.0961325963516' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='1.0958761652993' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='1.0956627501515' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='1.0954859642265' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='1.095283482148' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='1.0950983450693' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='1.0951056271938' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='1.0949407458148' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='1.094899935507' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='1.0948954692601' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='1.0948455480488' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='1.0948169848921' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='1.0947507479115' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='1.094802999979' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='1.0946442386508' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='1.0945846290711' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td></tr><tr><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Qcache_not_cached' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.9713629086127' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.97105449860348' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.97074994769325' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.97043945648596' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.97012368245091' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.96984139980884' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.96944571820657' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.96931846452677' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.96901825684642' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.96871997264302' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.96844078523194' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.96815005854022' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.96784551771083' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.96754101797577' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.96724777263909' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.96695453908961' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.96663838741799' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.96638079862951' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.96607363299489' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.96581850306801' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.96556091137265' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.96526413034537' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.96505255079211' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.96474205249537' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.96443620866134' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.96413471681784' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.96391345232002' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.96367507663883' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.96336947691343' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.96315096491309' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.96278079465885' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.96258377861134' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.96235887569954' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.96204951270237' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.95398664233795' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.95409286490077' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.95444317421977' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.9546871608576' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.95496800054393' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.95541116797886' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.95570751404225' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.95605579481383' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.95625278718506' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.95652618003351' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.9567057965816' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.95689849415695' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.95717095560863' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.95774009999226' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.95809906823494' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.95837382080178' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.95892902655702' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.95944228764583' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.95987954288816' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.96007571483816' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.96048957824197' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.9608984199894' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.96117256924934' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.96135558431562' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.96171746444815' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.9621187327102' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.96223998406082' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.96244742937544' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.96275232470785' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.96304516111373' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.96316914160153' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.96337241843647' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.96338718730188' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.96357535239541' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.96371874471435' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.96384362875204' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Qcache_not_cached' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.9713629086127' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.97105449860348' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.97074994769325' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.97043945648596' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.97012368245091' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.96984139980884' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.96944571820657' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.96931846452677' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.96901825684642' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.96871997264302' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.96844078523194' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.96815005854022' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.96784551771083' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.96754101797577' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.96724777263909' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.96695453908961' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.96663838741799' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.96638079862951' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.96607363299489' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.96581850306801' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.96556091137265' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.96526413034537' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.96505255079211' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.96474205249537' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.96443620866134' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.96413471681784' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.96391345232002' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.96367507663883' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.96336947691343' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.96315096491309' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.96278079465885' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.96258377861134' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.96235887569954' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.96204951270237' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.95398664233795' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.95409286490077' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.95444317421977' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.9546871608576' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.95496800054393' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.95541116797886' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.95570751404225' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.95605579481383' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.95625278718506' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.95652618003351' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.9567057965816' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.95689849415695' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.95717095560863' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.95774009999226' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.95809906823494' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.95837382080178' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.95892902655702' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.95944228764583' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.95987954288816' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.96007571483816' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.96048957824197' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.9608984199894' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.96117256924934' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.96135558431562' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.96171746444815' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.9621187327102' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.96223998406082' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.96244742937544' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.96275232470785' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.96304516111373' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.96316914160153' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.96337241843647' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.96338718730188' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.96357535239541' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.96371874471435' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.96384362875204' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Open_tables' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.001032467280167' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.0010345830329043' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.001037229000796' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.0010372147542253' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.0010372005106461' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.0010371827343354' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.0010371637832349' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.0010371578610321' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.0010371436491364' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.0010371294520467' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.0010371152736774' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.001037101090401' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.0010370869729782' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.0010370728427339' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.0010370587114813' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.0010370445909976' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.0010370293098625' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.0010370163822874' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.0010370023018603' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.0010369882125964' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.0010369741496817' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.0010369600935534' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.0010369460481082' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.001000105520027' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.0010340700336439' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.0010363767799317' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.0010368899768036' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.0010368759845888' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.0010368620029843' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.0010368480319782' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.0010368305869817' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.0010368201217126' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.0010368061785586' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.0010367922536958' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.0010354596815822' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.0010354506881434' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.0010354377698586' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.0010354248573998' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.0010354119543473' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.001035399060691' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.0010353861764205' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.0010353733015257' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.0010353604324237' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.0010353475798219' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.0010353347294253' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.0010353218954981' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.0010353090673281' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.0010352909100296' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.0010352834389215' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.0010352706386646' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.0010352578476917' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.0010352440012696' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.0010352312083278' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.0010352195268327' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.0010352067728979' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.0010351940246579' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.0010351812891832' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.0010351685629221' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.0010351558423335' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.0010351431415298' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.0010351304393212' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.0010351177533387' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.0010351050694729' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.0010350924018032' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.0010350786849983' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.0010350670833304' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.0010350544395446' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.0010350418048732' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.0010350291793064' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.0010350165593309' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Open_tables' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.001032467280167' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.0010345830329043' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.001037229000796' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.0010372147542253' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.0010372005106461' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.0010371827343354' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.0010371637832349' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.0010371578610321' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.0010371436491364' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.0010371294520467' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.0010371152736774' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.001037101090401' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.0010370869729782' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.0010370728427339' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.0010370587114813' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.0010370445909976' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.0010370293098625' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.0010370163822874' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.0010370023018603' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.0010369882125964' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.0010369741496817' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.0010369600935534' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.0010369460481082' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.001000105520027' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.0010340700336439' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.0010363767799317' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.0010368899768036' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.0010368759845888' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.0010368620029843' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.0010368480319782' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.0010368305869817' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.0010368201217126' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.0010368061785586' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.0010367922536958' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.0010354596815822' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.0010354506881434' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.0010354377698586' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.0010354248573998' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.0010354119543473' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.001035399060691' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.0010353861764205' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.0010353733015257' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.0010353604324237' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.0010353475798219' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.0010353347294253' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.0010353218954981' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.0010353090673281' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.0010352909100296' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.0010352834389215' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.0010352706386646' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.0010352578476917' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.0010352440012696' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.0010352312083278' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.0010352195268327' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.0010352067728979' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.0010351940246579' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.0010351812891832' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.0010351685629221' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.0010351558423335' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.0010351431415298' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.0010351304393212' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.0010351177533387' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.0010351050694729' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.0010350924018032' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.0010350786849983' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.0010350670833304' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.0010350544395446' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.0010350418048732' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.0010350291793064' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.0010350165593309' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Open_files' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.0010645087599383' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.0010675699258284' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.0010735006844286' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.0010719839674586' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.0010719564163069' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.0010654416124303' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.0010728410151404' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.0010729355729402' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.001071846429901' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.0010715007162271' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.0010718975872951' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.0010729301434169' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.0010716308392379' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.001071815392496' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.0010716821362081' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.0010715489814696' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.0010731064374715' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.0010728693925601' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.0010727359533712' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.0010638310868807' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.0010637011778802' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.0010645217633175' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.0010554190721623' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.0010002110400539' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.0010672962274452' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.0010699066814339' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.0010572321640124' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.0010586854954742' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.0010627707250819' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.0010274781038466' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.0010678735102948' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.0010621734055204' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.0010626756640597' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.0010626519520078' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.0010592683249302' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.001060063594483' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.0010605479610727' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.0010590076910402' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.0010596944373283' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.0010602795433481' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.0010587410528581' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.0010598314128663' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.001059304496665' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.0010591819479304' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.001060069040023' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.0010602490617495' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.0010590165839627' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.0010568687807333' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.0010556470236706' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.0010565337951167' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.0010565132930145' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.0010279938067227' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.0010562692727292' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.0010559487340542' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.0010581414706714' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.0010558076676719' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.0010570942064458' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.0010573749983672' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.0010580573624821' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.0010579359790362' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.0010579150385381' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.0010579944612279' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.0010581741151266' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.0010589552350294' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.0010585312915401' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.0010568086749953' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.0010573891253116' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.0010578690377621' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.0010588490212347' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.0010586277250512' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Open_files' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.0010645087599383' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.0010675699258284' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.0010735006844286' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.0010719839674586' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.0010719564163069' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.0010654416124303' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.0010728410151404' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.0010729355729402' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.001071846429901' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.0010715007162271' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.0010718975872951' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.0010729301434169' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.0010716308392379' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.001071815392496' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.0010716821362081' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.0010715489814696' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.0010731064374715' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.0010728693925601' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.0010727359533712' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.0010638310868807' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.0010637011778802' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.0010645217633175' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.0010554190721623' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.0010002110400539' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.0010672962274452' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.0010699066814339' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.0010572321640124' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.0010586854954742' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.0010627707250819' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.0010274781038466' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.0010678735102948' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.0010621734055204' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.0010626756640597' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.0010626519520078' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.0010592683249302' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.001060063594483' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.0010605479610727' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.0010590076910402' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.0010596944373283' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.0010602795433481' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.0010587410528581' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.0010598314128663' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.001059304496665' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.0010591819479304' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.001060069040023' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.0010602490617495' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.0010590165839627' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.0010568687807333' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.0010556470236706' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.0010565337951167' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.0010565132930145' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.0010279938067227' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.0010562692727292' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.0010559487340542' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.0010581414706714' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.0010558076676719' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.0010570942064458' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.0010573749983672' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.0010580573624821' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.0010579359790362' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.0010579150385381' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.0010579944612279' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.0010581741151266' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.0010589552350294' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.0010585312915401' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.0010568086749953' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.0010573891253116' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.0010578690377621' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.0010588490212347' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.0010586277250512' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td></tr><tr><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Slow_queries' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.28458902469674' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.28453649712397' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.28448565135807' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.28441587211394' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.28435373869915' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.28511444165716' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.28503026576034' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.28500602509408' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.28494420132452' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.28487937850389' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.2848507202484' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.28482334156801' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.28477775536076' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.28473265904541' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.28469629517708' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.28463794394899' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.28459097974476' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.28453755623978' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.28447241441394' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.28443073914919' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.28436998880106' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.28431221151987' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.28425680047435' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.28419380420168' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.28415151397525' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.28413038956263' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.28406627800792' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.28400505980653' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.28394020182684' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.28455718688227' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.28460993630308' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.28457490138519' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.28452598563528' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.28446591859956' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.28345591728371' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.28344707794664' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.28344925210105' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.28344714510062' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.28343603488098' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.28343413650768' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.28342789207176' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.28341649778442' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.28342498612608' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.28340736813232' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.28339939773468' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.28339138920813' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.28339031893974' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.28344726933055' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.28345189254318' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.28343195689162' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.28345414364329' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.28398697542829' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.28427089356612' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.28426884302546' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.2842804343188' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.28429158651647' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.28429421509036' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.28430588510732' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.2843073732549' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.28431577347695' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.2843627258009' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.28437779408133' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.28439831114526' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.28443591510807' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.28445110918301' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.28447288362638' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.28446091480069' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.28446056845817' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.28445942169827' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.28445314499227' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Slow_queries' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.28458902469674' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.28453649712397' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.28448565135807' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.28441587211394' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.28435373869915' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.28511444165716' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.28503026576034' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.28500602509408' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.28494420132452' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.28487937850389' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.2848507202484' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.28482334156801' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.28477775536076' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.28473265904541' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.28469629517708' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.28463794394899' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.28459097974476' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.28453755623978' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.28447241441394' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.28443073914919' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.28436998880106' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.28431221151987' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.28425680047435' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.28419380420168' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.28415151397525' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.28413038956263' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.28406627800792' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.28400505980653' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.28394020182684' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.28455718688227' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.28460993630308' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.28457490138519' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.28452598563528' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.28446591859956' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.28345591728371' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.28344707794664' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.28344925210105' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.28344714510062' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.28343603488098' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.28343413650768' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.28342789207176' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.28341649778442' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.28342498612608' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.28340736813232' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.28339939773468' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.28339138920813' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.28339031893974' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.28344726933055' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.28345189254318' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.28343195689162' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.28345414364329' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.28398697542829' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.28427089356612' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.28426884302546' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.2842804343188' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.28429158651647' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.28429421509036' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.28430588510732' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.2843073732549' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.28431577347695' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.2843627258009' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.28437779408133' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.28439831114526' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.28443591510807' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.28445110918301' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.28447288362638' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.28446091480069' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.28446056845817' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.28445942169827' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.28445314499227' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Server Uptime' xAxisName='' yAxisName='days'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='108.72769675926' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='108.76935185185' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='108.81103009259' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='108.85268518519' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='108.89436342593' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='108.94642361111' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='109.00197916667' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='109.01935185185' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='109.06106481481' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='109.1027662037' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='109.14444444444' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='109.18616898148' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='109.22773148148' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='109.26936342593' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='109.31103009259' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='109.35269675926' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='109.39782407407' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='109.43603009259' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='109.47767361111' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='109.519375' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='109.56103009259' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='109.60269675926' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='109.64436342593' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='109.68604166667' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='109.72768518519' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='109.76935185185' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='109.81101851852' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='109.85268518519' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='109.89435185185' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='109.93601851852' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='109.98809027778' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='110.01935185185' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='110.06103009259' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='110.10268518519' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='114.24033564815' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='114.26931712963' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='114.31097222222' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='114.35263888889' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='114.39430555556' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='114.43597222222' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='114.47763888889' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='114.51930555556' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='114.5609837963' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='114.60263888889' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='114.64431712963' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='114.68597222222' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='114.72763888889' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='114.78666666667' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='114.81097222222' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='114.85263888889' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='114.89430555556' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='114.93944444444' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='114.98118055556' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='115.01931712963' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='115.0609837963' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='115.10266203704' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='115.1443287037' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='115.18599537037' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='115.22767361111' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='115.26931712963' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='115.31099537037' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='115.35265046296' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='115.3943287037' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='115.4359837963' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='115.48112268519' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='115.5193287037' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='115.56099537037' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='115.60266203704' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='115.6443287037' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='115.68600694444' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Server Uptime' xAxisName='' yAxisName='days'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='108.72769675926' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='108.76935185185' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='108.81103009259' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='108.85268518519' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='108.89436342593' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='108.94642361111' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='109.00197916667' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='109.01935185185' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='109.06106481481' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='109.1027662037' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='109.14444444444' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='109.18616898148' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='109.22773148148' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='109.26936342593' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='109.31103009259' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='109.35269675926' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='109.39782407407' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='109.43603009259' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='109.47767361111' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='109.519375' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='109.56103009259' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='109.60269675926' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='109.64436342593' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='109.68604166667' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='109.72768518519' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='109.76935185185' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='109.81101851852' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='109.85268518519' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='109.89435185185' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='109.93601851852' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='109.98809027778' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='110.01935185185' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='110.06103009259' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='110.10268518519' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='114.24033564815' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='114.26931712963' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='114.31097222222' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='114.35263888889' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='114.39430555556' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='114.43597222222' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='114.47763888889' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='114.51930555556' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='114.5609837963' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='114.60263888889' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='114.64431712963' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='114.68597222222' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='114.72763888889' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='114.78666666667' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='114.81097222222' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='114.85263888889' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='114.89430555556' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='114.93944444444' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='114.98118055556' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='115.01931712963' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='115.0609837963' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='115.10266203704' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='115.1443287037' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='115.18599537037' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='115.22767361111' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='115.26931712963' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='115.31099537037' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='115.35265046296' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='115.3943287037' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='115.4359837963' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='115.48112268519' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='115.5193287037' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='115.56099537037' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='115.60266203704' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='115.6443287037' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='115.68600694444' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Table_locks_immediate' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='5.812051918268' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='5.8108809288088' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='5.8098638343977' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='5.8084799027568' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='5.8071817817833' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='5.8074627022648' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='5.8062138057933' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='5.8057001645138' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='5.8046593205726' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='5.8036527742755' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='5.8033479037293' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='5.8029319401697' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='5.8019878829442' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='5.8009905439889' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='5.7999016991207' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='5.7987187440233' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='5.798144662299' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='5.7969624991261' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='5.7958337733964' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='5.7947773489259' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='5.7936477988285' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='5.7926325439115' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='5.7915635915908' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='5.7902250256783' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='5.7891494220963' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='5.7881998365259' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='5.7871542144374' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='5.7860115061501' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='5.7847183195308' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='5.7849182479035' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='5.7835631614576' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='5.7828762658758' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='5.7818547222275' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='5.7805625893001' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='5.7259667702258' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='5.7263777124967' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='5.7272009588853' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='5.7276461052697' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='5.7282229633776' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='5.7290999900074' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='5.7297513221287' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='5.7303139491684' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='5.7305370370726' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='5.7309015006361' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='5.7309848929898' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='5.7316239352467' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='5.7320877101444' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='5.7335349755101' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='5.7342066286896' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='5.7345595221252' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='5.7355212137403' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='5.7376132440109' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='5.7388212885885' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='5.7390600351048' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='5.7396330388002' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='5.740357490847' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='5.7406282574104' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='5.7407010802778' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='5.7411918292599' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='5.7418176976644' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='5.7419451423134' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='5.742303517926' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='5.7429299894584' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='5.743753176489' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='5.7440160022947' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='5.7444057481963' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='5.7440791549276' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='5.7442370748303' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='5.7441250561718' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='5.7440680697902' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Table_locks_immediate' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='5.812051918268' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='5.8108809288088' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='5.8098638343977' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='5.8084799027568' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='5.8071817817833' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='5.8074627022648' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='5.8062138057933' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='5.8057001645138' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='5.8046593205726' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='5.8036527742755' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='5.8033479037293' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='5.8029319401697' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='5.8019878829442' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='5.8009905439889' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='5.7999016991207' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='5.7987187440233' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='5.798144662299' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='5.7969624991261' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='5.7958337733964' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='5.7947773489259' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='5.7936477988285' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='5.7926325439115' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='5.7915635915908' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='5.7902250256783' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='5.7891494220963' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='5.7881998365259' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='5.7871542144374' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='5.7860115061501' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='5.7847183195308' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='5.7849182479035' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='5.7835631614576' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='5.7828762658758' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='5.7818547222275' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='5.7805625893001' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='5.7259667702258' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='5.7263777124967' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='5.7272009588853' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='5.7276461052697' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='5.7282229633776' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='5.7290999900074' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='5.7297513221287' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='5.7303139491684' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='5.7305370370726' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='5.7309015006361' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='5.7309848929898' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='5.7316239352467' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='5.7320877101444' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='5.7335349755101' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='5.7342066286896' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='5.7345595221252' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='5.7355212137403' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='5.7376132440109' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='5.7388212885885' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='5.7390600351048' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='5.7396330388002' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='5.740357490847' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='5.7406282574104' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='5.7407010802778' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='5.7411918292599' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='5.7418176976644' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='5.7419451423134' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='5.742303517926' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='5.7429299894584' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='5.743753176489' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='5.7440160022947' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='5.7444057481963' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='5.7440791549276' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='5.7442370748303' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='5.7441250561718' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='5.7440680697902' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td></tr><tr><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Table_locks_waited' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.0014289938985997' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.0014288296080136' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.001428665352022' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.0014285013129365' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.0014283373082965' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.0014281326267764' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.0014279144183905' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.0014278462284559' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.0014276825886279' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.0014275191192809' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.0014273558654858' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.0014271925551892' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.0014270300031492' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.0014268673034792' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.0014267045921991' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.0014265420049147' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.0014265776496164' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.0014264287239512' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.0014262665174311' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.0014261042091106' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.0014259422043333' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.001425780277735' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.0014261462748936' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.0014259843488475' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.0014258226805585' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.0014256610451713' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.0014258157322471' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.0014256542221106' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.0014254928344479' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.0014253315691197' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.0014251302040172' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.0014250094049111' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.0014248484610758' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.0014246877283748' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.0014108257394737' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.0014107215440618' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.0014105718765048' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.0014104222764459' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.0014103739623791' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.0014102245433218' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.0014100752330331' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.0014099260313945' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.0014097768968877' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.0014096279535933' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.0014095799922243' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.0014094312286731' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.0014092825318579' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.0014090720628283' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.0014089854620134' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.0014088370887494' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.0014086888231011' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.0014085283232878' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.0014084806954117' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.0014083452568203' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.0014081973840563' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.0014080495773198' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.0014079019185865' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.0014077543666795' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.0014076068805407' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.0014074596237937' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.0014075130961259' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.0014073659387292' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.001407218805886' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.001407071860917' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.0014069127459805' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.0014067781666328' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.0014066314987175' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.0014065850559718' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.0014065386466927' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.0014064922301757' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Table_locks_waited' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.0014289938985997' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.0014288296080136' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.001428665352022' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.0014285013129365' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.0014283373082965' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.0014281326267764' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.0014279144183905' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.0014278462284559' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.0014276825886279' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.0014275191192809' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.0014273558654858' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.0014271925551892' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.0014270300031492' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.0014268673034792' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.0014267045921991' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.0014265420049147' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.0014265776496164' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.0014264287239512' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.0014262665174311' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.0014261042091106' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.0014259422043333' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.001425780277735' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.0014261462748936' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.0014259843488475' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.0014258226805585' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.0014256610451713' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.0014258157322471' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.0014256542221106' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.0014254928344479' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.0014253315691197' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.0014251302040172' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.0014250094049111' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.0014248484610758' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.0014246877283748' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.0014108257394737' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.0014107215440618' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.0014105718765048' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.0014104222764459' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.0014103739623791' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.0014102245433218' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.0014100752330331' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.0014099260313945' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.0014097768968877' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.0014096279535933' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.0014095799922243' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.0014094312286731' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.0014092825318579' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.0014090720628283' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.0014089854620134' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.0014088370887494' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.0014086888231011' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.0014085283232878' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.0014084806954117' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.0014083452568203' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.0014081973840563' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.0014080495773198' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.0014079019185865' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.0014077543666795' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.0014076068805407' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.0014074596237937' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.0014075130961259' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.0014073659387292' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.001407218805886' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.001407071860917' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.0014069127459805' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.0014067781666328' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.0014066314987175' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.0014065850559718' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.0014065386466927' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.0014064922301757' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Threads_cached' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.0010002129001978' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.0010007448653241' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.0010007445800159' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.0010008506229537' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.0010008502973862' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.0010008498910705' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.0010013803690916' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.0010012739838068' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.0010013796212536' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.0010013790939332' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.0010011664800299' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.0010012720373852' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.0010012715533593' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.0010011651464859' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.0010012705843936' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.0010011642585742' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.0010013753743663' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.0010013748941992' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.001001374371212' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.0010013738478964' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.0010013733255596' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.0010013728034748' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.0010013722817869' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.001000105520027' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.0010011602797835' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.0010010543994183' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.001001159399271' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.0010011589595156' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.0010009478800767' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.001001158081005' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.0010010523024852' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.0010011572038253' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.0010011567656118' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.001001366569423' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.0010015197006392' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.0010015193152061' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.0010011137584813' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.0010013157804177' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.0010013153011615' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.0010013148222542' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.0010016176537792' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.00100192026494' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.0010018185365246' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.0010016158893633' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.0010015143455468' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.0010017156349242' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.0010011097135446' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.0010016132987442' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.0010017137670333' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.0010018139185599' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.0010018132607384' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.0010016111543438' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.001001811890714' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.0010011068994147' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.001001710043255' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.001001809978411' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.0010017088054746' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.0010014067425169' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.0010015066789571' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.001001506134637' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.0010013048448891' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.0010017057194479' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.0010017051033744' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.0010017044880876' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.0010017038218428' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.0010018034499998' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.001001802799748' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.0010017020305224' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.00100180150065' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.0010017008043104' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Threads_cached' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.0010002129001978' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.0010007448653241' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.0010007445800159' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.0010008506229537' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.0010008502973862' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.0010008498910705' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.0010013803690916' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.0010012739838068' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.0010013796212536' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.0010013790939332' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.0010011664800299' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.0010012720373852' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.0010012715533593' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.0010011651464859' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.0010012705843936' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.0010011642585742' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.0010013753743663' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.0010013748941992' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.001001374371212' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.0010013738478964' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.0010013733255596' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.0010013728034748' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.0010013722817869' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.001000105520027' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.0010011602797835' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.0010010543994183' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.001001159399271' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.0010011589595156' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.0010009478800767' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.001001158081005' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.0010010523024852' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.0010011572038253' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.0010011567656118' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.001001366569423' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.0010015197006392' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.0010015193152061' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.0010011137584813' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.0010013157804177' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.0010013153011615' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.0010013148222542' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.0010016176537792' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.00100192026494' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.0010018185365246' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.0010016158893633' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.0010015143455468' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.0010017156349242' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.0010011097135446' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.0010016132987442' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.0010017137670333' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.0010018139185599' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.0010018132607384' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.0010016111543438' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.001001811890714' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.0010011068994147' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.001001710043255' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.001001809978411' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.0010017088054746' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.0010014067425169' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.0010015066789571' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.001001506134637' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.0010013048448891' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.0010017057194479' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.0010017051033744' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.0010017044880876' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.0010017038218428' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.0010018034499998' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.001001802799748' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.0010017020305224' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.00100180150065' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.0010017008043104' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Threads_created' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.001133169073734' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.0011337565303407' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.0011337052971443' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.0011336541316033' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.0011336029768061' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.0011335391344561' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.0011340019841213' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.0011339806303502' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.0011339293863148' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.0011338781956656' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.0011338270725169' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.0011337759316746' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.0011337250282815' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.0011336740786578' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.0011336231253983' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.0011335722109683' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.0011335171115615' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.0011334704984192' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.0011334197284221' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.0011333689265619' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.0011333182197095' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.0011332675373268' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.0011332168934644' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.0011331662740266' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.0011341705349691' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.0011341196060089' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.0011340687156976' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.0011340178639913' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.001133967050846' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.0011339162762179' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.0011338528761163' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.0011338148423383' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.0011339744899531' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.0011339238034528' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.0011340375963807' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.0011340036011822' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.0011339547700656' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.0011339059609711' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.0011338571874328' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.0011338084494119' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.0011337597468695' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.001133711079767' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.0011336624345617' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.0011336138517268' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.0011335652772277' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.0011335167649826' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.0011346788710945' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.0011353154321705' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.0011352867858078' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.0011352377059654' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.0011351886617209' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.0011351355705823' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.0011350865187882' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.0011350417285985' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.0011349928263685' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.0011349439459742' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.0011348951145251' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.0011348463184041' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.0011347975440329' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.0011347488455227' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.0011347001416259' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.0011346514999445' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.0011346028663791' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.0011345542949139' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.001134501700765' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.0011344572166555' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.0011344087367682' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.0011343602918282' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.0011343118817975' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.0011342634932059' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Threads_created' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.001133169073734' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.0011337565303407' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.0011337052971443' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.0011336541316033' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.0011336029768061' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.0011335391344561' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.0011340019841213' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.0011339806303502' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.0011339293863148' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.0011338781956656' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.0011338270725169' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.0011337759316746' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.0011337250282815' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.0011336740786578' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.0011336231253983' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.0011335722109683' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.0011335171115615' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.0011334704984192' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.0011334197284221' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.0011333689265619' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.0011333182197095' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.0011332675373268' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.0011332168934644' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.0011331662740266' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.0011341705349691' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.0011341196060089' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.0011340687156976' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.0011340178639913' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.001133967050846' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.0011339162762179' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.0011338528761163' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.0011338148423383' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.0011339744899531' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.0011339238034528' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.0011340375963807' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.0011340036011822' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.0011339547700656' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.0011339059609711' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.0011338571874328' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.0011338084494119' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.0011337597468695' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.001133711079767' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.0011336624345617' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.0011336138517268' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.0011335652772277' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.0011335167649826' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.0011346788710945' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.0011353154321705' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.0011352867858078' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.0011352377059654' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.0011351886617209' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.0011351355705823' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.0011350865187882' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.0011350417285985' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.0011349928263685' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.0011349439459742' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.0011348951145251' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.0011348463184041' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.0011347975440329' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.0011347488455227' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.0011347001416259' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.0011346514999445' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.0011346028663791' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.0011345542949139' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.001134501700765' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.0011344572166555' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.0011344087367682' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.0011343602918282' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.0011343118817975' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.0011342634932059' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td></tr><tr><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Seconds_Behind_Master' xAxisName='' yAxisName='seconds'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.001' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Seconds_Behind_Master' xAxisName='' yAxisName='seconds'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.001' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Key_reads' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='2.7031676249482' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='2.7036011684596' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='2.7037587356521' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='2.7033289767261' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='2.7032381343923' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='2.7043862134495' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='2.7044312290031' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='2.7044850175258' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='2.7049279858931' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='2.7054517386609' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='2.7054834105331' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='2.706317626675' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='2.7068534394883' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='2.7072370319991' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='2.7074055905502' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='2.7075985759212' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='2.7075424049077' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='2.7071538812259' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='2.7067149980161' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='2.7065646891077' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='2.7062478812492' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='2.7058139177562' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='2.7055081174162' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='2.7050593898368' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='2.7046937114523' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='2.7051083121258' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='2.7044097856671' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='2.7042127756954' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='2.7038071708602' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='2.7044249854082' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='2.7051727296653' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='2.7049314346214' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='2.7051022722768' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='2.7050594184385' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='2.7061223166519' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='2.7066613564912' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='2.7076589525729' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='2.7080281228834' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='2.7076862557504' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='2.7076823446072' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='2.7084130533336' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='2.7081820872027' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='2.7087103555249' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='2.7088164337564' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='2.708725426841' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='2.7083715314403' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='2.7090238273657' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='2.7106795738633' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='2.7105593654949' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='2.7103374614089' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='2.7104235696496' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='2.711666408882' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='2.7120449662958' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='2.7120647709236' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='2.7124964629767' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='2.7130554748328' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='2.7138524818389' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='2.7139074584483' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='2.7141737608645' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='2.7150606133844' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='2.715527955298' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='2.716292500383' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='2.716981826607' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='2.71792837721' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='2.7192526556318' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='2.719679046015' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='2.7198678547785' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='2.7198364649026' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='2.7201034461707' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='2.720219291703' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Key_reads' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='2.7031676249482' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='2.7036011684596' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='2.7037587356521' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='2.7033289767261' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='2.7032381343923' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='2.7043862134495' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='2.7044312290031' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='2.7044850175258' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='2.7049279858931' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='2.7054517386609' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='2.7054834105331' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='2.706317626675' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='2.7068534394883' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='2.7072370319991' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='2.7074055905502' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='2.7075985759212' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='2.7075424049077' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='2.7071538812259' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='2.7067149980161' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='2.7065646891077' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='2.7062478812492' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='2.7058139177562' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='2.7055081174162' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='2.7050593898368' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='2.7046937114523' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='2.7051083121258' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='2.7044097856671' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='2.7042127756954' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='2.7038071708602' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='2.7044249854082' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='2.7051727296653' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='2.7049314346214' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='2.7051022722768' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='2.7050594184385' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='2.7061223166519' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='2.7066613564912' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='2.7076589525729' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='2.7080281228834' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='2.7076862557504' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='2.7076823446072' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='2.7084130533336' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='2.7081820872027' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='2.7087103555249' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='2.7088164337564' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='2.708725426841' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='2.7083715314403' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='2.7090238273657' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='2.7106795738633' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='2.7105593654949' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='2.7103374614089' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='2.7104235696496' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='2.711666408882' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='2.7120449662958' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='2.7120647709236' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='2.7124964629767' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='2.7130554748328' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='2.7138524818389' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='2.7139074584483' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='2.7141737608645' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='2.7150606133844' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='2.715527955298' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='2.716292500383' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='2.716981826607' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='2.71792837721' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='2.7192526556318' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='2.719679046015' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='2.7198678547785' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='2.7198364649026' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='2.7201034461707' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='2.720219291703' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Key_writes' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='1.5736706538261' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='1.5735981208963' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='1.5735362647165' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='1.5736407683167' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='1.5736235837633' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='1.5737077061004' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='1.5736812882794' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='1.5735453865224' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='1.5735242615949' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='1.5735469203294' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='1.573605844277' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='1.5737012630801' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='1.573698914814' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='1.5737157993758' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='1.5736638772751' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='1.5737072522619' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='1.5738075610042' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='1.5737116210182' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='1.5736204669669' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='1.57350096814' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='1.5734589200823' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='1.5733174735812' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='1.5732907728934' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='1.5731861582205' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='1.5730670371686' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='1.5730420435442' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='1.573455848811' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='1.5735687482141' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='1.5737471763706' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='1.5739138884654' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='1.5737881342582' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='1.5737021012297' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='1.5737571105593' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='1.5737302047163' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='1.5675162975229' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='1.5677377062331' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='1.5677450683787' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='1.5677663352115' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='1.5676914683901' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='1.5676962534039' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='1.5677395553151' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='1.5676433538418' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='1.567654761752' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='1.5679034077895' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='1.5678140593658' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='1.5677404321059' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='1.5677735353093' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='1.5677607655425' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='1.5680669957906' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='1.5686885610668' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='1.5686244644333' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='1.5685994275569' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='1.5685604347088' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='1.5684055284997' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='1.5686034650104' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='1.5686762119565' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='1.5689287900552' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='1.5688480888901' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='1.568782053967' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='1.5688006820581' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='1.5687119273864' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='1.568697298913' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='1.5687242918054' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='1.5686538223797' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='1.5687702084546' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='1.5686288870609' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='1.5686041422329' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='1.5684810979499' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='1.5688179253318' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='1.5687726725969' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Key_writes' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='1.5736706538261' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='1.5735981208963' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='1.5735362647165' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='1.5736407683167' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='1.5736235837633' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='1.5737077061004' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='1.5736812882794' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='1.5735453865224' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='1.5735242615949' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='1.5735469203294' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='1.573605844277' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='1.5737012630801' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='1.573698914814' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='1.5737157993758' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='1.5736638772751' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='1.5737072522619' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='1.5738075610042' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='1.5737116210182' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='1.5736204669669' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='1.57350096814' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='1.5734589200823' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='1.5733174735812' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='1.5732907728934' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='1.5731861582205' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='1.5730670371686' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='1.5730420435442' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='1.573455848811' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='1.5735687482141' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='1.5737471763706' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='1.5739138884654' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='1.5737881342582' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='1.5737021012297' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='1.5737571105593' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='1.5737302047163' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='1.5675162975229' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='1.5677377062331' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='1.5677450683787' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='1.5677663352115' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='1.5676914683901' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='1.5676962534039' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='1.5677395553151' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='1.5676433538418' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='1.567654761752' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='1.5679034077895' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='1.5678140593658' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='1.5677404321059' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='1.5677735353093' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='1.5677607655425' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='1.5680669957906' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='1.5686885610668' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='1.5686244644333' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='1.5685994275569' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='1.5685604347088' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='1.5684055284997' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='1.5686034650104' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='1.5686762119565' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='1.5689287900552' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='1.5688480888901' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='1.568782053967' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='1.5688006820581' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='1.5687119273864' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='1.568697298913' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='1.5687242918054' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='1.5686538223797' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='1.5687702084546' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='1.5686288870609' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='1.5686041422329' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='1.5684810979499' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='1.5688179253318' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='1.5687726725969' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td></tr><tr><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Innodb_data_reads' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.54183665306838' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.54181095828839' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.54178559361057' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.5417396294176' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.54166945826384' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.54282744215402' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.54274623698113' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.54272806560847' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.54271847321349' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.54268507668664' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.5426187349418' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.54275234810151' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.54275336188112' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.54280487334169' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.54279793832859' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.54278116532334' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.54271965384578' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.54272333257855' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.54269509236356' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.54291990382219' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.54293634467007' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.54301523114895' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.54309215758904' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.5430295764194' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.54295202517343' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.54282791948437' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.54288656606173' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.542881214657' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.54279698262388' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.54395564591863' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.54395482960013' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.54390185901639' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.54385758753587' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.54382071702426' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.56456183383289' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.56490731002305' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.56568516882756' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.56644924589588' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.56705381726703' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.56771944160915' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.56837598762818' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.56900870951324' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.56966010936072' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.57056807681292' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.5712114702791' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.5716504516964' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.57236567805313' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.57326005407777' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.57362551528942' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.57415876181113' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.5748757682685' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.57685566393254' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.57764931881969' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.57811360682269' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.57888055025973' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.57966729278512' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.58041231164189' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.5812799819535' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.58211884171343' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.58298859775753' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.5838777249929' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.58453515171722' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.58545136292925' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.58629774749894' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.58696618074002' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.5877777057511' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.58835946925575' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.58902751682758' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.58988624223979' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.5905479972479' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Innodb_data_reads' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.54183665306838' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.54181095828839' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.54178559361057' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.5417396294176' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.54166945826384' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.54282744215402' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.54274623698113' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.54272806560847' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.54271847321349' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.54268507668664' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.5426187349418' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.54275234810151' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.54275336188112' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.54280487334169' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.54279793832859' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.54278116532334' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.54271965384578' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.54272333257855' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.54269509236356' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.54291990382219' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.54293634467007' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.54301523114895' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.54309215758904' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.5430295764194' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.54295202517343' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.54282791948437' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.54288656606173' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.542881214657' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.54279698262388' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.54395564591863' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.54395482960013' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.54390185901639' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.54385758753587' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.54382071702426' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.56456183383289' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.56490731002305' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.56568516882756' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.56644924589588' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.56705381726703' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.56771944160915' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.56837598762818' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.56900870951324' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.56966010936072' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.57056807681292' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.5712114702791' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.5716504516964' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.57236567805313' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.57326005407777' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.57362551528942' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.57415876181113' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.5748757682685' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.57685566393254' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.57764931881969' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.57811360682269' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.57888055025973' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.57966729278512' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.58041231164189' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.5812799819535' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.58211884171343' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.58298859775753' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.5838777249929' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.58453515171722' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.58545136292925' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.58629774749894' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.58696618074002' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.5877777057511' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.58835946925575' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.58902751682758' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.58988624223979' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.5905479972479' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Innodb_data_writes' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.19228028917808' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.19221256838928' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.19213996583229' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.19207054301217' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.19200240814848' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.19193164103023' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.19189782497366' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.19189872338329' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.19189479687518' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.19189492481763' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.19192330075673' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.19198560106682' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.19206668068201' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.19214800082577' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.19222993945771' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.19229075315146' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.19238048652704' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.19243487448749' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.19250858490405' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.19258097554614' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.19267293554571' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.19273766612638' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.19283084874678' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.19290948407671' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.19300710681915' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.19309934298263' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.19315735957145' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.19310512563543' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.19304461102793' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.19298129972905' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.19289461906176' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.19284503736296' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.19277796241626' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.1927054071578' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.19244854318964' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.19246633060765' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.19251806091003' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.19255455205369' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.19261469203539' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.19268682390323' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.19276608160174' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.19282072244814' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.19286651456966' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.19291211016164' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.19294975926449' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.19299115378265' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.19304652161298' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.19315033363018' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.19320119060436' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.19323747660549' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.19330536761444' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.1933751516499' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.19344332858819' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.19347883985671' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.19353598308224' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.19359477499454' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.19363685772787' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.19366785703879' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.19371528759839' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.19376746114599' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.19379575062206' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.19384954380533' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.19393836452502' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.19403327591882' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.19407067683521' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.19411001946724' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.19410709531903' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.19414932714729' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.19418282129013' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.19419045976842' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Innodb_data_writes' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.19228028917808' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.19221256838928' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.19213996583229' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.19207054301217' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.19200240814848' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.19193164103023' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.19189782497366' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.19189872338329' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.19189479687518' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.19189492481763' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.19192330075673' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.19198560106682' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.19206668068201' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.19214800082577' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.19222993945771' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.19229075315146' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.19238048652704' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.19243487448749' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.19250858490405' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.19258097554614' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.19267293554571' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.19273766612638' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.19283084874678' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.19290948407671' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.19300710681915' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.19309934298263' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.19315735957145' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.19310512563543' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.19304461102793' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.19298129972905' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.19289461906176' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.19284503736296' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.19277796241626' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.1927054071578' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.19244854318964' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.19246633060765' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.19251806091003' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.19255455205369' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.19261469203539' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.19268682390323' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.19276608160174' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.19282072244814' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.19286651456966' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.19291211016164' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.19294975926449' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.19299115378265' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.19304652161298' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.19315033363018' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.19320119060436' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.19323747660549' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.19330536761444' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.1933751516499' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.19344332858819' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.19347883985671' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.19353598308224' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.19359477499454' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.19363685772787' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.19366785703879' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.19371528759839' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.19376746114599' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.19379575062206' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.19384954380533' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.19393836452502' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.19403327591882' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.19407067683521' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.19411001946724' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.19410709531903' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.19414932714729' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.19418282129013' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.19419045976842' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Innodb_buffer_pool_reads' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.49956457364127' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.4995464485247' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.49953301781578' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.49949588596208' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.49943093560453' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.50045888497904' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.50037655099067' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.50035674434287' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.50034743914703' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.50031591636708' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.50024762038074' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.5003944572031' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.50039675389381' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.50044724391484' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.50044660755555' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.50044015038834' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.50038679462868' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.50039213812229' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.50036551624396' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.50058224455888' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.50059206948858' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.5006759655798' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.50074850297252' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.50068428407933' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.50060170759431' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.50049156860049' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.50054899368359' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.50054231635128' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.50046202539645' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.50149092106604' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.50150789379448' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.50144910028455' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.50141575207695' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.50136729181261' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.5213074050453' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.52163488333533' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.52238689661122' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.52312251980452' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.52370189569298' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.52434133149825' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.52497494335179' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.52558414136061' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.5262101192667' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.52708913972878' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.52771350974921' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.52813619759593' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.52882566359861' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.52968606497077' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.53003988318964' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.53055488050912' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.53124659943096' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.53306207213782' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.53381676329077' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.53426449089822' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.53500959173321' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.5357587248501' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.5364602265474' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.53728963622643' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.53808574740969' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.53891407783041' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.53976122041139' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.54038551356554' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.54125999817454' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.54206477766607' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.54270329466025' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.54348146704646' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.54403252951834' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.54467250129404' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.54549716613939' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.54613629495388' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Innodb_buffer_pool_reads' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.49956457364127' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.4995464485247' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.49953301781578' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.49949588596208' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.49943093560453' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.50045888497904' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.50037655099067' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.50035674434287' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.50034743914703' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.50031591636708' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.50024762038074' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.5003944572031' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.50039675389381' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.50044724391484' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.50044660755555' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.50044015038834' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.50038679462868' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.50039213812229' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.50036551624396' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.50058224455888' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.50059206948858' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.5006759655798' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.50074850297252' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.50068428407933' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.50060170759431' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.50049156860049' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.50054899368359' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.50054231635128' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.50046202539645' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.50149092106604' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.50150789379448' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.50144910028455' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.50141575207695' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.50136729181261' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.5213074050453' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.52163488333533' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.52238689661122' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.52312251980452' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.52370189569298' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.52434133149825' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.52497494335179' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.52558414136061' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.5262101192667' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.52708913972878' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.52771350974921' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.52813619759593' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.52882566359861' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.52968606497077' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.53003988318964' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.53055488050912' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.53124659943096' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.53306207213782' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.53381676329077' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.53426449089822' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.53500959173321' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.5357587248501' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.5364602265474' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.53728963622643' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.53808574740969' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.53891407783041' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.53976122041139' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.54038551356554' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.54125999817454' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.54206477766607' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.54270329466025' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.54348146704646' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.54403252951834' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.54467250129404' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.54549716613939' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.54613629495388' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td></tr><tr><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Innodb_buffer_pool_write_requests' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.36401059189129' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.36415068242433' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.36401211548691' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.36387957986031' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.36374834396612' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.3640090860792' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.36388650467292' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.36385829732914' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.36378424973437' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.36371210066877' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.3636679731243' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.36364884824965' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.36365697856034' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.36366434258781' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.36367200933287' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.36365479743859' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.36368294066043' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.36366927459419' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.36367933033446' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.36368675612741' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.36373225444173' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.36372023331745' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.36377989666296' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.36379420830118' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.3643592293717' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.36491952739288' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.36493732835621' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.36483858770458' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.36471496108636' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.36458426913297' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.36483295287337' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.36474093278203' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.36462485334052' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.36448728333567' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.36749384293286' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.36753297030478' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.36764139447422' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.3677162007387' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.36781371733652' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.36795960906491' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.36807476027382' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.36818265196269' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.36826810047495' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.3683582067183' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.36841536247022' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.36848163362354' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.36908653505868' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.37006467392006' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.37016759714136' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.37023481256376' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.37038559070192' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.37052680799713' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.37106589443884' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.37113921473939' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.37127757723888' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.37139368035982' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.37147948076438' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.37152824186325' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.37163287848705' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.3717390572541' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.37176786106815' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.37183805708923' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.37198445647824' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.37214024939067' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.37217408058015' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.37225701466906' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.37224844884105' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.37232168677232' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.37236594783455' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.37238832954104' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Innodb_buffer_pool_write_requests' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.36401059189129' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.36415068242433' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.36401211548691' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.36387957986031' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.36374834396612' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.3640090860792' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.36388650467292' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.36385829732914' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.36378424973437' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.36371210066877' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.3636679731243' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.36364884824965' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.36365697856034' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.36366434258781' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.36367200933287' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.36365479743859' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.36368294066043' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.36366927459419' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.36367933033446' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.36368675612741' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.36373225444173' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.36372023331745' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.36377989666296' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.36379420830118' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.3643592293717' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.36491952739288' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.36493732835621' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.36483858770458' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.36471496108636' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.36458426913297' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.36483295287337' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.36474093278203' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.36462485334052' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.36448728333567' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.36749384293286' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.36753297030478' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.36764139447422' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.3677162007387' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.36781371733652' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.36795960906491' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.36807476027382' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.36818265196269' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.36826810047495' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.3683582067183' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.36841536247022' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.36848163362354' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.36908653505868' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.37006467392006' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.37016759714136' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.37023481256376' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.37038559070192' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.37052680799713' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.37106589443884' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.37113921473939' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.37127757723888' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.37139368035982' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.37147948076438' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.37152824186325' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.37163287848705' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.3717390572541' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.37176786106815' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.37183805708923' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.37198445647824' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.37214024939067' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.37217408058015' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.37225701466906' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.37224844884105' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.37232168677232' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.37236594783455' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.37238832954104' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Innodb_buffer_pool_pages_free' xAxisName='' yAxisName='quant'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='1' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.001' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Innodb_buffer_pool_pages_free' xAxisName='' yAxisName='quant'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='1' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.001' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.001' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Innodb_buffer_pool_pages_total' xAxisName='' yAxisName='quant'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='448' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='448' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='448' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='448' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='448' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='448' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='448' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='448' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='448' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='448' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='448' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='448' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='448' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='448' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='448' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='448' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='448' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='448' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='448' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='448' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='448' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='448' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='448' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='448' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='448' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='448' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='448' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='448' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='448' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='448' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Innodb_buffer_pool_pages_total' xAxisName='' yAxisName='quant'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='448' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='448' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='448' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='448' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='448' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='448' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='448' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='448' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='448' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='448' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='448' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='448' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='448' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='448' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='448' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='448' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='448' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='448' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='448' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='448' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='448' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='448' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='448' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='448' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='448' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='448' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='448' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='448' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='448' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='448' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='448' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='448' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td></tr><tr><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Created_tmp_disk_tables' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.58126438585265' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.58115506393498' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.58103740557263' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.58089954568228' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.58077027728091' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.58374172947096' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.58362321307239' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.58357209262032' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.58346579918912' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.58336124007702' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.58328530404832' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.5831908405888' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.58307707393532' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.58296079959978' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.58284866429286' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.58273619107304' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.58262878603534' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.58251964517577' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.58240321397765' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.5822756790666' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.58214130326272' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.58203548031701' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.58190292552532' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.58176386791678' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.5816566381927' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.58154641508415' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.58143111102492' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.58130051188081' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.58116105956984' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.58362518434544' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.58395905564691' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.58387651835662' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.58373792328814' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.58359156645858' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.58373012193571' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.58369313610866' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.58363450051172' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.58358728583649' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.58354688441579' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.58350003944467' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.58346263118667' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.58341524455888' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.58334631421543' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.58329411448657' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.58323678730987' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.58326863048332' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.58323532222248' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.58327934509751' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.58324448640821' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.58319630871604' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.58313406282828' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.58504788028479' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.58596700446349' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.58591624142442' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.5858238288291' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.58578381316196' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.58572820443747' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.58567816243254' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.58561935915721' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.58557774360749' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.58554993390459' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.58551774645564' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.58549519411599' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.58547317632057' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.58544366558628' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.5854239029263' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.585387153249' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.58536424654613' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.58532884592866' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.58531512262149' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Created_tmp_disk_tables' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.58126438585265' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.58115506393498' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.58103740557263' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.58089954568228' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.58077027728091' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.58374172947096' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.58362321307239' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.58357209262032' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.58346579918912' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.58336124007702' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.58328530404832' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.5831908405888' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.58307707393532' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.58296079959978' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.58284866429286' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.58273619107304' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.58262878603534' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.58251964517577' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.58240321397765' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.5822756790666' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.58214130326272' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.58203548031701' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.58190292552532' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.58176386791678' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.5816566381927' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.58154641508415' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.58143111102492' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.58130051188081' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.58116105956984' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.58362518434544' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.58395905564691' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.58387651835662' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.58373792328814' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.58359156645858' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.58373012193571' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.58369313610866' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.58363450051172' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.58358728583649' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.58354688441579' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.58350003944467' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.58346263118667' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.58341524455888' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.58334631421543' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.58329411448657' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.58323678730987' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.58326863048332' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.58323532222248' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.58327934509751' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.58324448640821' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.58319630871604' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.58313406282828' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.58504788028479' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.58596700446349' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.58591624142442' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.5858238288291' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.58578381316196' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.58572820443747' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.58567816243254' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.58561935915721' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.58557774360749' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.58554993390459' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.58551774645564' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.58549519411599' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.58547317632057' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.58544366558628' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.5854239029263' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.585387153249' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.58536424654613' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.58532884592866' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.58531512262149' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Created_tmp_files' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.0096553510921195' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.0096645926778462' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.0096665922795775' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.0096677415705392' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.0096742024981099' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.0096738820293826' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.0096705229931796' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.0096699906319724' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.0096755890664379' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.0096739704188595' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.0096727790220231' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.0096749769575728' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.0096744310540457' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.0096766340358566' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.0096790443468894' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.0096822995546288' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.0096837963548771' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.0096847836122765' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.0096833830379968' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.0096910674734747' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.009689875939051' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.0096905851976093' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.0096957274428806' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.0096953778218429' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.0096922887383666' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.0096908872054113' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.0096894867360507' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.0096870337295149' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.0096845825831038' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.0096844494567126' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.0096910714554427' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.009690916328693' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.0096937245360397' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.0096935890654263' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.0097823499941492' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.0097811354531292' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.0097825931294467' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.0097949799535793' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.0097960259288353' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.0097946437782409' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.0097946780808317' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.0097937016927034' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.0097923210072591' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.009800436451717' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.0098002657979304' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.0097974731321479' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.0097983133968251' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.009796208909281' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.0097953548445371' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.009793574858605' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.0097936094244428' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.0097984131740868' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.0097964274346828' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.0097945171045645' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.0097963619131521' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.0097957911968683' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.0097954228137593' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.0098030932258314' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.0098039269276777' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.0098051643147705' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.0098088071007651' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.0098070308551604' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.0098090655331407' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.0098088947006362' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.0098092600512209' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.0098141614909322' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.009814188434639' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.0098130139256133' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.0098216484331448' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.0098198709169566' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Created_tmp_files' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.0096553510921195' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.0096645926778462' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.0096665922795775' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.0096677415705392' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.0096742024981099' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.0096738820293826' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.0096705229931796' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.0096699906319724' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.0096755890664379' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.0096739704188595' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.0096727790220231' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.0096749769575728' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.0096744310540457' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.0096766340358566' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.0096790443468894' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.0096822995546288' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.0096837963548771' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.0096847836122765' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.0096833830379968' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.0096910674734747' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.009689875939051' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.0096905851976093' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.0096957274428806' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.0096953778218429' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.0096922887383666' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.0096908872054113' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.0096894867360507' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.0096870337295149' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.0096845825831038' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.0096844494567126' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.0096910714554427' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.009690916328693' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.0096937245360397' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.0096935890654263' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.0097823499941492' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.0097811354531292' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.0097825931294467' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.0097949799535793' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.0097960259288353' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.0097946437782409' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.0097946780808317' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.0097937016927034' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.0097923210072591' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.009800436451717' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.0098002657979304' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.0097974731321479' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.0097983133968251' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.009796208909281' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.0097953548445371' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.009793574858605' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.0097936094244428' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.0097984131740868' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.0097964274346828' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.0097945171045645' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.0097963619131521' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.0097957911968683' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.0097954228137593' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.0098030932258314' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.0098039269276777' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.0098051643147705' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.0098088071007651' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.0098070308551604' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.0098090655331407' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.0098088947006362' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.0098092600512209' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.0098141614909322' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.009814188434639' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.0098130139256133' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.0098216484331448' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.0098198709169566' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Created_tmp_tables' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.97398775515157' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.97395340803552' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.97392196492964' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.97384854062873' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.97378580700609' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.97849148488825' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.97847672989713' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.97845919217536' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.9784305636623' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.97840206072702' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.97841122026536' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.97840331588345' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.97836444287525' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.9783176696689' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.97827940987284' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.9782398032911' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.97823850641961' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.97821102288638' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.97816778249751' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.97810799522408' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.97804560275417' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.97802180423759' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.97795643311451' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.97788457185355' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.9778471443194' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.97781829070889' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.97776774660844' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.97770628341491' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.9776341241883' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.98153781702994' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.98221103389666' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.98218333979965' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.9821146446211' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.98203769292807' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.99647443280973' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.99664331300253' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.99689731875808' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.99713504684381' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.99738282062894' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.99762727863754' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.99788126461702' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.99811293219605' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.99832119466938' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.99855515939335' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.99876977283504' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.99907879164401' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.9993366402797' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.99984921383952' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.99998726449313' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='1.0002192088332' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='1.0004578350392' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='1.0027231529324' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='1.0044498022724' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='1.0046502856958' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='1.0048459608124' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='1.0052882541451' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='1.0057125367016' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='1.0061276699219' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='1.0065453147256' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='1.0069887659426' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='1.0074318946247' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='1.0078822299051' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='1.0083422684093' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='1.0088277443336' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='1.0093197050304' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='1.0097549612409' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='1.0101809109547' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='1.0106209708182' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='1.0110297878132' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='1.0114674229443' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Created_tmp_tables' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.97398775515157' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.97395340803552' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.97392196492964' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.97384854062873' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.97378580700609' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.97849148488825' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.97847672989713' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.97845919217536' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.9784305636623' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.97840206072702' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.97841122026536' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.97840331588345' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.97836444287525' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.9783176696689' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.97827940987284' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.9782398032911' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.97823850641961' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.97821102288638' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.97816778249751' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.97810799522408' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.97804560275417' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.97802180423759' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.97795643311451' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.97788457185355' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.9778471443194' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.97781829070889' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.97776774660844' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.97770628341491' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.9776341241883' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.98153781702994' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.98221103389666' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.98218333979965' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.9821146446211' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.98203769292807' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.99647443280973' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.99664331300253' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.99689731875808' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.99713504684381' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.99738282062894' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.99762727863754' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.99788126461702' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.99811293219605' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.99832119466938' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.99855515939335' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.99876977283504' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.99907879164401' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.9993366402797' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.99984921383952' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.99998726449313' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='1.0002192088332' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='1.0004578350392' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='1.0027231529324' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='1.0044498022724' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='1.0046502856958' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='1.0048459608124' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='1.0052882541451' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='1.0057125367016' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='1.0061276699219' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='1.0065453147256' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='1.0069887659426' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='1.0074318946247' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='1.0078822299051' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='1.0083422684093' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='1.0088277443336' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='1.0093197050304' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='1.0097549612409' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='1.0101809109547' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='1.0106209708182' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='1.0110297878132' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='1.0114674229443' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td></tr><tr><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Com_select' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='2.6107473297259' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='2.6101719659933' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='2.6096890282837' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='2.6089763901093' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='2.6083286841552' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='2.6091650553263' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='2.6085425096873' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='2.6083419185687' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='2.6078495567595' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='2.6073699416293' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='2.607371199396' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='2.607356616211' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='2.6069487636051' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='2.6065038688689' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='2.6059868030752' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='2.6054126592798' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='2.6052341246885' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='2.6046917947266' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='2.6041364767529' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='2.6036099015966' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='2.6030306337169' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='2.6025429811568' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='2.6019679787545' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='2.6012771721983' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='2.6007628101217' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='2.60032990049' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='2.599794870649' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='2.5992170490952' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='2.5985704704603' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='2.5992455418093' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='2.5986864528998' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='2.5983895720366' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='2.5978885031485' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='2.597238142172' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='2.5699379911483' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='2.5701627358775' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='2.5704898755304' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='2.5706674286047' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='2.570916283307' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='2.5712561852273' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='2.571547411208' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='2.5717539336122' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='2.5718024394455' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='2.5719199027881' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='2.5719324735149' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='2.5722850481003' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='2.5724900196399' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='2.5730741649566' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='2.5733561849046' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='2.5734742828673' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='2.5738450435727' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='2.5751776700453' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='2.5759148991169' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='2.5760333736211' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='2.576185897394' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='2.5764439354159' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='2.5764747745131' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='2.5764433931835' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='2.5765649547881' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='2.5767612060684' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='2.5768326797399' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='2.5769789681782' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='2.5772340615462' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='2.5775995774474' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='2.5776912191737' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='2.5778665587268' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='2.5776829416083' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='2.5777190187894' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='2.5776181559239' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='2.5775658308814' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Com_select' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='2.6107473297259' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='2.6101719659933' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='2.6096890282837' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='2.6089763901093' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='2.6083286841552' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='2.6091650553263' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='2.6085425096873' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='2.6083419185687' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='2.6078495567595' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='2.6073699416293' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='2.607371199396' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='2.607356616211' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='2.6069487636051' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='2.6065038688689' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='2.6059868030752' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='2.6054126592798' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='2.6052341246885' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='2.6046917947266' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='2.6041364767529' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='2.6036099015966' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='2.6030306337169' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='2.6025429811568' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='2.6019679787545' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='2.6012771721983' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='2.6007628101217' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='2.60032990049' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='2.599794870649' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='2.5992170490952' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='2.5985704704603' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='2.5992455418093' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='2.5986864528998' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='2.5983895720366' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='2.5978885031485' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='2.597238142172' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='2.5699379911483' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='2.5701627358775' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='2.5704898755304' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='2.5706674286047' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='2.570916283307' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='2.5712561852273' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='2.571547411208' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='2.5717539336122' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='2.5718024394455' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='2.5719199027881' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='2.5719324735149' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='2.5722850481003' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='2.5724900196399' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='2.5730741649566' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='2.5733561849046' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='2.5734742828673' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='2.5738450435727' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='2.5751776700453' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='2.5759148991169' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='2.5760333736211' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='2.576185897394' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='2.5764439354159' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='2.5764747745131' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='2.5764433931835' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='2.5765649547881' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='2.5767612060684' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='2.5768326797399' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='2.5769789681782' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='2.5772340615462' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='2.5775995774474' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='2.5776912191737' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='2.5778665587268' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='2.5776829416083' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='2.5777190187894' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='2.5776181559239' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='2.5775658308814' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Com_insert' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='1.2558086359346' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='1.2557617461005' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='1.2557143059243' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='1.2556646172324' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='1.2556158688025' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='1.2555583141603' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='1.2555719394749' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='1.2554851372802' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='1.255442818095' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='1.2554071355805' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='1.2554102404221' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='1.255397652137' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='1.2553761276029' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='1.2553553045359' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='1.2553327221117' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='1.2553027479783' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='1.2553682977478' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='1.2552757598855' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='1.2552555162239' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='1.2552313485881' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='1.2552079410332' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='1.255181356315' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='1.2551599642489' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='1.2551334965517' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='1.2551131420461' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='1.255095279749' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='1.2550695260123' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='1.2550247216601' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='1.2549795300031' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='1.2549353201231' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='1.25487471234' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='1.2548456332177' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='1.2548029696907' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='1.2547565025578' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='1.2520312065461' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='1.2520245128341' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='1.2520149915942' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='1.2520049457149' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='1.2519993589424' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='1.2520062164796' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='1.2520098337173' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='1.2520070811286' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='1.2520077400956' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='1.2520021879142' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='1.2519962860171' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='1.2519854942058' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='1.251980536028' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='1.2520115818717' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='1.2519846430344' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='1.2519820083464' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='1.2519877367162' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='1.2520600622228' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='1.2520653037625' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='1.2519895762276' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='1.2519957965125' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='1.2520096290851' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='1.2520056852963' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='1.2519989308757' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='1.2519968769559' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='1.2519974106533' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='1.2519894367788' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='1.2519886431192' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='1.2519950210981' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='1.252003751077' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='1.2520656083661' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='1.2519896562123' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='1.251969708958' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='1.2519605889827' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='1.2519499743286' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='1.2519370410267' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Com_insert' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='1.2558086359346' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='1.2557617461005' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='1.2557143059243' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='1.2556646172324' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='1.2556158688025' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='1.2555583141603' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='1.2555719394749' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='1.2554851372802' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='1.255442818095' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='1.2554071355805' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='1.2554102404221' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='1.255397652137' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='1.2553761276029' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='1.2553553045359' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='1.2553327221117' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='1.2553027479783' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='1.2553682977478' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='1.2552757598855' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='1.2552555162239' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='1.2552313485881' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='1.2552079410332' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='1.255181356315' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='1.2551599642489' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='1.2551334965517' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='1.2551131420461' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='1.255095279749' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='1.2550695260123' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='1.2550247216601' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='1.2549795300031' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='1.2549353201231' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='1.25487471234' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='1.2548456332177' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='1.2548029696907' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='1.2547565025578' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='1.2520312065461' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='1.2520245128341' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='1.2520149915942' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='1.2520049457149' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='1.2519993589424' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='1.2520062164796' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='1.2520098337173' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='1.2520070811286' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='1.2520077400956' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='1.2520021879142' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='1.2519962860171' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='1.2519854942058' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='1.251980536028' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='1.2520115818717' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='1.2519846430344' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='1.2519820083464' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='1.2519877367162' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='1.2520600622228' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='1.2520653037625' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='1.2519895762276' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='1.2519957965125' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='1.2520096290851' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='1.2520056852963' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='1.2519989308757' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='1.2519968769559' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='1.2519974106533' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='1.2519894367788' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='1.2519886431192' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='1.2519950210981' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='1.252003751077' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='1.2520656083661' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='1.2519896562123' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='1.251969708958' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='1.2519605889827' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='1.2519499743286' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='1.2519370410267' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Com_delete' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.025668639470866' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.025664831886025' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.025674424410396' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.025673701034953' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.025671059798971' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.025672656486459' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.025667620395527' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.025666025145043' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.025662427904177' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.025662761143371' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.025691413010282' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.025705510094942' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.025709566616469' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.02571116813032' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.0257112782259' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.025707683778481' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.025720767264228' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.025717530630792' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.025717220480119' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.025714889573277' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.025710774996136' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.025704971333223' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.025700966603623' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.025694957430056' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.025690542833732' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.025688024300111' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.025683294279145' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.025681096485276' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.025679321638038' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.025678706217168' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.025669969002326' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.025672953158914' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.025672864055959' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.02567057267248' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.025322504790856' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.025326768642428' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.025325295237123' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.02533272726463' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.025331857363076' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.025329673272738' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.025326479738684' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.025325815192894' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.025331715610388' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.025327820322798' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.025323821998171' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.025320336086826' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.025318464382432' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.025316445322079' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.025315329908219' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.025310136539696' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.02530786830247' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.025303054909751' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.025301178916759' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.025298756579637' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.02529810520166' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.025301775689376' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.025299414884902' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.025298161086086' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.025295298629294' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.02529174269718' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.025294003635499' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.025293057049593' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.025291404172689' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.025292564752249' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.025289082841722' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.02528575865631' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.025280908250513' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.02527646181895' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.025273920175506' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.025270777650751' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Com_delete' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.025668639470866' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.025664831886025' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.025674424410396' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.025673701034953' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.025671059798971' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.025672656486459' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.025667620395527' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.025666025145043' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.025662427904177' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.025662761143371' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.025691413010282' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.025705510094942' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.025709566616469' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.02571116813032' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.0257112782259' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.025707683778481' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.025720767264228' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.025717530630792' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.025717220480119' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.025714889573277' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.025710774996136' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.025704971333223' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.025700966603623' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.025694957430056' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.025690542833732' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.025688024300111' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.025683294279145' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.025681096485276' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.025679321638038' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.025678706217168' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.025669969002326' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.025672953158914' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.025672864055959' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.02567057267248' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.025322504790856' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.025326768642428' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.025325295237123' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.02533272726463' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.025331857363076' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.025329673272738' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.025326479738684' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.025325815192894' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.025331715610388' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.025327820322798' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.025323821998171' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.025320336086826' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.025318464382432' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.025316445322079' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.025315329908219' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.025310136539696' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.02530786830247' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.025303054909751' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.025301178916759' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.025298756579637' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.02529810520166' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.025301775689376' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.025299414884902' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.025298161086086' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.025295298629294' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.02529174269718' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.025294003635499' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.025293057049593' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.025291404172689' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.025292564752249' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.025289082841722' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.02528575865631' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.025280908250513' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.02527646181895' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.025273920175506' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.025270777650751' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td></tr><tr><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Com_update' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.12635244297122' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.12633178429722' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.1263447272513' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.12631951524699' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.12629089470736' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.12626523241174' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.12623695893646' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.12622337182746' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.12619680827807' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.12617759812545' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.12621240540907' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.12622222228111' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.12621526338744' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.12620717098938' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.12619015089566' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.12616986267993' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.12617895736466' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.12616349342848' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.12615468283688' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.12616504668864' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.12615654590874' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.12614877757659' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.1261294035335' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.12610813164763' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.12609176758288' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.12608277035434' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.12605786456361' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.12603666526468' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.12601221712099' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.12598789278949' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.1259506075521' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.12594203460839' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.12593983504312' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.12593156640813' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.12482956456018' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.12483097557559' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.12484002054176' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.12484631360837' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.12484501381471' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.12484351268723' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.12483614865753' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.12483495504761' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.12483971055364' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.12482721779805' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.12482934779459' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.12482706077021' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.12482203907241' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.12481291461778' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.12481573657505' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.12480165485806' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.12479372829376' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.12479817955671' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.12480518389986' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.12480096378738' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.12480361098769' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.12481820979058' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.12482225608561' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.12483524231642' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.12483595239336' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.12483870743927' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.124851058982' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.12485941299772' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.12487024363921' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.12489502799822' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.12492407409059' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.12493178149801' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.12492655794449' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.12491913552869' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.12490611379279' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.12489769121818' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Com_update' xAxisName='' yAxisName='per/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='0.12635244297122' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='0.12633178429722' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='0.1263447272513' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='0.12631951524699' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='0.12629089470736' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='0.12626523241174' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='0.12623695893646' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='0.12622337182746' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='0.12619680827807' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='0.12617759812545' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='0.12621240540907' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='0.12622222228111' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='0.12621526338744' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='0.12620717098938' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='0.12619015089566' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='0.12616986267993' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='0.12617895736466' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='0.12616349342848' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='0.12615468283688' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='0.12616504668864' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='0.12615654590874' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='0.12614877757659' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='0.1261294035335' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='0.12610813164763' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='0.12609176758288' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='0.12608277035434' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='0.12605786456361' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='0.12603666526468' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='0.12601221712099' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='0.12598789278949' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='0.1259506075521' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='0.12594203460839' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='0.12593983504312' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='0.12593156640813' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='0.12482956456018' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='0.12483097557559' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='0.12484002054176' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='0.12484631360837' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='0.12484501381471' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='0.12484351268723' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='0.12483614865753' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='0.12483495504761' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='0.12483971055364' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='0.12482721779805' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='0.12482934779459' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='0.12482706077021' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='0.12482203907241' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='0.12481291461778' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='0.12481573657505' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='0.12480165485806' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='0.12479372829376' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='0.12479817955671' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='0.12480518389986' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='0.12480096378738' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='0.12480361098769' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='0.12481820979058' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='0.12482225608561' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='0.12483524231642' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='0.12483595239336' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='0.12483870743927' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='0.124851058982' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='0.12485941299772' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='0.12487024363921' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='0.12489502799822' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='0.12492407409059' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='0.12493178149801' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='0.12492655794449' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='0.12491913552869' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='0.12490611379279' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='0.12489769121818' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Bytes_received' xAxisName='' yAxisName='bytes/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='386.6198186878' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='388.19820483201' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='389.9252326786' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='391.47591716293' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='393.08814512196' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='395.66060152528' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='398.15266414951' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='398.60382118703' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='400.29206295403' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='401.98695260447' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='404.04037866063' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='405.98159266501' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='407.69170902705' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='409.38459271722' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='411.06998781192' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='412.81558440541' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='415.14425307227' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='416.48390585867' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='418.10381027503' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='419.73435963998' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='421.30827725499' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='422.93509290131' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='424.51517970611' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='426.04844878174' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='427.63555474875' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='429.24559872595' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='430.83799640207' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='432.3821258099' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='433.92226130063' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='435.87854014835' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='437.88211928669' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='439.16154144599' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='440.72764921146' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='442.2715944249' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='168.67372179246' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='170.12150470142' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='172.09111202507' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='173.98165255543' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='175.86280265586' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='177.80430205796' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='179.74018933424' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='181.64272227673' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='183.50253468631' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='185.39596571002' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='187.23987869486' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='189.35110932954' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='191.18398495713' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='193.9530625855' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='194.984279615' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='196.80008551618' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='198.6850922164' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='201.24058542099' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='203.24406278644' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='204.67952082123' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='206.40377833051' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='208.27096291857' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='210.01432863546' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='211.7643068226' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='213.5408175903' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='215.29312914432' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='217.0863691888' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='218.91343343365' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='220.78429539612' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='222.80360366882' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='225.02159143174' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='226.52359253251' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='228.21700440785' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='230.04622774971' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='231.79209861815' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='233.59010476054' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Bytes_received' xAxisName='' yAxisName='bytes/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='386.6198186878' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='388.19820483201' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='389.9252326786' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='391.47591716293' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='393.08814512196' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='395.66060152528' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='398.15266414951' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='398.60382118703' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='400.29206295403' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='401.98695260447' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='404.04037866063' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='405.98159266501' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='407.69170902705' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='409.38459271722' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='411.06998781192' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='412.81558440541' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='415.14425307227' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='416.48390585867' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='418.10381027503' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='419.73435963998' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='421.30827725499' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='422.93509290131' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='424.51517970611' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='426.04844878174' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='427.63555474875' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='429.24559872595' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='430.83799640207' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='432.3821258099' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='433.92226130063' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='435.87854014835' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='437.88211928669' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='439.16154144599' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='440.72764921146' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='442.2715944249' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='168.67372179246' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='170.12150470142' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='172.09111202507' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='173.98165255543' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='175.86280265586' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='177.80430205796' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='179.74018933424' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='181.64272227673' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='183.50253468631' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='185.39596571002' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='187.23987869486' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='189.35110932954' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='191.18398495713' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='193.9530625855' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='194.984279615' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='196.80008551618' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='198.6850922164' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='201.24058542099' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='203.24406278644' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='204.67952082123' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='206.40377833051' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='208.27096291857' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='210.01432863546' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='211.7643068226' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='213.5408175903' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='215.29312914432' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='217.0863691888' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='218.91343343365' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='220.78429539612' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='222.80360366882' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='225.02159143174' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='226.52359253251' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='228.21700440785' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='230.04622774971' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='231.79209861815' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='233.59010476054' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td><td> <!-- START Code Block for Chart kontrollbase -->
<OBJECT classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase=http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0" width="240" height="130" id="kontrollbase">
<param name="allowScriptAccess" value="always" />
<param name="movie" value="http://testing.kontrollbase.com//includes/FCF_Line.swf"/>
<param name="FlashVars" value="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Bytes_sent' xAxisName='' yAxisName='bytes/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='55.126923327081' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='63.222309844396' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='73.442195115491' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='80.625370552624' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='89.78813597063' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='253.20948168224' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='269.25568374937' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='273.39220897326' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='284.78539524451' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='295.72511210177' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='312.87205940989' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='329.17216379389' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='340.57415752173' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='351.67038440195' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='363.32587662647' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='375.24529679227' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='392.92963087491' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='403.30315634461' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='411.72255504912' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='420.4799713056' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='428.43383903758' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='436.77190342264' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='443.61131532893' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='450.22755499334' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='4.5885098336876' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='12.045133461661' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='20.135885072755' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='27.833687096945' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='35.233478660902' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='185.90301440063' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='202.41797844064' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='210.49913893515' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='218.73007147865' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='226.15433688165' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='427.15139926436' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='2.476262269863' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='15.320533615863' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='28.60153553599' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='41.871683771652' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='56.843593498224' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='70.70940285524' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='85.30713627049' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='95.74477668321' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='109.77368924105' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='123.30455528265' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='144.33208697502' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='157.31064362579' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='175.93690701188' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='184.60586886577' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='196.90226274248' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='210.92005917677' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='334.50451173565' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='376.50206837391' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='387.35500236524' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='395.35771811426' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='404.06129300836' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='412.27354638452' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='420.6448755887' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='429.81064219579' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='7.089714014151' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='18.635501316388' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='29.354599507609' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='41.664117603989' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='54.509265547112' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='66.195136510707' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='75.930230330622' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='85.168823583024' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='97.074484459961' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='107.83171461828' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='119.81379104178' color='ff6600' showName='0'/>
</graph>" />
<param name="quality" value="high" />
<embed src="http://testing.kontrollbase.com//includes/FCF_Line.swf" FlashVars="&chartWidth=240&chartHeight=130&dataXML=<graph caption='Bytes_sent' xAxisName='' yAxisName='bytes/sec'
showValues='0' rotateNames='1' decimalPrecision='2' showLimits='1' animation='0'
showgridbg='1' showhovercap='1' showColumnShadow='1'
shadowYShift='0' shadowXShift='1' showAnchors='1' anchorRadius='2' anchorBgColor='b8b8b8' anchorScale='0' anchorAlpha='10'
showAlternateHGridColor='1' AlternateHGridColor='ff5904' divLineColor='ff5904' divLineAlpha='20' alternateHGridAlpha='5'
canvasBorderColor='b8b8b8' baseFontColor='666666' lineColor='99ccff' lineThickness='1'>
<set name='09-10 00:00' value='55.126923327081' color='ff6600' showName='0'/>
<set name='09-10 01:00' value='63.222309844396' color='ff6600' showName='0'/>
<set name='09-10 02:00' value='73.442195115491' color='ff6600' showName='0'/>
<set name='09-10 03:00' value='80.625370552624' color='ff6600' showName='0'/>
<set name='09-10 04:00' value='89.78813597063' color='ff6600' showName='0'/>
<set name='09-10 05:15' value='253.20948168224' color='ff6600' showName='0'/>
<set name='09-10 06:35' value='269.25568374937' color='ff6600' showName='0'/>
<set name='09-10 07:00' value='273.39220897326' color='ff6600' showName='0'/>
<set name='09-10 08:00' value='284.78539524451' color='ff6600' showName='0'/>
<set name='09-10 09:00' value='295.72511210177' color='ff6600' showName='0'/>
<set name='09-10 10:00' value='312.87205940989' color='ff6600' showName='0'/>
<set name='09-10 11:00' value='329.17216379389' color='ff6600' showName='0'/>
<set name='09-10 12:00' value='340.57415752173' color='ff6600' showName='0'/>
<set name='09-10 13:00' value='351.67038440195' color='ff6600' showName='0'/>
<set name='09-10 14:00' value='363.32587662647' color='ff6600' showName='0'/>
<set name='09-10 15:00' value='375.24529679227' color='ff6600' showName='0'/>
<set name='09-10 16:05' value='392.92963087491' color='ff6600' showName='0'/>
<set name='09-10 17:00' value='403.30315634461' color='ff6600' showName='0'/>
<set name='09-10 18:00' value='411.72255504912' color='ff6600' showName='0'/>
<set name='09-10 19:00' value='420.4799713056' color='ff6600' showName='0'/>
<set name='09-10 20:00' value='428.43383903758' color='ff6600' showName='0'/>
<set name='09-10 21:00' value='436.77190342264' color='ff6600' showName='0'/>
<set name='09-10 22:00' value='443.61131532893' color='ff6600' showName='0'/>
<set name='09-10 23:00' value='450.22755499334' color='ff6600' showName='0'/>
<set name='09-11 00:00' value='4.5885098336876' color='ff6600' showName='0'/>
<set name='09-11 01:00' value='12.045133461661' color='ff6600' showName='0'/>
<set name='09-11 02:00' value='20.135885072755' color='ff6600' showName='0'/>
<set name='09-11 03:00' value='27.833687096945' color='ff6600' showName='0'/>
<set name='09-11 04:00' value='35.233478660902' color='ff6600' showName='0'/>
<set name='09-11 05:00' value='185.90301440063' color='ff6600' showName='0'/>
<set name='09-11 06:15' value='202.41797844064' color='ff6600' showName='0'/>
<set name='09-11 07:00' value='210.49913893515' color='ff6600' showName='0'/>
<set name='09-11 08:00' value='218.73007147865' color='ff6600' showName='0'/>
<set name='09-11 09:00' value='226.15433688165' color='ff6600' showName='0'/>
<set name='09-15 12:18' value='427.15139926436' color='ff6600' showName='0'/>
<set name='09-15 13:00' value='2.476262269863' color='ff6600' showName='0'/>
<set name='09-15 14:00' value='15.320533615863' color='ff6600' showName='0'/>
<set name='09-15 15:00' value='28.60153553599' color='ff6600' showName='0'/>
<set name='09-15 16:00' value='41.871683771652' color='ff6600' showName='0'/>
<set name='09-15 17:00' value='56.843593498224' color='ff6600' showName='0'/>
<set name='09-15 18:00' value='70.70940285524' color='ff6600' showName='0'/>
<set name='09-15 19:00' value='85.30713627049' color='ff6600' showName='0'/>
<set name='09-15 20:00' value='95.74477668321' color='ff6600' showName='0'/>
<set name='09-15 21:00' value='109.77368924105' color='ff6600' showName='0'/>
<set name='09-15 22:00' value='123.30455528265' color='ff6600' showName='0'/>
<set name='09-15 23:00' value='144.33208697502' color='ff6600' showName='0'/>
<set name='09-16 00:00' value='157.31064362579' color='ff6600' showName='0'/>
<set name='09-16 01:25' value='175.93690701188' color='ff6600' showName='0'/>
<set name='09-16 02:00' value='184.60586886577' color='ff6600' showName='0'/>
<set name='09-16 03:00' value='196.90226274248' color='ff6600' showName='0'/>
<set name='09-16 04:00' value='210.92005917677' color='ff6600' showName='0'/>
<set name='09-16 05:05' value='334.50451173565' color='ff6600' showName='0'/>
<set name='09-16 06:05' value='376.50206837391' color='ff6600' showName='0'/>
<set name='09-16 07:00' value='387.35500236524' color='ff6600' showName='0'/>
<set name='09-16 08:00' value='395.35771811426' color='ff6600' showName='0'/>
<set name='09-16 09:00' value='404.06129300836' color='ff6600' showName='0'/>
<set name='09-16 10:00' value='412.27354638452' color='ff6600' showName='0'/>
<set name='09-16 11:00' value='420.6448755887' color='ff6600' showName='0'/>
<set name='09-16 12:00' value='429.81064219579' color='ff6600' showName='0'/>
<set name='09-16 13:00' value='7.089714014151' color='ff6600' showName='0'/>
<set name='09-16 14:00' value='18.635501316388' color='ff6600' showName='0'/>
<set name='09-16 15:00' value='29.354599507609' color='ff6600' showName='0'/>
<set name='09-16 16:00' value='41.664117603989' color='ff6600' showName='0'/>
<set name='09-16 17:00' value='54.509265547112' color='ff6600' showName='0'/>
<set name='09-16 18:05' value='66.195136510707' color='ff6600' showName='0'/>
<set name='09-16 19:00' value='75.930230330622' color='ff6600' showName='0'/>
<set name='09-16 20:00' value='85.168823583024' color='ff6600' showName='0'/>
<set name='09-16 21:00' value='97.074484459961' color='ff6600' showName='0'/>
<set name='09-16 22:00' value='107.83171461828' color='ff6600' showName='0'/>
<set name='09-16 23:00' value='119.81379104178' color='ff6600' showName='0'/>
</graph>" quality="high" width="240" height="130" name="kontrollbase" allowScriptAccess="always" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object>
<!-- END Code Block for Chart kontrollbase --></td></tr></tr></div></table></body></html> | ithoq/kontrollbase | includes/graphs/host-graphs-14.php | PHP | bsd-3-clause | 669,494 |
Order.class_eval do
after_create :create_tax_charge!
alias original_generate_order_number generate_order_number
def generate_order_number
return original_generate_order_number unless Spree::Config[:running_order_numbers]
year = Time.now.year
if last = Order.last
num = last.number[5..9].to_i + 1
else
num = 30000
end
self.number = "R#{year}#{num}"
end
#small fix, as the scope by label doesn't always work
def tax_total
adjustments.where(:originator_type => "TaxRate").map(&:amount).sum
end
# create tax rate adjustments (note plural) that apply to the shipping address (not like billing in original).
# removes any previous Tax - Adjustments (in case the address changed). Could probably be optimised (later)
def create_tax_charge!
#puts "Adjustments #{adjustments} TAX #{tax_total}"
#puts "CREATE TAX for #{ship_address} "
all_rates = TaxRate.all
matching_rates = all_rates.select { |rate| rate.zone.include?(ship_address) }
if matching_rates.empty?
matching_rates = all_rates.select{|rate| # get all rates that apply to default country
rate.zone.country_list.collect{|c| c.id}.include?(Spree::Config[:default_country_id])
}
end
adjustments.where(:originator_type => "TaxRate").each do |old_charge|
old_charge.destroy
end
matching_rates.each do |rate|
#puts "Creating rate #{rate.amount}"
rate.create_adjustment( rate.tax_category.description , self, self, true)
end
end
end
| ArjanL/spree-vat-fix | app/models/order_decorator.rb | Ruby | bsd-3-clause | 1,533 |
using Microsoft.Extensions.DependencyInjection;
using OrchardCore.Email.Workflows.Activities;
using OrchardCore.Email.Workflows.Drivers;
using OrchardCore.Modules;
using OrchardCore.Workflows.Helpers;
namespace OrchardCore.Email.Workflows
{
[RequireFeatures("OrchardCore.Workflows")]
public class Startup : StartupBase
{
public override void ConfigureServices(IServiceCollection services)
{
services.AddActivity<EmailTask, EmailTaskDisplayDriver>();
}
}
}
| xkproject/Orchard2 | src/OrchardCore.Modules/OrchardCore.Email/Workflows/Startup.cs | C# | bsd-3-clause | 509 |
#------------------------------------------------------------------------------
# Copyright (c) 2007, Riverbank Computing Limited
# All rights reserved.
#
# This software is provided without warranty under the terms of the BSD license.
# However, when used with the GPL version of PyQt the additional terms described in the PyQt GPL exception also apply
#
# Author: Riverbank Computing Limited
# Description: <Enthought pyface package component>
#------------------------------------------------------------------------------
# Standard library imports.
import sys
# Major package imports.
from pyface.qt import QtCore, QtGui
# Enthought library imports.
from traits.api import Bool, Event, provides, Unicode
# Local imports.
from pyface.i_python_editor import IPythonEditor, MPythonEditor
from pyface.key_pressed_event import KeyPressedEvent
from pyface.widget import Widget
from pyface.ui.qt4.code_editor.code_widget import AdvancedCodeWidget
@provides(IPythonEditor)
class PythonEditor(MPythonEditor, Widget):
""" The toolkit specific implementation of a PythonEditor. See the
IPythonEditor interface for the API documentation.
"""
#### 'IPythonEditor' interface ############################################
dirty = Bool(False)
path = Unicode
show_line_numbers = Bool(True)
#### Events ####
changed = Event
key_pressed = Event(KeyPressedEvent)
###########################################################################
# 'object' interface.
###########################################################################
def __init__(self, parent, **traits):
super(PythonEditor, self).__init__(**traits)
self.control = self._create_control(parent)
###########################################################################
# 'PythonEditor' interface.
###########################################################################
def load(self, path=None):
""" Loads the contents of the editor.
"""
if path is None:
path = self.path
# We will have no path for a new script.
if len(path) > 0:
f = open(self.path, 'r')
text = f.read()
f.close()
else:
text = ''
self.control.code.setPlainText(text)
self.dirty = False
def save(self, path=None):
""" Saves the contents of the editor.
"""
if path is None:
path = self.path
f = open(path, 'w')
f.write(self.control.code.toPlainText())
f.close()
self.dirty = False
def select_line(self, lineno):
""" Selects the specified line.
"""
self.control.code.set_line_column(lineno, 0)
self.control.code.moveCursor(QtGui.QTextCursor.EndOfLine,
QtGui.QTextCursor.KeepAnchor)
###########################################################################
# Trait handlers.
###########################################################################
def _path_changed(self):
self._changed_path()
def _show_line_numbers_changed(self):
if self.control is not None:
self.control.code.line_number_widget.setVisible(
self.show_line_numbers)
self.control.code.update_line_number_width()
###########################################################################
# Private interface.
###########################################################################
def _create_control(self, parent):
""" Creates the toolkit-specific control for the widget.
"""
self.control = control = AdvancedCodeWidget(parent)
self._show_line_numbers_changed()
# Install event filter to trap key presses.
event_filter = PythonEditorEventFilter(self, self.control)
self.control.installEventFilter(event_filter)
self.control.code.installEventFilter(event_filter)
# Connect signals for text changes.
control.code.modificationChanged.connect(self._on_dirty_changed)
control.code.textChanged.connect(self._on_text_changed)
# Load the editor's contents.
self.load()
return control
def _on_dirty_changed(self, dirty):
""" Called whenever a change is made to the dirty state of the
document.
"""
self.dirty = dirty
def _on_text_changed(self):
""" Called whenever a change is made to the text of the document.
"""
self.changed = True
class PythonEditorEventFilter(QtCore.QObject):
""" A thin wrapper around the advanced code widget to handle the key_pressed
Event.
"""
def __init__(self, editor, parent):
super(PythonEditorEventFilter, self).__init__(parent)
self.__editor = editor
def eventFilter(self, obj, event):
""" Reimplemented to trap key presses.
"""
if self.__editor.control and obj == self.__editor.control and \
event.type() == QtCore.QEvent.FocusOut:
# Hack for Traits UI compatibility.
self.__editor.control.emit(QtCore.SIGNAL('lostFocus'))
elif self.__editor.control and obj == self.__editor.control.code and \
event.type() == QtCore.QEvent.KeyPress:
# Pyface doesn't seem to be Unicode aware. Only keep the key code
# if it corresponds to a single Latin1 character.
kstr = event.text()
try:
kcode = ord(str(kstr))
except:
kcode = 0
mods = event.modifiers()
self.key_pressed = KeyPressedEvent(
alt_down = ((mods & QtCore.Qt.AltModifier) ==
QtCore.Qt.AltModifier),
control_down = ((mods & QtCore.Qt.ControlModifier) ==
QtCore.Qt.ControlModifier),
shift_down = ((mods & QtCore.Qt.ShiftModifier) ==
QtCore.Qt.ShiftModifier),
key_code = kcode,
event = event)
return super(PythonEditorEventFilter, self).eventFilter(obj, event)
| geggo/pyface | pyface/ui/qt4/python_editor.py | Python | bsd-3-clause | 6,248 |
#include <iostream>
#include <stdlib.h>
#include <unistd.h>
#include <stdio.h>
#include <fcntl.h>
#include <sys/types.h>
#include <sys/stat.h>
#include <dirent.h>
#include <errno.h>
using namespace std;
int main(int argc, char** argv)
{
if(argc <= 1)
{
cout << "Nothing passed in to argv." << endl;
exit(1);
}
else
{
DIR *dirp;
if(NULL == (dirp = opendir(argv[1])))
{
perror("There was an error with opendir(). ");
exit(1);
}
struct dirent *filespecs;
errno = 0;
while(NULL != (filespecs = readdir(dirp)))
{
cout << filespecs->d_name << " ";
}
if(errno != 0)
{
perror("There was an error with readdir(). ");
exit(1);
}
cout << endl;
if(-1 == closedir(dirp))
{
perror("There was an error with closedir(). ");
exit(1);
}
}
return 0;
}
| cdixi001/rshell | src/dir_code.cpp | C++ | bsd-3-clause | 991 |
/* $OpenBSD: tls_server.c,v 1.4 2015/02/07 06:19:26 jsing Exp $ */
/*
* Copyright (c) 2014 Joel Sing <[email protected]>
*
* Permission to use, copy, modify, and distribute this software for any
* purpose with or without fee is hereby granted, provided that the above
* copyright notice and this permission notice appear in all copies.
*
* THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES
* WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF
* MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR
* ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES
* WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN
* ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF
* OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
*/
#include <openssl/ec.h>
#include <openssl/ssl.h>
#include <tls.h>
#include "tls_internal.h"
struct tls *
tls_server(void)
{
struct tls *ctx;
if ((ctx = tls_new()) == NULL)
return (NULL);
ctx->flags |= TLS_SERVER;
return (ctx);
}
struct tls *
tls_server_conn(struct tls *ctx)
{
struct tls *conn_ctx;
if ((conn_ctx = tls_new()) == NULL)
return (NULL);
conn_ctx->flags |= TLS_SERVER_CONN;
return (conn_ctx);
}
int
tls_configure_server(struct tls *ctx)
{
EC_KEY *ecdh_key;
unsigned char sid[SSL_MAX_SSL_SESSION_ID_LENGTH];
if ((ctx->ssl_ctx = SSL_CTX_new(SSLv23_server_method())) == NULL) {
tls_set_error(ctx, "ssl context failure");
goto err;
}
if (tls_configure_ssl(ctx) != 0)
goto err;
if (tls_configure_keypair(ctx) != 0)
goto err;
if (ctx->config->dheparams == -1)
SSL_CTX_set_dh_auto(ctx->ssl_ctx, 1);
else if (ctx->config->dheparams == 1024)
SSL_CTX_set_dh_auto(ctx->ssl_ctx, 2);
if (ctx->config->ecdhecurve == -1) {
SSL_CTX_set_ecdh_auto(ctx->ssl_ctx, 1);
} else if (ctx->config->ecdhecurve != NID_undef) {
if ((ecdh_key = EC_KEY_new_by_curve_name(
ctx->config->ecdhecurve)) == NULL) {
tls_set_error(ctx, "failed to set ECDHE curve");
goto err;
}
SSL_CTX_set_options(ctx->ssl_ctx, SSL_OP_SINGLE_ECDH_USE);
SSL_CTX_set_tmp_ecdh(ctx->ssl_ctx, ecdh_key);
EC_KEY_free(ecdh_key);
}
/*
* Set session ID context to a random value. We don't support
* persistent caching of sessions so it is OK to set a temporary
* session ID context that is valid during run time.
*/
arc4random_buf(sid, sizeof(sid));
if (!SSL_CTX_set_session_id_context(ctx->ssl_ctx, sid, sizeof(sid))) {
tls_set_error(ctx, "failed to set session id context");
goto err;
}
return (0);
err:
return (-1);
}
int
tls_accept_socket(struct tls *ctx, struct tls **cctx, int socket)
{
struct tls *conn_ctx = *cctx;
int ret, err;
if ((ctx->flags & TLS_SERVER) == 0) {
tls_set_error(ctx, "not a server context");
goto err;
}
if (conn_ctx == NULL) {
if ((conn_ctx = tls_server_conn(ctx)) == NULL) {
tls_set_error(ctx, "connection context failure");
goto err;
}
*cctx = conn_ctx;
conn_ctx->socket = socket;
if ((conn_ctx->ssl_conn = SSL_new(ctx->ssl_ctx)) == NULL) {
tls_set_error(ctx, "ssl failure");
goto err;
}
if (SSL_set_fd(conn_ctx->ssl_conn, socket) != 1) {
tls_set_error(ctx, "ssl set fd failure");
goto err;
}
SSL_set_app_data(conn_ctx->ssl_conn, conn_ctx);
}
if ((ret = SSL_accept(conn_ctx->ssl_conn)) != 1) {
err = tls_ssl_error(conn_ctx, ret, "accept");
if (err == TLS_READ_AGAIN || err == TLS_WRITE_AGAIN) {
return (err);
}
goto err;
}
return (0);
err:
return (-1);
}
| GaloisInc/hacrypto | src/C/libressl/libressl-2.1.6/tls/tls_server.c | C | bsd-3-clause | 3,555 |
import argparse
import glob
import hashlib
import json
import os
IRMAS_INDEX_PATH = '../mirdata/indexes/irmas_index.json'
def md5(file_path):
"""Get md5 hash of a file.
Parameters
----------
file_path: str
File path.
Returns
-------
md5_hash: str
md5 hash of data in file_path
"""
hash_md5 = hashlib.md5()
with open(file_path, 'rb') as fhandle:
for chunk in iter(lambda: fhandle.read(4096), b''):
hash_md5.update(chunk)
return hash_md5.hexdigest()
def strip_first_dir(full_path):
return os.path.join(*(full_path.split(os.path.sep)[1:]))
def make_irmas_index(irmas_data_path):
count = 0
irmas_dict = dict()
for root, dirs, files in os.walk(irmas_data_path):
for directory in dirs:
if 'Train' in directory:
for root_, dirs_, files_ in os.walk(
os.path.join(irmas_data_path, directory)
):
for directory_ in dirs_:
for root__, dirs__, files__ in os.walk(
os.path.join(irmas_data_path, directory, directory_)
):
for file in files__:
if file.endswith('.wav'):
if 'dru' in file:
irmas_id_dru = file.split(']')[3] # Obtain id
irmas_id_dru_no_wav = irmas_id_dru.split('.')[
0
] # Obtain id without '.wav'
irmas_dict[irmas_id_dru_no_wav] = os.path.join(
directory, directory_, file
)
if 'nod' in file:
irmas_id_nod = file.split(']')[3] # Obtain id
irmas_id_nod_no_wav = irmas_id_nod.split('.')[
0
] # Obtain id without '.wav'
irmas_dict[irmas_id_nod_no_wav] = os.path.join(
directory, directory_, file
)
else:
irmas_id = file.split(']')[2] # Obtain id
irmas_id_no_wav = irmas_id.split('.')[
0
] # Obtain id without '.wav'
irmas_dict[irmas_id_no_wav] = os.path.join(
directory, directory_, file
)
irmas_test_dict = dict()
for root, dirs, files in os.walk(irmas_data_path):
for directory in dirs:
if 'Test' in directory:
for root_, dirs_, files_ in os.walk(
os.path.join(irmas_data_path, directory)
):
for directory_ in dirs_:
for root__, dirs__, files__ in os.walk(
os.path.join(irmas_data_path, directory, directory_)
):
for file in files__:
if file.endswith('.wav'):
file_name = os.path.join(
directory, directory_, file
)
track_name = str(file_name.split('.wa')[0]) + '.txt'
irmas_test_dict[count] = [file_name, track_name]
count += 1
irmas_id_list = sorted(irmas_dict.items()) # Sort strokes by id
irmas_index = {}
for inst in irmas_id_list:
print(inst[1])
audio_checksum = md5(os.path.join(irmas_data_path, inst[1]))
irmas_index[inst[0]] = {
'audio': (inst[1], audio_checksum),
'annotation': (inst[1], audio_checksum),
}
index = 1
for inst in irmas_test_dict.values():
audio_checksum = md5(os.path.join(irmas_data_path, inst[0]))
annotation_checksum = md5(os.path.join(irmas_data_path, inst[1]))
irmas_index[index] = {
'audio': (inst[0], audio_checksum),
'annotation': (inst[1], annotation_checksum),
}
index += 1
with open(IRMAS_INDEX_PATH, 'w') as fhandle:
json.dump(irmas_index, fhandle, indent=2)
def make_irmas_test_index(irmas_data_path):
count = 1
irmas_dict = dict()
for root, dirs, files in os.walk(irmas_data_path):
for directory in dirs:
if 'Test' in directory:
for root_, dirs_, files_ in os.walk(
os.path.join(irmas_data_path, directory)
):
for directory_ in dirs_:
for root__, dirs__, files__ in os.walk(
os.path.join(irmas_data_path, directory, directory_)
):
for file in files__:
if file.endswith('.wav'):
file_name = os.path.join(
directory, directory_, file
)
track_name = str(file_name.split('.wa')[0]) + '.txt'
irmas_dict[count] = [file_name, track_name]
count += 1
irmas_index = {}
index = 1
for inst in irmas_dict.values():
audio_checksum = md5(os.path.join(irmas_data_path, inst[0]))
annotation_checksum = md5(os.path.join(irmas_data_path, inst[1]))
irmas_index[index] = {
'audio': (inst[0], audio_checksum),
'annotation': (inst[1], annotation_checksum),
}
index += 1
with open(IRMAS_TEST_INDEX_PATH, 'w') as fhandle:
json.dump(irmas_index, fhandle, indent=2)
def main(args):
make_irmas_index(args.irmas_data_path)
# make_irmas_test_index(args.irmas_data_path)
if __name__ == '__main__':
PARSER = argparse.ArgumentParser(description='Make IRMAS index file.')
PARSER.add_argument('irmas_data_path', type=str, help='Path to IRMAS data folder.')
main(PARSER.parse_args())
| mir-dataset-loaders/mirdata | scripts/legacy/make_irmas_index.py | Python | bsd-3-clause | 6,590 |
/**************************************************************************************
* Copyright (c) 2013-2015, Finnish Social Science Data Archive/University of Tampere *
* *
* All rights reserved. *
* *
* Redistribution and use in source and binary forms, with or without modification, *
* are permitted provided that the following conditions are met: *
* 1. Redistributions of source code must retain the above copyright notice, this *
* list of conditions and the following disclaimer. *
* 2. 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. *
* 3. Neither the name of the copyright holder nor the names of its contributors *
* may 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 HOLDER 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. *
**************************************************************************************/
define(function (require) {
'use strict';
/**
* Add localizations for general UI elements such as buttons
* as well as all error messages even though most of these will not be needed at one time
*/
require('./addTranslation')('', {
"page": {
"&title": {
"default": "Yhteiskuntatieteellinen tietoarkisto - Metka"
}
},
"topmenu": {
"&desktop": {
"default": "Työpöytä"
},
"&expert": {
"default": "Eksperttihaku"
},
"&study": {
"default": "Aineistot"
},
"&variables": {
"default": "Muuttujat"
},
"&publication": {
"default": "Julkaisut"
},
"&series": {
"default": "Sarjat"
},
"&binder": {
"default": "Mapit"
},
"&report": {
"default": "Raportit"
},
"&settings": {
"default": "Asetukset"
},
"&help": {
"default": "Ohjeet"
},
"&logout": {
"default": "Kirjaudu ulos"
}
},
"state": {
"&DRAFT": {
"default": "LUONNOS"
},
"&APPROVED": {
"default": "HYVÄKSYTTY"
},
"&REMOVED": {
"default": "POISTETTU"
}
},
"type": {
"SERIES": {
"&title": {
"default": "Sarja"
},
"&search": {
"default": "Sarjahaku"
}
},
"STUDY": {
"&title": {
"default": "Aineisto"
},
"&search": {
"default": "Aineistohaku"
},
"erroneous": {
"&title": {
"default": "Virheelliset"
},
"table": {
"&id": {
"default": "Aineistonumero"
},
"&name": {
"default": "Aineiston nimi"
},
"&errorPointCount": {
"default": "Virhepisteet"
}
}
}
},
"STUDY_VARIABLES": {
"&title": {
"default": "Muuttujat"
},
"&search": {
"default": "Muuttujahaku"
}
},
"STUDY_VARIABLE": {
"&title": {
"default": "Muuttuja"
},
"&search": {
"default": "Muuttujahaku"
}
},
"STUDY_ATTACHMENT": {
"&title": {
"default": "Liite"
},
"&search": {
"default": "Liitehaku"
}
},
"PUBLICATION": {
"&title": {
"default": "Julkaisu"
},
"&search": {
"default": "Julkaisuhaku"
}
},
"BINDERS": {
"&title": {
"default": "Mapit"
}
},
"SETTINGS": {
"&title": {
"default": "Hallinta"
}
},
"BINDER_PAGE": {
"&title": {
"default": "Mapitus"
}
},
"STUDY_ERROR": {
"&title": {
"default": "Aineistovirhe"
}
}
},
"general": {
"result": {
"&amount": {
"default": "Rivejä: {length}"
}
},
"downloadInfo": {
"¤tlyDownloading": {
"default": "Lataus on jo käynnissä. Odota latauksen valmistumista ladataksesi uudelleen."
}
},
"buttons": {
"&add": {
"default": "Lisää"
},
"&addSeries": {
"default": "Lisää sarja"
},
"&cancel": {
"default": "Peruuta"
},
"&close": {
"default": "Sulje"
},
"&download": {
"default": "Lataa"
},
"&upload": {
"default": "Lataa"
},
"&ok": {
"default": "OK"
},
"&save": {
"default": "Tallenna"
},
"&search": {
"default": "Hae"
},
"&remove": {
"default": "Poista"
},
"&no": {
"default": "Ei"
},
"&yes": {
"default": "Kyllä"
},
"&addGroup": {
"default": "Lisää ryhmä"
}
},
"revision": {
"compare": {
"&begin": {
"default": "Alku"
},
"&changed": {
"default": "Muutos"
},
"&end": {
"default": "Loppu"
},
"&modifier": {
"default": "Muuttaja"
},
"&modifyDate": {
"default": "Muutospvm"
},
"&property": {
"default": "Ominaisuus"
},
"&original": {
"default": "Alkuperäinen"
},
"&title": {
"default": "Revisioiden vertailu (revisio {0} -> revisio {1})"
}
},
"&compare": {
"default": "Vertaa"
},
"&publishDate": {
"default": "Julkaisupvm"
},
"&replace": {
"default": "Korvaa"
},
"&revisions": {
"default": "Revisiot"
}
},
"&referenceValue": {
"default": "Referenssiarvo"
},
"&referenceType": {
"default": "Tyyppi"
},
"saveInfo": {
"&savedAt": {
"default": "Päivämäärä"
},
"&savedBy": {
"default": "Tallentaja"
}
},
"refSaveInfo": {
"&savedAt": {
"default": "Päivämäärä (viittaus)"
},
"&savedBy": {
"default": "Tallentaja (viittaus)"
}
},
"&refState": {
"default": "Tila"
},
"refApproveInfo": {
"&approvedAt": {
"default": "Hyväksytty (viittaus)"
},
"&approvedBy": {
"default": "Hyväksyjä (viittaus)"
},
"&approvedRevision": {
"default": "Revisio (viittaus)"
}
},
"selection": {
"&empty": {
"default": "-- Valitse --"
}
},
"table": {
"&add": {
"default": "Lisää"
},
"countries": {
"&addFinland": {
"default": "Lisää Suomi"
}
}
},
"&id": {
"default": "ID"
},
"&revision": {
"default": "Revisio"
},
"&handler": {
"default": "Käsittelijä"
},
"&noHandler": {
"default": "Ei käsittelijää"
}
},
"search": {
"state": {
"&title": {
"default": "Hae:"
},
"&APPROVED": {
"default": "Hyväksyttyjä"
},
"&DRAFT": {
"default": "Luonnoksia"
},
"&REMOVED": {
"default": "Poistettuja"
}
},
"result": {
"&title": {
"default": "Hakutulos"
},
"&amount": {
"default": "Hakutuloksia: {length}"
},
"state": {
"&title": {
"default": "Tila"
},
"&APPROVED": {
"default": "Hyväksytty"
},
"&DRAFT": {
"default": "Luonnos"
},
"&REMOVED": {
"default": "Poistettu"
}
}
}
},
"settings": {
"&title": {
"default": "Asetukset"
},
"upload": {
"dataConfiguration": {
"&title": {
"default": "Datan konfiguraatio"
},
"&upload": {
"default": "Lataa datan konfiguraatio"
}
},
"guiConfiguration": {
"&title": {
"default": "GUI konfiguraatio"
},
"&upload": {
"default": "Lataa GUI konfiguraatio"
}
},
"miscJson": {
"&title": {
"default": "Json tiedosto"
},
"&upload": {
"default": "Lataa Json tiedosto"
}
}
}
},
"dialog": {
"waitDialog": {
"title": "Toimintoa suoritetaan..."
}
},
"alert": {
"notice": {
"&title": {
"default": "Huomio"
},
"approve": {
"success": "Luonnos hyväksytty onnistuneesti."
},
"save": {
"success": "Luonnos tallennettu onnistuneesti."
}
},
"error": {
"&title": {
"default": "Virhe"
},
"approve": {
"fail": {
"save": "Luonnoksen hyväksymisessä tapahtui virhe tallennuksen aikana.",
"validate": "Luonnoksen hyväksymisessä tapahtui virhe datan validoinnin aikana."
}
},
"save": {
"fail": "Luonnoksen tallentamisessa tapahtui virhe."
}
},
"gui": {
"missingButtonHandler": {
"&text": {
"default": 'Ei käsittelijää painikkeelle [{0}] otsikolla "{1}"'
}
}
}
},
"confirmation": {
"&title": {
"default": "Varmistus"
},
"remove": {
"revision": {
"&title": {
"default": "Revision poiston varmistus"
},
"draft": {
"&text": {
"default": "Haluatko varmasti poistaa {target} id:llä {id} luonnoksen {no}?"
},
"data": {
"&SERIES": {
"default": "sarjalta"
},
"&STUDY": {
"default": "aineistolta"
},
"&STUDY_VARIABLES": {
"default": "aineistomuuttujilta"
},
"&STUDY_VARIABLE": {
"default": "muuttujalta"
},
"&STUDY_ATTACHMENT": {
"default": "aineistoliitteistä"
},
"&PUBLICATION": {
"default": "julkaisulta"
},
"&BINDER_PAGE": {
"default": "mapitukselta"
}
}
},
"logical": {
"&text": {
"default": "Haluatko varmasti poistaa {target} id:llä {id}?"
},
"data": {
"&SERIES": {
"default": "sarjan"
},
"&STUDY": {
"default": "aineiston"
},
"&STUDY_ATTACHMENT": {
"default": "aineistoliitteen"
},
"&PUBLICATION": {
"default": "julkaisun"
},
"&BINDER_PAGE": {
"default": "mapituksen"
}
}
}
}
}
}
});
}); | henrisu/metka | metka/src/main/webapp/resources/js/modules/uiLocalization.js | JavaScript | bsd-3-clause | 17,066 |
# frozen_string_literal: true
require 'rack/handler'
module Rack
module Handler
module Puma
DEFAULT_OPTIONS = {
:Verbose => false,
:Silent => false
}
def self.config(app, options = {})
require 'puma'
require 'puma/configuration'
require 'puma/log_writer'
require 'puma/launcher'
default_options = DEFAULT_OPTIONS.dup
# Libraries pass in values such as :Port and there is no way to determine
# if it is a default provided by the library or a special value provided
# by the user. A special key `user_supplied_options` can be passed. This
# contains an array of all explicitly defined user options. We then
# know that all other values are defaults
if user_supplied_options = options.delete(:user_supplied_options)
(options.keys - user_supplied_options).each do |k|
default_options[k] = options.delete(k)
end
end
conf = ::Puma::Configuration.new(options, default_options) do |user_config, file_config, default_config|
if options.delete(:Verbose)
require 'rack/common_logger'
app = Rack::CommonLogger.new(app, STDOUT)
end
if options[:environment]
user_config.environment options[:environment]
end
if options[:Threads]
min, max = options.delete(:Threads).split(':', 2)
user_config.threads min, max
end
if options[:Host] || options[:Port]
host = options[:Host] || default_options[:Host]
port = options[:Port] || default_options[:Port]
self.set_host_port_to_config(host, port, user_config)
end
if default_options[:Host]
file_config.set_default_host(default_options[:Host])
end
self.set_host_port_to_config(default_options[:Host], default_options[:Port], default_config)
user_config.app app
end
conf
end
def self.run(app, **options)
conf = self.config(app, options)
log_writer = options.delete(:Silent) ? ::Puma::LogWriter.strings : ::Puma::LogWriter.stdio
launcher = ::Puma::Launcher.new(conf, :log_writer => log_writer)
yield launcher if block_given?
begin
launcher.run
rescue Interrupt
puts "* Gracefully stopping, waiting for requests to finish"
launcher.stop
puts "* Goodbye!"
end
end
def self.valid_options
{
"Host=HOST" => "Hostname to listen on (default: localhost)",
"Port=PORT" => "Port to listen on (default: 8080)",
"Threads=MIN:MAX" => "min:max threads to use (default 0:16)",
"Verbose" => "Don't report each request (default: false)"
}
end
def self.set_host_port_to_config(host, port, config)
config.clear_binds! if host || port
if host && (host[0,1] == '.' || host[0,1] == '/')
config.bind "unix://#{host}"
elsif host && host =~ /^ssl:\/\//
uri = URI.parse(host)
uri.port ||= port || ::Puma::Configuration::DefaultTCPPort
config.bind uri.to_s
else
if host
port ||= ::Puma::Configuration::DefaultTCPPort
end
if port
host ||= ::Puma::Configuration::DefaultTCPHost
config.port port, host
end
end
end
end
register :puma, Puma
end
end
| puma/puma | lib/rack/handler/puma.rb | Ruby | bsd-3-clause | 3,562 |
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.0 Transitional//EN">
<html>
<head>
<title>SetStartupInfo</title>
<meta http-equiv="Content-Type" Content="text/html; charset=Windows-1251">
<link rel="stylesheet" type="text/css" href="../../styles/styles.css">
<script language="javascript" src='../links.js' type="text/javascript"></script>
</head>
<body>
<h1>SetStartupInfo</h1>
<div class=navbar>
<a href="../index.html">ãëàâíàÿ</a> |
<a href="index.html">ýêñïîðòèðóåìûå ôóíêöèè</a>
</div>
<div class=shortdescr>
Ôóíêöèÿ <dfn>SetStartupInfo</dfn> âûçûâàåòñÿ îäèí ðàç, ïîñëå çàãðóçêè
DLL-ìîäóëÿ â ïàìÿòü. FAR ïåðåäàåò ïëàãèíó èíôîðìàöèþ, íåîáõîäèìóþ äëÿ
äàëüíåéøåé ðàáîòû.</div>
<pre class=syntax>
void WINAPI SetStartupInfo(
const struct PluginStartupInfo *Info
);
</pre>
<h3>Ïàðàìåòðû</h3>
<div class=descr>
<div class=dfn>Info</div>
<div class=dfndescr>Óêàçàòåëü íà ñòðóêòóðó <a href="../structures/pluginstartupinfo.html">PluginStartupInfo</a>.
</div>
</div>
<h3>Âîçâðàùàåìîå çíà÷åíèå</h3>
<div class=descr>
Íåò.
</div>
<h3>Çàìå÷àíèÿ</h3>
<div class=descr>
<ol>
<li>Â FAR Manager 1.65 è íèæå ýòà ôóíêöèÿ âûçûâàåòñÿ ïåðâîé, ñðàçó ïîñëå çàãðóçêè DLL-ìîäóëÿ.
<li>Â FAR Manager 1.70 è âûøå ýòà ôóíêöèÿ âûçûâàåòñÿ ïîñëå âûçîâà ôóíêöèè <a href="getminfarversion.html">GetMinFarVersion</a>.
<li>Óêàçàòåëü <dfn>Info</dfn> äåéñòâèòåëåí òîëüêî â îáëàñòè âèäèìîñòè äàííîé ôóíêöèè (äî âûõîäà èç ôóíêöèè),
òàê ÷òî ñòðóêòóðà äîëæíà êîïèðîâàòüñÿ âî âíóòðåííþþ ïåðåìåííóþ ïëàãèíà äëÿ äàëüíåéøåãî èñïîëüçîâàíèÿ:
<pre class=code>static struct PluginStartupInfo Info;
...
void WINAPI _export SetStartupInfo(const struct PluginStartupInfo *Info)
{
::Info=*Info;
...
}
</pre>
<li>Åñëè â ïëàãèíå èñïîëüçóþòñÿ "ñòàíäàðòíûå ôóíêöèè" èç ñòðóêòóðû <a href="../fsf/index.html">FarStandardFunctions</a>,
òî ÷ëåí <a href="../structures/pluginstartupinfo.html">PluginStartupInfo.FSF</a>
òàê æå äîëæåí áûòü ñîõðàíåí â ëîêàëüíîå ïðîñòðàíñòâî ïëàãèíà:
<pre class=code>static struct PluginStartupInfo Info;
static struct FarStandardFunctions FSF;
void _export SetStartupInfo(struct PluginStartupInfo *psInfo)
{
Info=*psInfo;
FSF=*psInfo->FSF;
Info.FSF=&FSF; // ñêîððåêòèðóåì àäðåñ â ëîêàëüíîé ñòðóêòóðå
...
} </pre>
</ol>
</div>
</body>
</html>
| data-man/FarAS | enc/enc_rus/meta/exported_functions/setstartupinfo.html | HTML | bsd-3-clause | 2,279 |
/*
* Copyright (c) 2005, Regents of the University of California
* All rights reserved.
*
* 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.
*
* * Neither the name of the University of California, Berkeley nor
* the names of its contributors may 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.
*/
package blog.model;
import java.util.Collection;
import java.util.Collections;
import java.util.List;
import java.util.Map;
import java.util.Set;
import blog.bn.BayesNetVar;
import blog.sample.EvalContext;
/**
* A Formula consisting of a single boolean-valued term.
*
* @see blog.model.Term
* @see blog.model.Formula
*/
public class AtomicFormula extends Formula {
public AtomicFormula(Term sent) {
this.sent = sent;
}
public Term getTerm() {
return sent;
}
public Object evaluate(EvalContext context) {
Object value = sent.evaluate(context);
if (value == null) {
return null;
}
if (!(value instanceof Boolean)) {
throw new IllegalStateException("Sentence " + sent
+ " has non-Boolean value " + value);
}
return (value.equals(Boolean.TRUE) ? Boolean.TRUE : Boolean.FALSE);
}
/**
* Returns the (basic or derived) random variable that this atomic formula
* corresponds to under the given assignment. This is just the random variable
* corresponding to underlying Boolean term.
*/
public BayesNetVar getVariable() {
return sent.getVariable();
}
/**
* Returns a singleton collection containing the term in this atomic formula.
*/
public Collection getSubExprs() {
return Collections.singletonList(sent);
}
/**
* Returns true.
*/
public boolean isLiteral() {
return true;
}
public List<Term> getTopLevelTerms() {
return Collections.singletonList(sent);
}
public Set getSatisfiersIfExplicit(EvalContext context, LogicalVar subject,
GenericObject genericObj) {
Set result = null;
context.assign(subject, genericObj);
// The only time we can determine the satisfiers is if this
// formula can be evaluated on genericObj.
Boolean value = (Boolean) evaluate(context);
if (value != null) {
result = (value.booleanValue() == true ? Formula.ALL_OBJECTS
: Collections.EMPTY_SET);
}
context.unassign(subject);
return result;
}
public Set getNonSatisfiersIfExplicit(EvalContext context,
LogicalVar subject, GenericObject genericObj) {
Set result = null;
context.assign(subject, genericObj);
// The only time we can determine the non-satisfiers is if
// this formula can be evaluated on genericObj.
Boolean value = (Boolean) evaluate(context);
if (value != null) {
result = (value.booleanValue() == false ? Formula.ALL_OBJECTS
: Collections.EMPTY_SET);
}
context.unassign(subject);
return result;
}
/**
* Two atomic formulas are equal if their underlying terms are equal.
*/
public boolean equals(Object o) {
if (o instanceof AtomicFormula) {
AtomicFormula other = (AtomicFormula) o;
return sent.equals(other.getTerm());
}
return false;
}
public int hashCode() {
return sent.hashCode();
}
/**
* Returns the string representation of the underlying term.
*/
public String toString() {
return sent.toString();
}
/**
* Returns true if the underlying term satisfies the type/scope constraints
* and has a Boolean type.
*/
public boolean checkTypesAndScope(Model model, Map scope, Type childType) {
Term sentInScope = sent.getTermInScope(model, scope);
if (sentInScope == null) {
return false;
}
sent = sentInScope;
if (!sent.getType().isSubtypeOf(BuiltInTypes.BOOLEAN)) {
System.err.println("Error: Non-Boolean term treated as "
+ "atomic formula: " + sent);
return false;
}
return true;
}
public ArgSpec replace(Term t, ArgSpec another) {
Term newSent = (Term) sent.replace(t, another);
if (newSent != sent)
return compileAnotherIfCompiled(new AtomicFormula(newSent));
return this;
}
public ArgSpec getSubstResult(Substitution subst, Set<LogicalVar> boundVars) {
return new AtomicFormula((Term) sent.getSubstResult(subst, boundVars));
}
/** The Term instance, assumed to be boolean-valued */
private Term sent;
}
| BayesianLogic/blog | src/main/java/blog/model/AtomicFormula.java | Java | bsd-3-clause | 5,685 |
class RenameCurrencyTable < ActiveRecord::Migration
def change
rename_table :currencies, :spree_currencies
end
end
| coupling/spree_multi_currency | db/migrate/20120605110806_rename_currency_table.rb | Ruby | bsd-3-clause | 123 |
import unittest
import time
import pprint
import logging
import scanner.logSetup as logSetup
import pyximport
print("Have Cython")
pyximport.install()
import dbPhashApi
class TestCompareDatabaseInterface(unittest.TestCase):
def __init__(self, *args, **kwargs):
logSetup.initLogging()
super().__init__(*args, **kwargs)
def setUp(self):
# We set up and tear down the tree a few times to validate the dropTree function
self.log = logging.getLogger("Main.TestCompareDatabaseInterface")
self.tree = dbPhashApi.PhashDbApi()
self.tree.forceReload()
def dist_check(self, distance, dbid, phash):
qtime1 = time.time()
have1 = self.tree.getWithinDistance_db(phash, distance=distance)
qtime2 = time.time()
qtime3 = time.time()
have2 = self.tree.getIdsWithinDistance(phash, distance=distance)
qtime4 = time.time()
# print(dbid, have1)
if have1 != have2:
self.log.error("Mismatch!")
for line in pprint.pformat(have1).split("\n"):
self.log.error(line)
for line in pprint.pformat(have2).split("\n"):
self.log.error(line)
self.assertTrue(dbid in have1)
self.assertTrue(dbid in have2)
self.assertEqual(have1, have2)
self.log.info('Dist %s %s, %s', distance, qtime2-qtime1, qtime4-qtime3)
def test_0(self):
rand_r = self.tree.getRandomPhashRows(0.001)
self.log.info("Have %s items to test with", len(rand_r))
stepno = 0
for dbid, phash in rand_r:
self.dist_check(1, dbid, phash)
self.dist_check(2, dbid, phash)
self.dist_check(3, dbid, phash)
self.dist_check(4, dbid, phash)
self.dist_check(5, dbid, phash)
self.dist_check(6, dbid, phash)
self.dist_check(7, dbid, phash)
self.dist_check(8, dbid, phash)
stepno += 1
self.log.info("On step %s of %s", stepno, len(rand_r))
| fake-name/IntraArchiveDeduplicator | Tests/Test_db_BKTree_Compare.py | Python | bsd-3-clause | 1,765 |
require_relative '../../spec_helper'
describe '/api/assessments' do
before do
login_to_environment
end
context 'GET /api/assessments' do
it 'returns a list of assessments' do
assessments = Controls.assessments
assessments.each do |assessment|
expect(assessment).to be_kind_of(Controls::Assessment)
expect(assessment).to match_assessment_format
end
end
end
context 'GET /api/assessments/1' do
it 'returns a single assessment' do
assessment = Controls.assessments(1)
expect(assessment).to be_kind_of(Controls::Assessment)
expect(assessment).to match_assessment_format
expect(assessment.id).to eq(1)
expect(assessment.assessing?).to be_false
expect(assessment.overall_risk_score).to be_within(5.0).of(5.0)
end
end
end
| erran/controls.rb | spec/controls/client/assessments_spec.rb | Ruby | bsd-3-clause | 822 |
from numpy import array, zeros, ones, sqrt, ravel, mod, random, inner, conjugate
from scipy.sparse import csr_matrix, csc_matrix, coo_matrix, bmat, eye
from scipy import rand, mat, real, imag, linspace, hstack, vstack, exp, cos, sin, pi
from pyamg.util.linalg import norm
import pyamg
from scipy.optimize import fminbound, fmin
__all__ = ['one_D_helmholtz', 'min_wave']
def min_wave(A, omega, x, tol=1e-5, maxiter=25):
'''
parameters
----------
A {matrix}
1D Helmholtz Operator
omega {scalar}
Wavenumber used to discretize Helmholtz problem
x {array}
1D mesh for the problem
tol {scalar}
minimization tolerance
maxit {integer}
maximum iters for minimization algorithm
returns
-------
Applies minimization algorithm to find numerically lowest energy wavenumber
for the matrix A, i.e., the omega shift that minimizes <Ac, c> / <c, c>,
for c = cosine((omega+shift)x)
'''
x = ravel(x)
# Define scalar objective function, ignoring the
# boundaries by only considering A*c at [1:-1]
def obj_fcn(alpha):
c = cos((omega+alpha)*x)
Ac = (A*c)[1:-1]
return norm(Ac)/norm(c[1:-1])
(xopt, fval, ierr, numfunc) = fminbound(obj_fcn, -0.99*omega, \
0.99*omega, xtol=tol, maxfun=maxiter, full_output=True, disp=0)
#print "Minimizer = %1.4f, Function Value at Min = %1.4e\nError Flag = %d,\
# Number of function evals = %d" % (xopt, fval, ierr, numfunc)
return xopt
def one_D_helmholtz(h, omega=1.0, nplane_waves=2):
'''
parameters
----------
h {int}
Number of grid spacings for 1-D Helmholtz
omega {float}
Defines Helmholtz wave number
nplane_waves {int}
Defines the number of planewaves used for the near null-space modes, B.
1: B = [ exp(ikx) ]
2: B = [ real(exp(ikx)), complex(exp(ikx)) ]
returns
-------
dictionary containing:
A {matrix-like}
LHS of linear system for Helmholtz problem,
-laplace(u) - omega^2 u = f
mesh_h {float}
mesh size
vertices {array-like}
[X, Y]
elements {None}
None, just using 1-D finite-differencing
'''
# Ensure Repeatability of "random" initial guess
random.seed(10)
# Mesh Spacing
mesh_h = 1.0/(float(h)-1.0)
# Construct Real Operator
reA = pyamg.gallery.poisson( (h,), format='csr')
reA = reA - mesh_h*mesh_h*omega*omega*\
eye(reA.shape[0], reA.shape[1], format='csr')
dimen = reA.shape[0]
# Construct Imaginary Operator
imA = csr_matrix( coo_matrix( (array([2.0*mesh_h*omega]), \
(array([0]), array([0]))), shape=reA.shape) )
# Enforce Radiation Boundary Conditions at first grid point
reA.data[1] = -2.0
# In order to maintain symmetry scale the first equation by 1/2
reA.data[0] = 0.5*reA.data[0]
reA.data[1] = 0.5*reA.data[1]
imA.data[0] = 0.5*imA.data[0]
# Create complex-valued system
complexA = reA + 1.0j*imA
# For this case, the CG (continuous Galerkin) case is the default elements and vertices
# because there is no DG mesh to speak of
elements = None
vertices = hstack((linspace(-1.0,1.0,h).reshape(-1,1), zeros((h,1))))
# Near null-space modes are 1-D Plane waves: [exp(ikx), i exp(ikx)]
B = zeros( (dimen, nplane_waves), dtype=complex )
shift = min_wave(complexA, omega, vertices[:,0], tol=1e-9, maxiter=15)
if nplane_waves == 1:
B[:,0] = exp(1.0j*(omega+shift)*vertices[:,0])
elif nplane_waves == 2:
B[:,0] = cos((omega+shift)*vertices[:,0])
B[:,1] = sin((omega+shift)*vertices[:,0])
return {'A' : complexA, 'B' : B, 'mesh_h' : mesh_h, \
'elements' : elements, 'vertices' : vertices}
| pombreda/pyamg | Examples/ComplexSymmetric/one_D_helmholtz.py | Python | bsd-3-clause | 3,892 |
/* TEMPLATE GENERATED TESTCASE FILE
Filename: CWE762_Mismatched_Memory_Management_Routines__new_free_struct_54a.cpp
Label Definition File: CWE762_Mismatched_Memory_Management_Routines__new_free.label.xml
Template File: sources-sinks-54a.tmpl.cpp
*/
/*
* @description
* CWE: 762 Mismatched Memory Management Routines
* BadSource: Allocate data using new
* GoodSource: Allocate data using malloc()
* Sinks:
* GoodSink: Deallocate data using delete
* BadSink : Deallocate data using free()
* Flow Variant: 54 Data flow: data passed as an argument from one function through three others to a fifth; all five functions are in different source files
*
* */
#include "std_testcase.h"
namespace CWE762_Mismatched_Memory_Management_Routines__new_free_struct_54
{
#ifndef OMITBAD
/* bad function declaration */
void badSink_b(twoIntsStruct * data);
void bad()
{
twoIntsStruct * data;
/* Initialize data*/
data = NULL;
/* POTENTIAL FLAW: Allocate memory with a function that requires delete to free the memory */
data = new twoIntsStruct;
badSink_b(data);
}
#endif /* OMITBAD */
#ifndef OMITGOOD
/* goodG2B uses the GoodSource with the BadSink */
void goodG2BSink_b(twoIntsStruct * data);
static void goodG2B()
{
twoIntsStruct * data;
/* Initialize data*/
data = NULL;
/* FIX: Allocate memory from the heap using malloc() */
data = (twoIntsStruct *)malloc(100*sizeof(twoIntsStruct));
if (data == NULL) {exit(-1);}
goodG2BSink_b(data);
}
/* goodB2G uses the BadSource with the GoodSink */
void goodB2GSink_b(twoIntsStruct * data);
static void goodB2G()
{
twoIntsStruct * data;
/* Initialize data*/
data = NULL;
/* POTENTIAL FLAW: Allocate memory with a function that requires delete to free the memory */
data = new twoIntsStruct;
goodB2GSink_b(data);
}
void good()
{
goodG2B();
goodB2G();
}
#endif /* OMITGOOD */
} /* close namespace */
/* Below is the main(). It is only used when building this testcase on
its own for testing or for building a binary to use in testing binary
analysis tools. It is not used when compiling all the testcases as one
application, which is how source code analysis tools are tested. */
#ifdef INCLUDEMAIN
using namespace CWE762_Mismatched_Memory_Management_Routines__new_free_struct_54; /* so that we can use good and bad easily */
int main(int argc, char * argv[])
{
/* seed randomness */
srand( (unsigned)time(NULL) );
#ifndef OMITGOOD
printLine("Calling good()...");
good();
printLine("Finished good()");
#endif /* OMITGOOD */
#ifndef OMITBAD
printLine("Calling bad()...");
bad();
printLine("Finished bad()");
#endif /* OMITBAD */
return 0;
}
#endif
| JianpingZeng/xcc | xcc/test/juliet/testcases/CWE762_Mismatched_Memory_Management_Routines/s07/CWE762_Mismatched_Memory_Management_Routines__new_free_struct_54a.cpp | C++ | bsd-3-clause | 2,842 |
<?php
namespace backend\controllers;
use Yii;
use backend\models\Status;
use backend\models\search\StatusSearch;
use yii\web\Controller;
use yii\web\NotFoundHttpException;
use yii\filters\VerbFilter;
use yii\filters\AccessControl;
use common\models\PermissionHelpers;
/**
* StatusController implements the CRUD actions for Status model.
*/
class StatusController extends Controller
{
/**
* @return array
*/
public function behaviors()
{
return [
'access' => [
'class' => AccessControl::className(),
'only' => ['index', 'view', 'create', 'update', 'delete'],
'rules' => [
[
'actions' => ['index', 'view', 'create', 'update'],
'allow' => true,
'roles' => ['@'],
'matchCallback' => function($rule, $action){
return PermissionHelpers::requireMinimumRole('Admin') &&
PermissionHelpers::requireStatus('Active');
}
],
[
'actions' => ['delete'],
'allow' => true,
'roles' => ['@'],
'matchCallback' => function($rule, $action){
return PermissionHelpers::requireMinimumRole('SuperUser') &&
PermissionHelpers::requireStatus('Active');
}
],
],
],
'verbs'=> [
'class' => VerbFilter::className(),
'actions' => [
'delete' => ['post'],
],
],
];
}
/**
* Lists all Status models.
* @return mixed
*/
public function actionIndex()
{
$searchModel = new StatusSearch();
$dataProvider = $searchModel->search(Yii::$app->request->queryParams);
return $this->render('index', [
'searchModel' => $searchModel,
'dataProvider' => $dataProvider,
]);
}
/**
* Displays a single Status model.
* @param integer $id
* @return mixed
*/
public function actionView($id)
{
return $this->render('view', [
'model' => $this->findModel($id),
]);
}
/**
* Creates a new Status model.
* If creation is successful, the browser will be redirected to the 'view' page.
* @return mixed
*/
public function actionCreate()
{
$model = new Status();
if ($model->load(Yii::$app->request->post()) && $model->save()) {
return $this->redirect(['view', 'id' => $model->id]);
} else {
return $this->render('create', [
'model' => $model,
]);
}
}
/**
* Updates an existing Status model.
* If update is successful, the browser will be redirected to the 'view' page.
* @param integer $id
* @return mixed
*/
public function actionUpdate($id)
{
$model = $this->findModel($id);
if ($model->load(Yii::$app->request->post()) && $model->save()) {
return $this->redirect(['view', 'id' => $model->id]);
} else {
return $this->render('update', [
'model' => $model,
]);
}
}
/**
* Deletes an existing Status model.
* If deletion is successful, the browser will be redirected to the 'index' page.
* @param integer $id
* @return mixed
*/
public function actionDelete($id)
{
$this->findModel($id)->delete();
return $this->redirect(['index']);
}
/**
* Finds the Status model based on its primary key value.
* If the model is not found, a 404 HTTP exception will be thrown.
* @param integer $id
* @return Status the loaded model
* @throws NotFoundHttpException if the model cannot be found
*/
protected function findModel($id)
{
if (($model = Status::findOne($id)) !== null) {
return $model;
} else {
throw new NotFoundHttpException('Запрашиваемая страница не найдена.');
}
}
}
| AntoshaPro/intranet.portal | backend/controllers/StatusController.php | PHP | bsd-3-clause | 4,340 |
from bluebottle.projects.serializers import ProjectPreviewSerializer
from bluebottle.quotes.serializers import QuoteSerializer
from bluebottle.slides.serializers import SlideSerializer
from bluebottle.statistics.serializers import StatisticSerializer
from rest_framework import serializers
class HomePageSerializer(serializers.Serializer):
id = serializers.CharField()
quotes = QuoteSerializer(many=True)
slides = SlideSerializer(many=True)
statistics = StatisticSerializer(many=True)
projects = ProjectPreviewSerializer(many=True)
| jfterpstra/bluebottle | bluebottle/homepage/serializers.py | Python | bsd-3-clause | 554 |
/*
Copyright (c) 2015, Kripasindhu Sarkar
All rights reserved.
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.
* Neither the name of the copyright holder(s) nor the
names of its contributors may 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 COPYRIGHT HOLDER BE LIABLE FOR ANY
DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES
(INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOS 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.
*/
//
// Created by sarkar on 03.06.15.
//
#pragma once
#include <string>
#include <vector>
#include "od/common/pipeline/Detection.h"
#include "od/common/pipeline/Scene.h"
namespace od
{
enum DetectionMethod {
PC_GLOBAL_FEATUREMATCHING,
PC_LOCAL_CORRESPONDENCE_GROUPING,
IMAGE_LOCAL_SIMPLE,
IMAGE_GLOBAL_DENSE,
IMAGE_GLOBAL_CLASSIFICATION,
};
/** \brief The common class for detectors. Both Trainers and Detectors drerives from this and therefore, all the common data/functionalities of Trainers and Detectors should go here.
*
*
* \author Kripasindhu Sarkar
*
*/
class DetectorCommon
{
public:
DetectorCommon(const std::string & trained_data_location);
DetectorCommon() {}
virtual void init() = 0;
/** \brief Gets/Sets the directory containing the data for training. The trainer uses the data from directory for training. Detectors can use this location to get additional information in its detection algirhtms as well.
*/
std::string getTrainingInputLocation() const;
/** \brief Gets/Sets the directory containing the data for training. The trainer uses the data from directory for training. Detectors can use this location to get additional information in its detection algirhtms as well.
*/
void setTrainingInputLocation(const std::string & training_input_location);
/** \brief Gets/Sets the base directory for trained data. This should be same for all Trainers and Detectors and can be considered as the 'database' of trained data. Trainers uses one of its
* subdirectories based on its type to store algo specific trained data. The corresponding Detector would use the same directory to fetch the trained data for online detection.
*/
std::string getTrainedDataLocation() const;
/** \brief The base directory for trained data. This should be same for all Trainers and Detectors and can be considered as the 'database' of trained data. Trainers uses one of its
* subdirectories based on its type to store algo specific trained data. The corresponding Detector would use the same directory to fetch the trained data for online detection.
*/
virtual void setTrainedDataLocation(const std::string & trained_data_location);
/** \brief Gets the specific directory for a Trainer or a Detector inside trained_data_location_.
*/
std::string getSpecificTrainingDataLocation();
std::string getSpecificTrainingData();
const std::string & getTrainedDataID() const;
void setTrainedDataID(const std::string & trainedDataID);
protected:
std::string training_input_location_, trained_data_location_;
std::string trained_data_id_, trained_location_identifier_;
};
/** \brief This is the main class for object detection and recognition.
*
*
* \author Kripasindhu Sarkar
*
*/
class ObjectDetector {
public:
const DetectionMethod & getMethod() const;
void setDetectionMethod(const DetectionMethod & detection_method);
bool getAlwaysTrain() const;
void setAlwaysTrain(bool always_train);
std::string getTrainingInputLocation() const;
void setTrainingInputLocation(const std::string & training_input_location);
std::string getTrainingDataLocation() const;
void setTrainingDataLocation(const std::string & training_data_location);
std::string getSpecificTrainingDataLocation();
virtual void init() = 0;
virtual void initDetector(){}
virtual void initTrainer(){}
virtual int train() = 0;
virtual int detect(shared_ptr<Scene> scene, const std::vector<shared_ptr<Detection> > & detections) = 0;
virtual shared_ptr<Detection> detect(shared_ptr<Scene> scene) = 0;
virtual shared_ptr<Detections> detectOmni(shared_ptr<Scene> scene) = 0;
protected:
DetectionMethod method_;
bool always_train_;
bool trained_;
std::string training_input_location_, training_data_location_;
std::string trained_data_ext_, trained_data_identifier_;
};
}
| giacomodabisias/opendetection | common/include/od/common/pipeline/ObjectDetector.h | C | bsd-3-clause | 5,519 |
/**************************************************************************/
/* CONFIDENTIAL AND PROPRIETARY SOURCE CODE */
/* OF NETSCAPE COMMUNICATIONS CORPORATION */
/* */
/* Copyright © 1996,1997 Netscape Communications Corporation. All Rights */
/* Reserved. Use of this Source Code is subject to the terms of the */
/* applicable license agreement from Netscape Communications Corporation. */
/* */
/* The copyright notice(s) in this Source Code does not indicate actual */
/* or intended publication of this Source Code. */
/**************************************************************************/
#define LIBRARY_NAME "base"
static char dbtbaseid[] = "$DBT: base referenced v1 $";
#include "i18n.h"
/* Message IDs reserved for this file: CORE1000-CORE1999 */
BEGIN_STR(base)
ResDef( DBT_LibraryID_, -1, dbtbaseid )/* extracted from dbtbase.h*/
ResDef( DBT_insufficientMemoryToCreateHashTa_, 1, "CORE1001: insufficient memory to create hash table" )/*extracted from cache.cpp*/
ResDef( DBT_insufficientMemoryToCreateHashTa_1, 2, "CORE1002: insufficient memory to create hash table" )/*extracted from cache.cpp*/
ResDef( DBT_cacheDestroyCacheTablesAppearCor_, 3, "CORE1003: cache_destroy: cache tables appear corrupt." )/*extracted from cache.cpp*/
ResDef( DBT_unableToAllocateHashEntry_, 4, "CORE1004: unable to allocate hash entry" )/*extracted from cache.cpp*/
ResDef( DBT_cacheInsertUnableToCreateCacheEn_, 5, "CORE1005: cache_insert: unable to create cache entry" )/*extracted from cache.cpp*/
ResDef( DBT_http10200OkNcontentTypeTextHtmlN_, 6, "HTTP/1.0 200 OK\nContent-type: text/html\n\n" )/*extracted from cache.cpp*/
ResDef( DBT_H2NetscapeCacheStatusReportH2N_, 7, "<H2>Server cache status report</H2>\n" )/*extracted from cache.cpp*/
ResDef( DBT_noCachesOnSystemP_, 8, "No caches on system<P>" )/*extracted from cache.cpp*/
ResDef( DBT_H2SCacheH2N_, 9, "<H2>%s cache</H2>\n" )/*extracted from cache.cpp*/
ResDef( DBT_cacheHitRatioDDFPNPN_, 10, "Cache hit ratio: %d/%d (%f)</P>\n</P>\n" )/*extracted from cache.cpp*/
ResDef( DBT_cacheSizeDDPNPN_, 11, "Cache size: %d/%d</P>\n</P>\n" )/*extracted from cache.cpp*/
ResDef( DBT_hashTableSizeDPNPN_, 12, "Hash table size: %d</P>\n</P>\n" )/*extracted from cache.cpp*/
ResDef( DBT_mruDPNlruDPN_, 13, "mru : %d</P>\nlru : %d</P>\n" )/*extracted from cache.cpp*/
ResDef( DBT_UlTableBorder4ThBucketThThAddres_, 14, "<UL><TABLE BORDER=4> <TH>Bucket</TH> <TH>Address</TH> <TH>Key</TH> <TH>Access Count</TH> <TH>Delete</TH> <TH>Next</TH> <TH>LRU</TH> <TH>MRU</TH> <TH>Data</TH>\n" )/*extracted from cache.cpp*/
ResDef( DBT_munmapFailedS_, 15, "CORE1015: munmap failed (%s)" )/*extracted from buffer.cpp*/
ResDef( DBT_munmapFailedS_1, 16, "CORE1016: munmap failed (%s)" )/*extracted from buffer.cpp*/
ResDef( DBT_closeFailedS_, 17, "CORE1017: close failed (%s)" )/*extracted from buffer.cpp*/
ResDef( DBT_Waitpid_Failed, 96, "CORE1096: waitpid failed for pid %d: errno = %d %s")
ResDef( DBT_Waitpid_Returned, 97, "CORE1097: waitpid returned 0 for pid %d: errno = %d %s")
ResDef( DBT_dnsCacheInsertErrorAllocatingEnt_, 113, "CORE1113: dns-cache-insert: Error allocating entry" )/*extracted from dns_cache.cpp*/
ResDef( DBT_dnsCacheInsertMallocFailure_, 114, "CORE1114: dns-cache-insert: malloc failure" )/*extracted from dns_cache.cpp*/
ResDef( DBT_SBS_, 116, "CORE1116: %s" )/*extracted from ereport.cpp*/
ResDef( DBT_netscapeExecutableAndSharedLibra_, 117, "CORE1117: Server executable and shared library have different versions" )/*extracted from ereport.cpp*/
ResDef( DBT_executableVersionIsS_, 118, "CORE1118: executable version is %s" )/*extracted from ereport.cpp*/
ResDef( DBT_sharedLibraryVersionIsS_, 119, "CORE1119: shared library version is %s" )/*extracted from ereport.cpp*/
ResDef( DBT_warning_, 121, "warning" )/*extracted from ereport.cpp*/
ResDef( DBT_config_, 122, "config" )/*extracted from ereport.cpp*/
ResDef( DBT_security_, 123, "security" )/*extracted from ereport.cpp*/
ResDef( DBT_failure_, 124, "failure" )/*extracted from ereport.cpp*/
ResDef( DBT_catastrophe_, 125, "catastrophe" )/*extracted from ereport.cpp*/
ResDef( DBT_info_, 126, "info" )/*extracted from ereport.cpp*/
ResDef( DBT_verbose_, 127, "fine" )/*extracted from ereport.cpp*/
ResDef( DBT_eventHandlerFailedToWaitOnEvents_, 128, "CORE1128: event_handler:Failed to wait on events %s" )/*extracted from eventhandler.cpp*/
ResDef( DBT_couldNotWaitOnResumeEventEventS_, 129, "CORE1129: could not wait on resume event event (%s)" )/*extracted from eventhandler.cpp*/
ResDef( DBT_dlopenOfSFailedS_, 130, "CORE1130: dlopen of %s failed (%s)" )/*extracted from LibMgr.cpp*/
ResDef( DBT_dlopenOfSFailedS_1, 131, "CORE1131: dlopen of %s failed (%s)" )/*extracted from LibMgr.cpp*/
ResDef( DBT_pipebufBuf2sdPipebufGrabIoErrorD_, 168, "CORE1168: pipebuf_buf2sd: pipebuf_grab IO_ERROR %d" )/*extracted from ntpipe.cpp*/
ResDef( DBT_poolInitInternalAllocatorDisabled_, 169, "CORE1169: pool-init: internal memory pool allocator disabled" )/*extracted from pool.cpp*/
ResDef( DBT_poolInitFreeSize0UsingD_, 170, "CORE1170: pool-init: free_size <= 0, using %d" )/*extracted from pool.cpp*/
ResDef( DBT_poolCreateBlockOutOfMemory_, 171, "CORE1171: pool-create-block: out of memory" )/*extracted from pool.cpp*/
ResDef( DBT_poolCreateOutOfMemory_, 172, "CORE1172: pool-create: out of memory" )/*extracted from pool.cpp*/
ResDef( DBT_poolCreateOutOfMemory_1, 173, "CORE1173: pool-create: out of memory" )/*extracted from pool.cpp*/
ResDef( DBT_poolMallocOutOfMemory_, 174, "CORE1174: pool-malloc: out of memory" )/*extracted from pool.cpp*/
ResDef( DBT_regexErrorSRegexS_, 176, "CORE1176: Invalid regular expression: %s (%s)" )
ResDef( DBT_couldNotRemoveTemporaryDirectory_, 204, "CORE1204: Could not remove temporary directory %s, Error %d" )/*extracted from util.cpp*/
ResDef( DBT_couldNotRemoveTemporaryDirectory_1, 205, "CORE1205: Could not remove temporary directory %s, Error %d" )/*extracted from util.cpp*/
ResDef( DBT_netAcceptEnter, 222, "CORE1222: Sem_grab failed (%s)")
ResDef( DBT_netAcceptExit, 223, "CORE1223: Sem_release failed (%s)")
ResDef( DBT_servNSSTerminatingService, 224, "CORE1224: Terminating service: %s\n")
ResDef( DBT_servNSSSSLv2OnWithoutCiphers, 225, "CORE1225: SSLv2 is on, but no SSLv2 ciphers are enabled. SSLv2 connections will fail.")
ResDef( DBT_servNSSSSLv3OnWithoutCiphers, 226, "CORE1226: SSLv3 is on, but no SSLv3 ciphers are enabled. SSLv3 connections will fail.")
ResDef( DBT_servNSSPKCS11InitFailed, 227, "CORE1227: NSS PKCS #11 initialization failed (%s)")
ResDef( DBT_servNSSSetDomesticFailed, 228, "CORE1228: NSS Set domestic policy failed: %d")
ResDef( DBT_servNSSSetFrenchFailed, 229, "CORE1229: NSS Set French policy failed: %d")
ResDef( DBT_servNSSSetExportFailed, 230, "CORE1230: NSS Set Export policy failed: %d")
ResDef( DBT_servNSSClientAuthMisconfig, 231, "CORE1231: SSL v3 must be enabled to use SSLClientAuth")
ResDef( DBT_servNSSNoCiphers, 232, "CORE1232: Security is on, but SSLv2, SSLv3 and TLS are all off. SSL/TLS connections will fail.")
ResDef( DBT_servNSSPKCS11PinError, 233, "CORE1233: Error setting PKCS #11 PIN: %s")
ResDef( DBT_servNSSExpiredCert, 234, "CORE1234: SSL server certificate %s is expired.")
ResDef( DBT_servNSSCertNotValidYet, 235, "CORE1235: SSL server certificate %s is not yet valid.")
ResDef( DBT_servNSSErrorSecureServerConfig, 236, "CORE1236: SSL error configuring server: %s")
ResDef( DBT_servNSSHandshakeCallbackConfigureError, 237, "CORE1237: SSL error configuring handshake callback: %s")
ResDef( DBT_servNSSSSLWarning, 240, "CORE1240: SSL_Warning: %s")
ResDef( DBT_systemReallocSmallerSize, 241, "CORE1241: realloc: attempt to realloc to smaller size")
ResDef( DBT_systemRFreeCorruptMemoryPre, 242, "CORE1242: free: corrupt memory (prebounds overwrite)")
ResDef( DBT_systemRFreeCorruptMemoryPost, 243, "CORE1243: free: corrupt memory (postbounds overwrite)")
ResDef( DBT_systemRFreeUnallocatedMem, 244, "CORE1244: free: freeing unallocated memory")
ResDef( DBT_servNSSTLSOnWithoutCiphers, 245, "CORE1245: TLS is on, but no TLS ciphers are enabled. TLS connections will fail.")
ResDef( DBT_notSupportedInThisRelease, 246, "CORE1246: %s is not supported in this release.") /* extracted from cinfo.cpp */
ResDef( DBT_servNSSnoPassfromWD, 247, "CORE1247: getting a SSL password from WD failed.") /* extracted from servnss.cpp */
ResDef( DBT_servNSSVirtualNoUrlhostSubjectMatch, 250, "CORE1250: In secure virtual server %s, host %s does not match subject %s of certificate %s.") /* extracted from sslconf.cpp */
ResDef( DBT_servNSSGroupNoServernameSubjectMatch, 251, "CORE1251: On HTTP listener %s, server name %s does not match subject \"%s\" of certificate %s.") /* extracted from sslconf.cpp */
ResDef( DBT_servNSSSSL2ProtocolDisabled, 252, "CORE1252: The SSL2 protocol is disabled, yet SSL2 ciphers were specified. Ignoring the following ciphers: %s") /* extracted from sslconf.cpp */
ResDef( DBT_servNSSSSL3TLSProtocolDisabled, 253, "CORE1253: The SSL3 and TLS protocols are disabled, yet SSL3/TLS ciphers were specified. Ignoring the following ciphers: %s") /* extracted from sslconf.cpp */
ResDef( DBT_GetHttpdObjsetCalledOutsideVS, 254, "CORE1254: NSAPI plugin called vs_get_httpd_objset outside of VSInitFunc/VSDestroyFunc processing") /* extracted from vs.cpp */
ResDef( DBT_GetDefaultHttpdObjsetCalledOutsideVS, 255, "CORE1255: NSAPI plugin called vs_get_default_httpd_objset outside of VSInitFunc/VSDestroyFunc processing") /* extracted from vs.cpp */
ResDef( DBT_servNSSdbnopassword, 256, "CORE1256: The server key database has not been initialized")
ResDef( DBT_servNSStokenuninitialized, 257, "CORE1257: The token \"%s\" has not been initialized")
ResDef( DBT_nocoredump, 258, "CORE1258: Failed to disable core dumps (%s)")
ResDef( DBT_certnotfound, 259, "CORE1259: unable to find certificate %s")
ResDef( DBT_keynotfound, 260, "CORE1260: unable to find a key for certificate %s")
ResDef( DBT_badcipherstring, 261, "CORE1261: invalid cipher string %s. Format is +cipher1,-cipher2...")
ResDef( DBT_badcipher, 262, "CORE1262: The cipher %s is not a valid cipher for this protocol")
ResDef( DBT_unknowncipher, 263, "CORE1263: Unknown cipher: %s")
ResDef( DBT_badsslparams, 265, "CORE1265: Error setting SSL parameters for HTTP listener")
ResDef( DBT_slotnotfound, 266, "CORE1266: Unable to find slot %s for certificate %s")
ResDef( DBT_outofmemory, 267, "CORE1267: out of memory")
ResDef( DBT_securityoff, 268, "CORE1268: SSL/TLS cannot be enabled because PKCS #11 was explicitly disabled")
ResDef( DBT_system_errmsg_outofmemory, 269, "out of memory")
ResDef( DBT_system_errmsg_unknownerror, 270, "unknown error %d")
ResDef( DBT_invalidshexp, 271, "invalid shell expression")
ResDef( DBT_finer_, 272, "finer")
ResDef( DBT_finest_, 273, "finest")
ResDef( DBT_ereportFunctionUnsupported, 274, "CORE1274: %s is not supported in this release")
ResDef( DBT_ereportErrorOpeningErrorLog, 275, "CORE1275: error opening error log %s (%s)")
ResDef( DBT_ereportErrorReopeningErrorLog, 276, "CORE1276: error reopening error log %s (%s)")
ResDef( DBT_ereportErrorRenamingErrorLog, 277, "CORE1277: error renaming error log %s to %s (%s)")
ResDef( DBT_LineXTooLong, 278, "line %d too long")
ResDef( DBT_maxVarDepthX, 279, "Exceeded maximum of %d nested variables")
ResDef( DBT_varLoopFromXToY, 280, "Circular reference from $%s to $%s")
ResDef( DBT_undefinedVarX, 281, "Undefined variable $%s")
ResDef( DBT_badFragmentLenXStrY, 282, "Undefined variable %.*s")
ResDef( DBT_tokenXPINPrompt, 283, "Please enter the PIN for the \"%s\" token: ")
ResDef( DBT_tokenXPINIncorrect, 284, "The PIN specified for the \"%s\" token is incorrect.")
ResDef( DBT_servNSSInitFailed, 285, "CORE1285: NSS initialization failed (%s)")
ResDef( DBT_servNSSPINDlgError, 286, "CORE1286: Error prompting for PKCS #11 token PIN (Service may not be allowed to interact with desktop)")
ResDef( DBT_servNSSPINWriteProcessMemoryError, 287, "CORE1287: Error writing PIN to shared memory")
ResDef( DBT_tooManyCerts, 288, "CORE1288: Too many server certificates, installing only first %d")
ResDef( DBT_unknownKEAType, 289, "CORE1289: Unknown cert KEA type (%d)")
ResDef( DBT_badCiphersuite, 290, "CORE1290: Cipher suite %s is not supported (%s)")
ResDef( DBT_suchWeakCipher, 291, "CORE1291: Weak cipher suite %s is enabled")
ResDef (DBT_unknownCertType, 292, "CORE1292: Cert type required for cipher suite %s is unknown, the server may be unable to service SSL/TLS requests")
ResDef( DBT_wantECCnoECC, 293, "CORE1293: Server has only ECC cert(s) but no suitable cipher suites are enabled. Enable some ECC cipher suites.")
ResDef( DBT_wantRSAnoRSA, 294, "CORE1294: Server has only RSA cert(s) but no suitable cipher suites are enabled. Enable some RSA cipher suites.")
ResDef( DBT_cannotBypass, 295, "CORE1295: PKCS#11 bypass has been disabled because the current configuration cannot support bypass")
ResDef( DBT_nickCantBypass, 296, "CORE1296: Token associated with server certificate [%s] cannot support PKCS#11 bypass")
/* DBT_nspr_errors_ */
ResDef( DBT_nspr_errors_0, 1000, "Out of memory" )
ResDef( DBT_nspr_errors_1, 1001, "Bad file descriptor" )
ResDef( DBT_nspr_errors_2, 1002, "Data temporarily not available" )
ResDef( DBT_nspr_errors_3, 1003, "Access fault" )
ResDef( DBT_nspr_errors_4, 1004, "Invalid method" )
ResDef( DBT_nspr_errors_5, 1005, "Illegal access" )
ResDef( DBT_nspr_errors_6, 1006, "Unknown error" )
ResDef( DBT_nspr_errors_7, 1007, "Pending interrupt" )
ResDef( DBT_nspr_errors_8, 1008, "Not implemented" )
ResDef( DBT_nspr_errors_9, 1009, "IO error" )
ResDef( DBT_nspr_errors_10, 1010, "IO timeout error" )
ResDef( DBT_nspr_errors_11, 1011, "IO already pending error" )
ResDef( DBT_nspr_errors_12, 1012, "Directory open error" )
ResDef( DBT_nspr_errors_13, 1013, "Invalid Argument" )
ResDef( DBT_nspr_errors_14, 1014, "Address not available" )
ResDef( DBT_nspr_errors_15, 1015, "Address not supported" )
ResDef( DBT_nspr_errors_16, 1016, "Already connected" )
ResDef( DBT_nspr_errors_17, 1017, "Bad address" )
ResDef( DBT_nspr_errors_18, 1018, "Address already in use" )
ResDef( DBT_nspr_errors_19, 1019, "Connection refused" )
ResDef( DBT_nspr_errors_20, 1020, "Network unreachable" )
ResDef( DBT_nspr_errors_21, 1021, "Connection timed out" )
ResDef( DBT_nspr_errors_22, 1022, "Not connected" )
ResDef( DBT_nspr_errors_23, 1023, "Load library error" )
ResDef( DBT_nspr_errors_24, 1024, "Unload library error" )
ResDef( DBT_nspr_errors_25, 1025, "Find symbol error" )
ResDef( DBT_nspr_errors_26, 1026, "Insufficient resources" )
ResDef( DBT_nspr_errors_27, 1027, "Directory lookup error" )
ResDef( DBT_nspr_errors_28, 1028, "Invalid thread private data key" )
ResDef( DBT_nspr_errors_29, 1029, "PR_PROC_DESC_TABLE_FULL_ERROR: file descriptor table full" )
ResDef( DBT_nspr_errors_30, 1030, "PR_SYS_DESC_TABLE_FULL_ERROR: file descriptor table full" )
ResDef( DBT_nspr_errors_31, 1031, "Descriptor is not a socket" )
ResDef( DBT_nspr_errors_32, 1032, "Descriptor is not a TCP socket" )
ResDef( DBT_nspr_errors_33, 1033, "Socket address is already bound" )
ResDef( DBT_nspr_errors_34, 1034, "No access rights" )
ResDef( DBT_nspr_errors_35, 1035, "Operation not supported" )
ResDef( DBT_nspr_errors_36, 1036, "Protocol not supported" )
ResDef( DBT_nspr_errors_37, 1037, "Remote file error" )
ResDef( DBT_nspr_errors_38, 1038, "Buffer overflow error" )
ResDef( DBT_nspr_errors_39, 1039, "Connection reset by peer" )
ResDef( DBT_nspr_errors_40, 1040, "Range error" )
ResDef( DBT_nspr_errors_41, 1041, "Deadlock error" )
ResDef( DBT_nspr_errors_42, 1042, "File is locked" )
ResDef( DBT_nspr_errors_43, 1043, "File is too big" )
ResDef( DBT_nspr_errors_44, 1044, "No space on device" )
ResDef( DBT_nspr_errors_45, 1045, "Pipe error" )
ResDef( DBT_nspr_errors_46, 1046, "No seek on device" )
ResDef( DBT_nspr_errors_47, 1047, "File is a directory" )
ResDef( DBT_nspr_errors_48, 1048, "Loop error" )
ResDef( DBT_nspr_errors_49, 1049, "Name too long" )
ResDef( DBT_nspr_errors_50, 1050, "File not found" )
ResDef( DBT_nspr_errors_51, 1051, "File is not a directory" )
ResDef( DBT_nspr_errors_52, 1052, "Read-only filesystem" )
ResDef( DBT_nspr_errors_53, 1053, "Directory not empty" )
ResDef( DBT_nspr_errors_54, 1054, "Filesystem mounted" )
ResDef( DBT_nspr_errors_55, 1055, "Not same device" )
ResDef( DBT_nspr_errors_56, 1056, "Directory corrupted" )
ResDef( DBT_nspr_errors_57, 1057, "File exists" )
ResDef( DBT_nspr_errors_58, 1058, "Maximum directory entries" )
ResDef( DBT_nspr_errors_59, 1059, "Invalid device state" )
ResDef( DBT_nspr_errors_60, 1060, "Device is locked" )
ResDef( DBT_nspr_errors_61, 1061, "No more files" )
ResDef( DBT_nspr_errors_62, 1062, "End of file" )
ResDef( DBT_nspr_errors_63, 1063, "File seek error" )
ResDef( DBT_nspr_errors_64, 1064, "File is busy" )
ResDef( DBT_nspr_errors_65, 1065, "NSPR error 65" )
ResDef( DBT_nspr_errors_66, 1066, "In progress error" )
ResDef( DBT_nspr_errors_67, 1067, "Already initiated" )
ResDef( DBT_nspr_errors_68, 1068, "Group empty" )
ResDef( DBT_nspr_errors_69, 1069, "Invalid state" )
ResDef( DBT_nspr_errors_70, 1070, "Network down" )
ResDef( DBT_nspr_errors_71, 1071, "Socket shutdown" )
ResDef( DBT_nspr_errors_72, 1072, "Connect aborted" )
ResDef( DBT_nspr_errors_73, 1073, "Host unreachable" )
ResDef( DBT_nspr_errors_74, 1074, "Library not loaded" )
ResDef( DBT_nspr_errors_75, 1075, "The one-time function was previously called and failed. Its error code is no longer available" )
/* DBT_libsec_errors: http://www.mozilla.org/projects/security/pki/nss/ref/ssl/sslerr.html */
ResDef( DBT_libsec_errors_0, 2000, "SEC_ERROR_IO: I/O error during authentication or crypto operation." )
ResDef( DBT_libsec_errors_1, 2001, "SEC_ERROR_LIBRARY_FAILURE: Library failure." )
ResDef( DBT_libsec_errors_2, 2002, "SEC_ERROR_BAD_DATA: Bad data was received." )
ResDef( DBT_libsec_errors_3, 2003, "SEC_ERROR_OUTPUT_LEN: Output length error." )
ResDef( DBT_libsec_errors_4, 2004, "SEC_ERROR_INPUT_LEN: Input length error." )
ResDef( DBT_libsec_errors_5, 2005, "SEC_ERROR_INVALID_ARGS: Invalid arguments." )
ResDef( DBT_libsec_errors_6, 2006, "SEC_ERROR_INVALID_ALGORITHM: Certificate contains invalid encryption or signature algorithm." )
ResDef( DBT_libsec_errors_7, 2007, "SEC_ERROR_INVALID_AVA: Invalid AVA." )
ResDef( DBT_libsec_errors_8, 2008, "SEC_ERROR_INVALID_TIME: Certificate contains an invalid time value." )
ResDef( DBT_libsec_errors_9, 2009, "SEC_ERROR_BAD_DER: Improper DER encoding." )
ResDef( DBT_libsec_errors_10, 2010, "SEC_ERROR_BAD_SIGNATURE: Client certificate has invalid signature." )
ResDef( DBT_libsec_errors_11, 2011, "SEC_ERROR_EXPIRED_CERTIFICATE: Client certificate has expired." )
ResDef( DBT_libsec_errors_12, 2012, "SEC_ERROR_REVOKED_CERTIFICATE: Client certificate has been revoked." )
ResDef( DBT_libsec_errors_13, 2013, "SEC_ERROR_UNKNOWN_ISSUER: Client certificate is signed by an unknown issuer." )
ResDef( DBT_libsec_errors_14, 2014, "SEC_ERROR_BAD_KEY: Client certificate contains an invalid public key." )
ResDef( DBT_libsec_errors_15, 2015, "SEC_ERROR_BAD_PASSWORD: Security password entered is incorrect." )
ResDef( DBT_libsec_errors_16, 2016, "SEC_ERROR_RETRY_PASSWORD: Password entered incorrectly." )
ResDef( DBT_libsec_errors_17, 2017, "SEC_ERROR_NO_NODELOCK: No nodelock." )
ResDef( DBT_libsec_errors_18, 2018, "SEC_ERROR_BAD_DATABASE: Problem using certificate or key database." )
ResDef( DBT_libsec_errors_19, 2019, "SEC_ERROR_NO_MEMORY: Out of memory." )
ResDef( DBT_libsec_errors_20, 2020, "SEC_ERROR_UNTRUSTED_ISSUER: Client certificate is signed by an untrusted issuer." )
ResDef( DBT_libsec_errors_21, 2021, "SEC_ERROR_UNTRUSTED_CERT: Client certificate has been marked as not trusted." )
ResDef( DBT_libsec_errors_22, 2022, "SEC_ERROR_DUPLICATE_CERT: Certificate already exists in your database." )
ResDef( DBT_libsec_errors_23, 2023, "SEC_ERROR_DUPLICATE_CERT_TIME: Downloaded certificate's name duplicates one already in your database." )
ResDef( DBT_libsec_errors_24, 2024, "SEC_ERROR_ADDING_CERT: Error adding certificate to database." )
ResDef( DBT_libsec_errors_25, 2025, "SEC_ERROR_FILING_KEY: Error re-filing the key for this certificate." )
ResDef( DBT_libsec_errors_26, 2026, "SEC_ERROR_NO_KEY: The private key for this certificate cannot be found in key database." )
ResDef( DBT_libsec_errors_27, 2027, "SEC_ERROR_CERT_VALID: This certificate is valid." )
ResDef( DBT_libsec_errors_28, 2028, "SEC_ERROR_CERT_NOT_VALID: This certificate is not valid." )
ResDef( DBT_libsec_errors_29, 2029, "SEC_ERROR_CERT_NO_RESPONSE: No Response." )
ResDef( DBT_libsec_errors_30, 2030, "SEC_ERROR_EXPIRED_ISSUER_CERTIFICATE: The certificate issuer's certificate has expired (check your system date and time)." )
ResDef( DBT_libsec_errors_31, 2031, "SEC_ERROR_CRL_EXPIRED: The CRL for the certificate's issuer has expired (update it or check your system data and time)." )
ResDef( DBT_libsec_errors_32, 2032, "SEC_ERROR_CRL_BAD_SIGNATURE: The CRL for the certificate's issuer has an invalid signature." )
ResDef( DBT_libsec_errors_33, 2033, "SEC_ERROR_CRL_INVALID: New CRL has an invalid format." )
ResDef( DBT_libsec_errors_34, 2034, "SEC_ERROR_EXTENSION_VALUE_INVALID: Certificate extension value is invalid." )
ResDef( DBT_libsec_errors_35, 2035, "SEC_ERROR_EXTENSION_NOT_FOUND: Certificate extension not found." )
ResDef( DBT_libsec_errors_36, 2036, "SEC_ERROR_CA_CERT_INVALID: Issuer certificate is invalid." )
ResDef( DBT_libsec_errors_37, 2037, "SEC_ERROR_PATH_LEN_CONSTRAINT_INVALID: Certificate path length constraint is invalid." )
ResDef( DBT_libsec_errors_38, 2038, "SEC_ERROR_CERT_USAGES_INVALID: Certificate usages field is invalid." )
ResDef( DBT_libsec_errors_39, 2039, "SEC_INTERNAL_ONLY: **Internal ONLY module**" )
ResDef( DBT_libsec_errors_40, 2040, "SEC_ERROR_INVALID_KEY: The key does not support the requested operation." )
ResDef( DBT_libsec_errors_41, 2041, "SEC_ERROR_UNKNOWN_CRITICAL_EXTENSION: Certificate contains unknown critical extension." )
ResDef( DBT_libsec_errors_42, 2042, "SEC_ERROR_OLD_CRL: New CRL is not later than the current one." )
ResDef( DBT_libsec_errors_43, 2043, "SEC_ERROR_NO_EMAIL_CERT: Not encrypted or signed: You do not yet have an email certificate." )
ResDef( DBT_libsec_errors_44, 2044, "SEC_ERROR_NO_RECIPIENT_CERTS_QUERY: Not encrypted: You do not have certificates for each of the recipients." )
ResDef( DBT_libsec_errors_45, 2045, "SEC_ERROR_NOT_A_RECIPIENT: Cannot decrypt: You are not a recipient, or matching certificate and private key not found." )
ResDef( DBT_libsec_errors_46, 2046, "SEC_ERROR_PKCS7_KEYALG_MISMATCH: Cannot decrypt: Key encryption algorithm does not match your certificate." )
ResDef( DBT_libsec_errors_47, 2047, "SEC_ERROR_PKCS7_BAD_SIGNATURE: Signature verification failed: No signer found, too many signers found, or improper or corrupted data." )
ResDef( DBT_libsec_errors_48, 2048, "SEC_ERROR_UNSUPPORTED_KEYALG: Unsupported or unknown key algorithm." )
ResDef( DBT_libsec_errors_49, 2049, "SEC_ERROR_DECRYPTION_DISALLOWED: Cannot decrypt: Encrypted using a disallowed algorithm or key size." )
ResDef( DBT_libsec_errors_50, 2050, "XP_LIBSEC_FORTEZZA_BAD_CARD: Fortezza card has not been properly initialized. Please remove it and return it to your issuer." )
ResDef( DBT_libsec_errors_51, 2051, "XP_LIBSEC_FORTEZZA_NO_CARD: No Fortezza cards Found." )
ResDef( DBT_libsec_errors_52, 2052, "XP_LIBSEC_FORTEZZA_NONE_SELECTED: No Fortezza card selected." )
ResDef( DBT_libsec_errors_53, 2053, "XP_LIBSEC_FORTEZZA_MORE_INFO: Please select a personality to get more info on." )
ResDef( DBT_libsec_errors_54, 2054, "XP_LIBSEC_FORTEZZA_PERSON_NOT_FOUND: Personality not found." )
ResDef( DBT_libsec_errors_55, 2055, "XP_LIBSEC_FORTEZZA_NO_MORE_INFO: No more information on that Personality." )
ResDef( DBT_libsec_errors_56, 2056, "XP_LIBSEC_FORTEZZA_BAD_PIN: Invalid PIN." )
ResDef( DBT_libsec_errors_57, 2057, "XP_LIBSEC_FORTEZZA_PERSON_ERROR: Couldn't initialize Fortezza personalities." )
ResDef( DBT_libsec_errors_58, 2058, "SEC_ERROR_NO_KRL: No KRL for this site's certificate has been found." )
ResDef( DBT_libsec_errors_59, 2059, "SEC_ERROR_KRL_EXPIRED: The KRL for this site's certificate has expired." )
ResDef( DBT_libsec_errors_60, 2060, "SEC_ERROR_KRL_BAD_SIGNATURE: The KRL for this site's certificate has an invalid signature." )
ResDef( DBT_libsec_errors_61, 2061, "SEC_ERROR_REVOKED_KEY: The key for this site's certificate has been revoked." )
ResDef( DBT_libsec_errors_62, 2062, "SEC_ERROR_KRL_INVALID: New KRL has an invalid format." )
ResDef( DBT_libsec_errors_63, 2063, "SEC_ERROR_NEED_RANDOM: Need random data." )
ResDef( DBT_libsec_errors_64, 2064, "SEC_ERROR_NO_MODULE: No security module can perform the requested operation." )
ResDef( DBT_libsec_errors_65, 2065, "SEC_ERROR_NO_TOKEN: The security card or token does not exist, needs to be initialized, or has been removed." )
ResDef( DBT_libsec_errors_66, 2066, "SEC_ERROR_READ_ONLY: Read-only database." )
ResDef( DBT_libsec_errors_67, 2067, "SEC_ERROR_NO_SLOT_SELECTED: No slot or token was selected." )
ResDef( DBT_libsec_errors_68, 2068, "SEC_ERROR_CERT_NICKNAME_COLLISION: A certificate with the same nickname already exists." )
ResDef( DBT_libsec_errors_69, 2069, "SEC_ERROR_KEY_NICKNAME_COLLISION: A key with the same nickname already exists." )
ResDef( DBT_libsec_errors_70, 2070, "SEC_ERROR_SAFE_NOT_CREATED: Error while creating safe object." )
ResDef( DBT_libsec_errors_71, 2071, "SEC_ERROR_BAGGAGE_NOT_CREATED: Error while creating baggage object." )
ResDef( DBT_libsec_errors_72, 2072, "XP_JAVA_REMOVE_PRINCIPAL_ERROR: Couldn't remove the principal." )
ResDef( DBT_libsec_errors_73, 2073, "XP_JAVA_DELETE_PRIVILEGE_ERROR: Couldn't delete the privilege." )
ResDef( DBT_libsec_errors_74, 2074, "XP_JAVA_CERT_NOT_EXISTS_ERROR: This principal doesn't have a certificate." )
ResDef( DBT_libsec_errors_75, 2075, "SEC_ERROR_BAD_EXPORT_ALGORITHM: Required algorithm is not allowed." )
ResDef( DBT_libsec_errors_76, 2076, "SEC_ERROR_EXPORTING_CERTIFICATES: Error attempting to export certificates." )
ResDef( DBT_libsec_errors_77, 2077, "SEC_ERROR_IMPORTING_CERTIFICATES: Error attempting to import certificates." )
ResDef( DBT_libsec_errors_78, 2078, "SEC_ERROR_PKCS12_DECODING_PFX: Unable to import. Decoding error. File not valid." )
ResDef( DBT_libsec_errors_79, 2079, "SEC_ERROR_PKCS12_INVALID_MAC: Unable to import. Invalid MAC. Incorrect password or corrupt file." )
ResDef( DBT_libsec_errors_80, 2080, "SEC_ERROR_PKCS12_UNSUPPORTED_MAC_ALGORITHM: Unable to import. MAC algorithm not supported." )
ResDef( DBT_libsec_errors_81, 2081, "SEC_ERROR_PKCS12_UNSUPPORTED_TRANSPORT_MODE: Unable to import." )
ResDef( DBT_libsec_errors_82, 2082, "SEC_ERROR_PKCS12_CORRUPT_PFX_STRUCTURE: Unable to import. File structure is corrupt." )
ResDef( DBT_libsec_errors_83, 2083, "SEC_ERROR_PKCS12_UNSUPPORTED_PBE_ALGORITHM: Unable to import. Encryption algorithm not supported." )
ResDef( DBT_libsec_errors_84, 2084, "SEC_ERROR_PKCS12_UNSUPPORTED_VERSION: Unable to import. File version not supported." )
ResDef( DBT_libsec_errors_85, 2085, "SEC_ERROR_PKCS12_PRIVACY_PASSWORD_INCORRECT: Unable to import. Incorrect privacy password." )
ResDef( DBT_libsec_errors_86, 2086, "SEC_ERROR_PKCS12_CERT_COLLISION: Unable to import. Same nickname already exists in database." )
ResDef( DBT_libsec_errors_87, 2087, "SEC_ERROR_USER_CANCELLED: The user pressed cancel." )
ResDef( DBT_libsec_errors_88, 2088, "SEC_ERROR_PKCS12_DUPLICATE_DATA: Not imported, already in database." )
ResDef( DBT_libsec_errors_89, 2089, "SEC_ERROR_MESSAGE_SEND_ABORTED: Message not sent." )
ResDef( DBT_libsec_errors_90, 2090, "SEC_ERROR_INADEQUATE_KEY_USAGE: Certificate key usage inadequate for attempted operation." )
ResDef( DBT_libsec_errors_91, 2091, "SEC_ERROR_INADEQUATE_CERT_TYPE: Certificate type not approved for application." )
ResDef( DBT_libsec_errors_92, 2092, "SEC_ERROR_CERT_ADDR_MISMATCH: Address in signing certificate does not match address in message headers." )
ResDef( DBT_libsec_errors_93, 2093, "SEC_ERROR_PKCS12_UNABLE_TO_IMPORT_KEY: Unable to import. Error attempting to import private key." )
ResDef( DBT_libsec_errors_94, 2094, "SEC_ERROR_PKCS12_IMPORTING_CERT_CHAIN: Unable to import. Error attempting to import certificate chain." )
ResDef( DBT_libsec_errors_95, 2095, "SEC_ERROR_PKCS12_UNABLE_TO_LOCATE_OBJECT_BY_NAME: Unable to export. Unable to locate certificate or key by nickname." )
ResDef( DBT_libsec_errors_96, 2096, "SEC_ERROR_PKCS12_UNABLE_TO_EXPORT_KEY: Unable to export. Private Key could not be located and exported." )
ResDef( DBT_libsec_errors_97, 2097, "SEC_ERROR_PKCS12_UNABLE_TO_WRITE: Unable to export. Unable to write the export file." )
ResDef( DBT_libsec_errors_98, 2098, "SEC_ERROR_PKCS12_UNABLE_TO_READ: Unable to import. Unable to read the import file." )
ResDef( DBT_libsec_errors_99, 2099, "SEC_ERROR_PKCS12_KEY_DATABASE_NOT_INITIALIZED: Unable to export. Key database corrupt or deleted." )
ResDef( DBT_libsec_errors_100, 2100, "SEC_ERROR_KEYGEN_FAIL: Unable to generate public/private key pair." )
ResDef( DBT_libsec_errors_101, 2101, "SEC_ERROR_INVALID_PASSWORD: Password entered is invalid." )
ResDef( DBT_libsec_errors_102, 2102, "SEC_ERROR_RETRY_OLD_PASSWORD: Old password entered incorrectly. Please try again." )
ResDef( DBT_libsec_errors_103, 2103, "SEC_ERROR_BAD_NICKNAME: Certificate nickname already in use." )
ResDef( DBT_libsec_errors_104, 2104, "SEC_ERROR_NOT_FORTEZZA_ISSUER: Peer FORTEZZA chain has a non-FORTEZZA Certificate." )
ResDef( DBT_libsec_errors_105, 2105, "SEC_ERROR_CANNOT_MOVE_SENSITIVE_KEY: A sensitive key cannot be moved to the slot where it is needed." )
ResDef( DBT_libsec_errors_106, 2106, "SEC_ERROR_JS_INVALID_MODULE_NAME: Invalid module name." )
ResDef( DBT_libsec_errors_107, 2107, "SEC_ERROR_JS_INVALID_DLL: Invalid module path/filename." )
ResDef( DBT_libsec_errors_108, 2108, "SEC_ERROR_JS_ADD_MOD_FAILURE: Unable to add module." )
ResDef( DBT_libsec_errors_109, 2109, "SEC_ERROR_JS_DEL_MOD_FAILURE: Unable to delete module." )
ResDef( DBT_libsec_errors_110, 2110, "SEC_ERROR_OLD_KRL: New KRL is not later than the current one." )
ResDef( DBT_libsec_errors_111, 2111, "SEC_ERROR_CKL_CONFLICT: New CKL has different issuer than current CKL. Delete current CKL." )
ResDef( DBT_libsec_errors_112, 2112, "SEC_ERROR_CERT_NOT_IN_NAME_SPACE: The Certifying Authority for this certificate is not permitted to issue a certificate with this name." )
ResDef( DBT_libsec_errors_113, 2113, "SEC_ERROR_KRL_NOT_YET_VALID: The KRL for this certificate is not yet valid." )
ResDef( DBT_libsec_errors_114, 2114, "SEC_ERROR_CRL_NOT_YET_VALID: The CRL for this certificate is not yet valid." )
ResDef( DBT_libsec_errors_115, 2115, "SEC_ERROR_UNKNOWN_CERT: The requested certificate could not be found." )
ResDef( DBT_libsec_errors_116, 2116, "SEC_ERROR_UNKNOWN_SIGNER: The signer's certificate could not be found." )
ResDef( DBT_libsec_errors_117, 2117, "SEC_ERROR_CERT_BAD_ACCESS_LOCATION: The location for the certificate status server has invalid format." )
ResDef( DBT_libsec_errors_118, 2118, "SEC_ERROR_OCSP_UNKNOWN_RESPONSE_TYPE: The OCSP response cannot be fully decoded, it is of an unknown type." )
ResDef( DBT_libsec_errors_119, 2119, "SEC_ERROR_OCSP_BAD_HTTP_RESPONSE: The OCSP server returned unexpected/invalid HTTP data." )
ResDef( DBT_libsec_errors_120, 2120, "SEC_ERROR_OCSP_MALFORMED_REQUEST: The OCSP server found the request to be corrupted or improperly formed." )
ResDef( DBT_libsec_errors_121, 2121, "SEC_ERROR_OCSP_SERVER_ERROR: The OCSP server experienced an internal error." )
ResDef( DBT_libsec_errors_122, 2122, "SEC_ERROR_OCSP_TRY_SERVER_LATER: The OCSP server suggests trying again later." )
ResDef( DBT_libsec_errors_123, 2123, "SEC_ERROR_OCSP_REQUEST_NEEDS_SIG: The OCSP server requires a signature on this request." )
ResDef( DBT_libsec_errors_124, 2124, "SEC_ERROR_OCSP_UNAUTHORIZED_REQUEST: The OCSP server has refused this request as unauthorized." )
ResDef( DBT_libsec_errors_125, 2125, "SEC_ERROR_OCSP_UNKNOWN_RESPONSE_STATUS: The OCSP server returned an unrecognizable status." )
ResDef( DBT_libsec_errors_126, 2126, "SEC_ERROR_OCSP_UNKNOWN_CERT: The OCSP server has no status for the certificate." )
ResDef( DBT_libsec_errors_127, 2127, "SEC_ERROR_OCSP_NOT_ENABLED: OCSP is not enabled." )
ResDef( DBT_libsec_errors_128, 2128, "SEC_ERROR_OCSP_NO_DEFAULT_RESPONDER: OCSP responder not set." )
ResDef( DBT_libsec_errors_129, 2129, "SEC_ERROR_OCSP_MALFORMED_RESPONSE: Response from OCSP server was corrupted or improperly formed." )
ResDef( DBT_libsec_errors_130, 2130, "SEC_ERROR_OCSP_UNAUTHORIZED_RESPONSE: The signer of the OCSP response is not authorized to give status for this certificate." )
ResDef( DBT_libsec_errors_131, 2131, "SEC_ERROR_OCSP_FUTURE_RESPONSE: The OCSP response is not yet valid (contains a date in the future)." )
ResDef( DBT_libsec_errors_132, 2132, "SEC_ERROR_OCSP_OLD_RESPONSE: The OCSP response contains out of date information." )
ResDef( DBT_libsec_errors_133, 2133, "SEC_ERROR_DIGEST_NOT_FOUND: The CMS or PKCS#7 digest was not found in signed message." )
ResDef( DBT_libsec_errors_134, 2134, "SEC_ERROR_UNSUPPORTED_MESSAGE_TYPE: The CMS or PKCS#7 message type is unsupported." )
ResDef( DBT_libsec_errors_135, 2135, "SEC_ERROR_MODULE_STUCK: PKCS#11 module could not be removed because it is still in use." )
ResDef( DBT_libsec_errors_136, 2136, "SEC_ERROR_BAD_TEMPLATE: Could not decode ASN.1 data, specified template is invalid." )
ResDef( DBT_libsec_errors_137, 2137, "SEC_ERROR_CRL_NOT_FOUND: No matching CRL was found." )
ResDef( DBT_libsec_errors_138, 2138, "SEC_ERROR_REUSED_ISSUER_AND_SERIAL: Attempting to import a cert which conflicts with issuer/serial of existing cert." )
ResDef( DBT_libsec_errors_139, 2139, "SEC_ERROR_BUSY: NSS cannot shut down, objects are still in use." )
ResDef( DBT_libsec_errors_140, 2140, "SEC_ERROR_EXTRA_INPUT: DER-encoded message contains extra unused data." )
ResDef( DBT_libsec_errors_141, 2141, "SEC_ERROR_UNSUPPORTED_ELLIPTIC_CURVE: Unsupported elliptic curve." )
ResDef( DBT_libsec_errors_142, 2142, "SEC_ERROR_UNSUPPORTED_EC_POINT_FORM: Unsupported elliptic curve point form." )
ResDef( DBT_libsec_errors_143, 2143, "SEC_ERROR_UNRECOGNIZED_OID: Unrecognized Object Identifier." )
ResDef( DBT_libsec_errors_144, 2144, "SEC_ERROR_OCSP_INVALID_SIGNING_CERT: Invalid OCSP signing certificate in response." )
ResDef( DBT_libsec_errors_145, 2145, "SEC_ERROR_REVOKED_CERTIFICATE_CRL: Certificate is revoked in issuer's CRL." )
ResDef( DBT_libsec_errors_146, 2146, "SEC_ERROR_REVOKED_CERTIFICATE_OCSP: Issuer's OCSP reports certificate is revoked." )
ResDef( DBT_libsec_errors_147, 2147, "SEC_ERROR_CRL_INVALID_VERSION: Issuer's CRL has unknown version number." )
ResDef( DBT_libsec_errors_148, 2148, "SEC_ERROR_CRL_V1_CRITICAL_EXTENSION: Issuer's v1 CRL has a critical extension." )
ResDef( DBT_libsec_errors_149, 2149, "SEC_ERROR_CRL_UNKNOWN_CRITICAL_EXTENSION: Issuer's v2 CRL has an unknown critical extension." )
/* Refer http://mxr.mozilla.org/security/source/security/nss/cmd/lib/SECerrs.h#499 */
ResDef( DBT_libsec_errors_150, 2150, "SEC_ERROR_UNKNOWN_OBJECT_TYPE: Unknown object type specified." )
ResDef( DBT_libsec_errors_151, 2151, "SEC_ERROR_INCOMPATIBLE_PKCS11: PKCS #11 driver violates the spec in an incompatible way." )
ResDef( DBT_libsec_errors_152, 2152, "SEC_ERROR_NO_EVENT: No new slot event is available at this time." )
ResDef( DBT_libsec_errors_153, 2153, "SEC_ERROR_CRL_ALREADY_EXISTS: CRL already exists." )
ResDef( DBT_libsec_errors_154, 2154, "SEC_ERROR_NOT_INITIALIZED: NSS is not initialized." )
ResDef( DBT_libsec_errors_155, 2155, "SEC_ERROR_TOKEN_NOT_LOGGED_IN: The operation failed because the PKCS#11 token is not logged in." )
ResDef( DBT_libsec_errors_156, 2156, "SEC_ERROR_OCSP_RESPONDER_CERT_INVALID: Configured OCSP responder's certificate is invalid." )
ResDef( DBT_libsec_errors_157, 2157, "SEC_ERROR_OCSP_BAD_SIGNATURE: OCSP response has an invalid signature." )
ResDef( DBT_libsec_errors_158, 2158, "SEC_ERROR_OUT_OF_SEARCH_LIMITS: Cert validation search is out of search limits" )
ResDef( DBT_libsec_errors_159, 2159, "SEC_ERROR_INVALID_POLICY_MAPPING: Policy mapping contains anypolicy" )
ResDef( DBT_libsec_errors_160, 2160, "SEC_ERROR_POLICY_VALIDATION_FAILED: Cert chain fails policy validation" )
ResDef( DBT_libsec_errors_161, 2161, "SEC_ERROR_UNKNOWN_AIA_LOCATION_TYPE: Unknown location type in cert AIA extension" )
ResDef( DBT_libsec_errors_162, 2162, "SEC_ERROR_BAD_HTTP_RESPONSE: Server returned bad HTTP response" )
ResDef( DBT_libsec_errors_163, 2163, "SEC_ERROR_BAD_LDAP_RESPONSE: Server returned bad LDAP response" )
ResDef( DBT_libsec_errors_164, 2164, "SEC_ERROR_FAILED_TO_ENCODE_DATA: Failed to encode data with ASN1 encoder" )
ResDef( DBT_libsec_errors_165, 2165, "SEC_ERROR_BAD_INFO_ACCESS_LOCATION: Bad information access location in cert extension" )
ResDef( DBT_libsec_errors_166, 2166, "SEC_ERROR_LIBPKIX_INTERNAL: Libpkix internal error occured during cert validation." )
ResDef( DBT_libsec_errors_167, 2167, "SEC_ERROR_PKCS11_GENERAL_ERROR: PKCS11 general error occured during cert validation." )
ResDef( DBT_libsec_errors_168, 2168, "SEC_ERROR_PKCS11_FUNCTION_FAILED: PKCS11 function failed." )
ResDef( DBT_libsec_errors_169, 2169, "SEC_ERROR_PKCS11_DEVICE_ERROR: PKCS11 device error." )
ResDef( DBT_libsec_errors_170, 2170, "SEC_ERROR_BAD_INFO_ACCESS_METHOD: Bad access info." )
ResDef( DBT_libsec_errors_171, 2171, "SEC_ERROR_CRL_IMPORT_FAILED: CRL import failed." )
/* DBT_libssl_errors: http://www.mozilla.org/projects/security/pki/nss/ref/ssl/sslerr.html */
ResDef( DBT_libssl_errors_0, 3000, "SSL_ERROR_EXPORT_ONLY_SERVER: Client does not support high-grade encryption." )
ResDef( DBT_libssl_errors_1, 3001, "SSL_ERROR_US_ONLY_SERVER: Client requires high-grade encryption which is not supported." )
ResDef( DBT_libssl_errors_2, 3002, "SSL_ERROR_NO_CYPHER_OVERLAP: No common encryption algorithm(s) with client." )
ResDef( DBT_libssl_errors_3, 3003, "SSL_ERROR_NO_CERTIFICATE: Unable to find the certificate or key necessary for authentication." )
ResDef( DBT_libssl_errors_4, 3004, "SSL_ERROR_BAD_CERTIFICATE: Unable to communicate securely: Client certificate was rejected." )
ResDef( DBT_libssl_errors_5, 3005, "libssl error 5 (unused error)" )
ResDef( DBT_libssl_errors_6, 3006, "SSL_ERROR_BAD_CLIENT: Invalid data read from client." )
ResDef( DBT_libssl_errors_7, 3007, "SSL_ERROR_BAD_SERVER: Invalid data read from server (only applicable on client side)." )
ResDef( DBT_libssl_errors_8, 3008, "SSL_ERROR_UNSUPPORTED_CERTIFICATE_TYPE: Unsupported certificate type." )
ResDef( DBT_libssl_errors_9, 3009, "SSL_ERROR_UNSUPPORTED_VERSION: Client is using unsupported SSL version." )
ResDef( DBT_libssl_errors_10, 3010, "libssl error 10 (unused error)" )
ResDef( DBT_libssl_errors_11, 3011, "SSL_ERROR_WRONG_CERTIFICATE: Public key in the server's own certificate does not match its private key." )
ResDef( DBT_libssl_errors_12, 3012, "SSL_ERROR_BAD_CERT_DOMAIN: Requested domain name does not match the server's certificate." )
ResDef( DBT_libssl_errors_13, 3013, "SSL_ERROR_POST_WARNING (unused error)" )
ResDef( DBT_libssl_errors_14, 3014, "SSL_ERROR_SSL2_DISABLED: Client only supports SSL version 2, which is disabled." )
ResDef( DBT_libssl_errors_15, 3015, "SSL_ERROR_BAD_MAC_READ: Server has received a record with an incorrect Message Authentication Code." )
ResDef( DBT_libssl_errors_16, 3016, "SSL_ERROR_BAD_MAC_ALERT: Client indicated receiving record with an incorrect Message Authentication Code." )
ResDef( DBT_libssl_errors_17, 3017, "SSL_ERROR_BAD_CERT_ALERT: Client indicated it cannot verify server certificate." )
ResDef( DBT_libssl_errors_18, 3018, "SSL_ERROR_REVOKED_CERT_ALERT: Client has rejected server certificate as revoked." )
ResDef( DBT_libssl_errors_19, 3019, "SSL_ERROR_EXPIRED_CERT_ALERT: Client has rejected server certificate as expired." )
ResDef( DBT_libssl_errors_20, 3020, "SSL_ERROR_SSL_DISABLED: Cannot connect: SSL is disabled." )
ResDef( DBT_libssl_errors_21, 3021, "SSL_ERROR_FORTEZZA_PQG: Cannot connect: Client is in another Fortezza domain (unused error)." )
ResDef( DBT_libssl_errors_22, 3022, "SSL_ERROR_UNKNOWN_CIPHER_SUITE: An unknown SSL cipher suite has been requested." )
ResDef( DBT_libssl_errors_23, 3023, "SSL_ERROR_NO_CIPHERS_SUPPORTED: No cipher suites are present and enabled." )
ResDef( DBT_libssl_errors_24, 3024, "SSL_ERROR_BAD_BLOCK_PADDING: Server received a record with bad block padding." )
ResDef( DBT_libssl_errors_25, 3025, "SSL_ERROR_RX_RECORD_TOO_LONG: Server received a record that exceeded the maximum permissible length." )
ResDef( DBT_libssl_errors_26, 3026, "SSL_ERROR_TX_RECORD_TOO_LONG: Server attempted to send a record that exceeded the maximum permissible length." )
ResDef( DBT_libssl_errors_27, 3027, "SSL_ERROR_RX_MALFORMED_HELLO_REQUEST: Malformed Hello Request handshake message." )
ResDef( DBT_libssl_errors_28, 3028, "SSL_ERROR_RX_MALFORMED_CLIENT_HELLO: Malformed Client Hello handshake message." )
ResDef( DBT_libssl_errors_29, 3029, "SSL_ERROR_RX_MALFORMED_SERVER_HELLO: Malformed Server Hello handshake message." )
ResDef( DBT_libssl_errors_30, 3030, "SSL_ERROR_RX_MALFORMED_CERTIFICATE: Malformed Certificate handshake message." )
ResDef( DBT_libssl_errors_31, 3031, "SSL_ERROR_RX_MALFORMED_SERVER_KEY_EXCH: Malformed Server Key Exchange handshake message." )
ResDef( DBT_libssl_errors_32, 3032, "SSL_ERROR_RX_MALFORMED_CERT_REQUEST: Malformed Certificate Request handshake message." )
ResDef( DBT_libssl_errors_33, 3033, "SSL_ERROR_RX_MALFORMED_HELLO_DONE: Malformed Server Hello Done handshake message." )
ResDef( DBT_libssl_errors_34, 3034, "SSL_ERROR_RX_MALFORMED_CERT_VERIFY: Malformed Certificate Verify handshake message." )
ResDef( DBT_libssl_errors_35, 3035, "SSL_ERROR_RX_MALFORMED_CLIENT_KEY_EXCH: Malformed Client Key Exchange handshake message." )
ResDef( DBT_libssl_errors_36, 3036, "SSL_ERROR_RX_MALFORMED_FINISHED: Malformed Finished handshake message." )
ResDef( DBT_libssl_errors_37, 3037, "SSL_ERROR_RX_MALFORMED_CHANGE_CIPHER: Malformed Change Cipher Spec record." )
ResDef( DBT_libssl_errors_38, 3038, "SSL_ERROR_RX_MALFORMED_ALERT: Malformed Alert record." )
ResDef( DBT_libssl_errors_39, 3039, "SSL_ERROR_RX_MALFORMED_HANDSHAKE: Malformed Handshake record." )
ResDef( DBT_libssl_errors_40, 3040, "SSL_ERROR_RX_MALFORMED_APPLICATION_DATA: Malformed Application Data record." )
ResDef( DBT_libssl_errors_41, 3041, "SSL_ERROR_RX_UNEXPECTED_HELLO_REQUEST: Unexpected Hello Request handshake message." )
ResDef( DBT_libssl_errors_42, 3042, "SSL_ERROR_RX_UNEXPECTED_CLIENT_HELLO: Unexpected Client Hello handshake message." )
ResDef( DBT_libssl_errors_43, 3043, "SSL_ERROR_RX_UNEXPECTED_SERVER_HELLO: Unexpected Server Hello handshake message." )
ResDef( DBT_libssl_errors_44, 3044, "SSL_ERROR_RX_UNEXPECTED_CERTIFICATE: Unexpected Certificate handshake message." )
ResDef( DBT_libssl_errors_45, 3045, "SSL_ERROR_RX_UNEXPECTED_SERVER_KEY_EXCH: Unexpected Server Key Exchange handshake message." )
ResDef( DBT_libssl_errors_46, 3046, "SSL_ERROR_RX_UNEXPECTED_CERT_REQUEST: Unexpected Certificate Request handshake message." )
ResDef( DBT_libssl_errors_47, 3047, "SSL_ERROR_RX_UNEXPECTED_HELLO_DONE: Unexpected Server Hello Done handshake message." )
ResDef( DBT_libssl_errors_48, 3048, "SSL_ERROR_RX_UNEXPECTED_CERT_VERIFY: Unexpected Certificate Verify handshake message." )
ResDef( DBT_libssl_errors_49, 3049, "SSL_ERROR_RX_UNEXPECTED_CLIENT_KEY_EXCH: Unexpected Client Key Exchange handshake message." )
ResDef( DBT_libssl_errors_50, 3050, "SSL_ERROR_RX_UNEXPECTED_FINISHED: Unexpected Finished handshake message." )
ResDef( DBT_libssl_errors_51, 3051, "SSL_ERROR_RX_UNEXPECTED_CHANGE_CIPHER: Unexpected Change Cipher Spec record." )
ResDef( DBT_libssl_errors_52, 3052, "SSL_ERROR_RX_UNEXPECTED_ALERT: Unexpected Alert record." )
ResDef( DBT_libssl_errors_53, 3053, "SSL_ERROR_RX_UNEXPECTED_HANDSHAKE: Unexpected Handshake record." )
ResDef( DBT_libssl_errors_54, 3054, "SSL_ERROR_RX_UNEXPECTED_APPLICATION_DATA: Unexpected Application Data record." )
ResDef( DBT_libssl_errors_55, 3055, "SSL_ERROR_RX_UNKNOWN_RECORD_TYPE: Server received a record with an unknown content type." )
ResDef( DBT_libssl_errors_56, 3056, "SSL_ERROR_RX_UNKNOWN_HANDSHAKE: Server received a handshake message with an unknown message type." )
ResDef( DBT_libssl_errors_57, 3057, "SSL_ERROR_RX_UNKNOWN_ALERT: Server received an alert record with an unknown alert description." )
ResDef( DBT_libssl_errors_58, 3058, "SSL_ERROR_CLOSE_NOTIFY_ALERT: Client has closed the connection." )
ResDef( DBT_libssl_errors_59, 3059, "SSL_ERROR_HANDSHAKE_UNEXPECTED_ALERT: Client was not expecting a handshake message it received." )
ResDef( DBT_libssl_errors_60, 3060, "SSL_ERROR_DECOMPRESSION_FAILURE_ALERT: Client was unable to successfully decompress an SSL record it received." )
ResDef( DBT_libssl_errors_61, 3061, "SSL_ERROR_HANDSHAKE_FAILURE_ALERT: Client was unable to negotiate an acceptable set of security parameters." )
ResDef( DBT_libssl_errors_62, 3062, "SSL_ERROR_ILLEGAL_PARAMETER_ALERT: Client rejected a handshake message for unacceptable content." )
ResDef( DBT_libssl_errors_63, 3063, "SSL_ERROR_UNSUPPORTED_CERT_ALERT: Client does not support certificates of the type it received." )
ResDef( DBT_libssl_errors_64, 3064, "SSL_ERROR_CERTIFICATE_UNKNOWN_ALERT: Client had some unspecified issue with the certificate it received." )
ResDef( DBT_libssl_errors_65, 3065, "SSL_ERROR_GENERATE_RANDOM_FAILURE: Failure of random number generator." )
ResDef( DBT_libssl_errors_66, 3066, "SSL_ERROR_SIGN_HASHES_FAILURE: Unable to digitally sign data required to verify certificate." )
ResDef( DBT_libssl_errors_67, 3067, "SSL_ERROR_EXTRACT_PUBLIC_KEY_FAILURE: Unable to extract the public key from client certificate." )
ResDef( DBT_libssl_errors_68, 3068, "SSL_ERROR_SERVER_KEY_EXCHANGE_FAILURE: Unspecified failure while processing SSL Server Key Exchange handshake." )
ResDef( DBT_libssl_errors_69, 3069, "SSL_ERROR_CLIENT_KEY_EXCHANGE_FAILURE: Unspecified failure while processing SSL Client Key Exchange handshake." )
ResDef( DBT_libssl_errors_70, 3070, "SSL_ERROR_ENCRYPTION_FAILURE: Bulk data encryption algorithm failed in selected cipher suite." )
ResDef( DBT_libssl_errors_71, 3071, "SSL_ERROR_DECRYPTION_FAILURE: Bulk data decryption algorithm failed in selected cipher suite." )
ResDef( DBT_libssl_errors_72, 3072, "SSL_ERROR_SOCKET_WRITE_FAILURE: Attempt to write encrypted data to underlying socket failed." )
ResDef( DBT_libssl_errors_73, 3073, "SSL_ERROR_MD5_DIGEST_FAILURE: MD5 digest function failed." )
ResDef( DBT_libssl_errors_74, 3074, "SSL_ERROR_SHA_DIGEST_FAILURE: SHA-1 digest function failed." )
ResDef( DBT_libssl_errors_75, 3075, "SSL_ERROR_MAC_COMPUTATION_FAILURE: MAC computation failed." )
ResDef( DBT_libssl_errors_76, 3076, "SSL_ERROR_SYM_KEY_CONTEXT_FAILURE: Failure to create Symmetric Key context." )
ResDef( DBT_libssl_errors_77, 3077, "SSL_ERROR_SYM_KEY_UNWRAP_FAILURE: Failure to unwrap the Symmetric key in Client Key Exchange message." )
ResDef( DBT_libssl_errors_78, 3078, "SSL_ERROR_PUB_KEY_SIZE_LIMIT_EXCEEDED: Internal error: Server attempted to use domestic-grade public key with export cipher suite." )
ResDef( DBT_libssl_errors_79, 3079, "SSL_ERROR_IV_PARAM_FAILURE: PKCS #11 code failed to translate an IV into a param." )
ResDef( DBT_libssl_errors_80, 3080, "SSL_ERROR_INIT_CIPHER_SUITE_FAILURE: Failed to initialize the selected cipher suite." )
ResDef( DBT_libssl_errors_81, 3081, "SSL_ERROR_SESSION_KEY_GEN_FAILURE: Failed to generate session keys for SSL session." )
ResDef( DBT_libssl_errors_82, 3082, "SSL_ERROR_NO_SERVER_KEY_FOR_ALG: Server has no key for the attempted key exchange algorithm." )
ResDef( DBT_libssl_errors_83, 3083, "SSL_ERROR_TOKEN_INSERTION_REMOVAL: PKCS #11 token was inserted or removed while operation was in progress." )
ResDef( DBT_libssl_errors_84, 3084, "SSL_ERROR_TOKEN_SLOT_NOT_FOUND: No PKCS #11 token could be found to do a required operation." )
ResDef( DBT_libssl_errors_85, 3085, "SSL_ERROR_NO_COMPRESSION_OVERLAP: Cannot communicate securely with peer: No common compression algorithm(s)." )
ResDef( DBT_libssl_errors_86, 3086, "SSL_ERROR_HANDSHAKE_NOT_COMPLETED: Cannot initiate another SSL handshake until current handshake is complete." )
ResDef( DBT_libssl_errors_87, 3087, "SSL_ERROR_BAD_HANDSHAKE_HASH_VALUE: Received incorrect handshake hash values from peer." )
ResDef( DBT_libssl_errors_88, 3088, "SSL_ERROR_CERT_KEA_MISMATCH: Certificate provided cannot be used with the selected key exchange algorithm." )
ResDef( DBT_libssl_errors_89, 3089, "SSL_ERROR_NO_TRUSTED_SSL_CLIENT_CA: Server configuration does not have any certificate authority trusted for SSL client authentication." )
ResDef( DBT_libssl_errors_90, 3090, "SSL_ERROR_SESSION_NOT_FOUND: Client SSL session ID not found in server session cache." )
ResDef( DBT_libssl_errors_91, 3091, "SSL_ERROR_DECRYPTION_FAILED_ALERT: Client was unable to decrypt an SSL record it received." )
ResDef( DBT_libssl_errors_92, 3092, "SSL_ERROR_RECORD_OVERFLOW_ALERT: Client received an SSL record that was longer than permitted." )
ResDef( DBT_libssl_errors_93, 3093, "SSL_ERROR_UNKNOWN_CA_ALERT: Client does not recognize and trust the CA that issues server certificate." )
ResDef( DBT_libssl_errors_94, 3094, "SSL_ERROR_ACCESS_DENIED_ALERT: Client received a valid certificate but denied access." )
ResDef( DBT_libssl_errors_95, 3095, "SSL_ERROR_DECODE_ERROR_ALERT: Client could not decode an SSL handshake message." )
ResDef( DBT_libssl_errors_96, 3096, "SSL_ERROR_DECRYPT_ERROR_ALERT: Client reports signature verification or key exchange failure." )
ResDef( DBT_libssl_errors_97, 3097, "SSL_ERROR_EXPORT_RESTRICTION_ALERT: Client reports negotiation not in compliance with export regulations." )
ResDef( DBT_libssl_errors_98, 3098, "SSL_ERROR_PROTOCOL_VERSION_ALERT: Client reports incompatible or unsupported protocol version." )
ResDef( DBT_libssl_errors_99, 3099, "SSL_ERROR_INSUFFICIENT_SECURITY_ALERT: Server configuration requires ciphers more secure than those supported by client." )
ResDef( DBT_libssl_errors_100, 3100, "SSL_ERROR_INTERNAL_ERROR_ALERT: Client reports it experienced an internal error." )
ResDef( DBT_libssl_errors_101, 3101, "SSL_ERROR_USER_CANCELED_ALERT: Client canceled handshake." )
ResDef( DBT_libssl_errors_102, 3102, "SSL_ERROR_NO_RENEGOTIATION_ALERT: Client does not permit renegotiation of SSL security parameters." )
/* Refer http://mxr.mozilla.org/security/source/security/nss/cmd/lib/SSLerrs.h#370 */
ResDef( DBT_libssl_errors_103, 3103, "SSL_ERROR_SERVER_CACHE_NOT_CONFIGURED: SSL server cache not configured and not disabled for this socket." )
ResDef( DBT_libssl_errors_104, 3104, "SSL_ERROR_UNSUPPORTED_EXTENSION_ALERT: SSL peer does not support requested TLS hello extension." )
ResDef( DBT_libssl_errors_105, 3105, "SSL_ERROR_CERTIFICATE_UNOBTAINABLE_ALERT: SSL peer could not obtain your certificate from the supplied URL." )
ResDef( DBT_libssl_errors_106, 3106, "SSL_ERROR_UNRECOGNIZED_NAME_ALERT: SSL peer has no certificate for the requested DNS name." )
ResDef( DBT_libssl_errors_107, 3107, "SSL_ERROR_BAD_CERT_STATUS_RESPONSE_ALERT: SSL peer was unable to get an OCSP response for its certificate." )
ResDef( DBT_libssl_errors_108, 3108, "SSL_ERROR_BAD_CERT_HASH_VALUE_ALERT: SSL peer reported bad certificate hash value." )
ResDef( DBT_libssl_errors_109, 3109, "SSL_ERROR_RX_UNEXPECTED_NEW_SESSION_TICKET: SSL received an unexpected New Session Ticket handshake message." )
ResDef( DBT_libssl_errors_110, 3110, "SSL_ERROR_RX_MALFORMED_NEW_SESSION_TICKET: SSL received a malformed New Session Ticket handshake message." )
ResDef( DBT_libssl_errors_111, 3111, "SSL_ERROR_DECOMPRESSION_FAILURE: SSL decompression failed." )
ResDef( DBT_libssl_errors_112, 3112, "SSL_ERROR_RENEGOTIATION_NOT_ALLOWED: SSL renegotiation is not allowed." )
END_STR(base)
| jvirkki/heliod | src/server/base/dbtbase.h | C | bsd-3-clause | 55,644 |
/*
Copyright (c) 2010 Anders Bakken
Copyright (c) 2010 Donald Carr
All rights reserved.
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. Neither the name of any associated
organizations nor the names of its contributors may 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 HOLDER
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.*/
#ifndef PHONONBACKEND_H
#define PHONONBACKEND_H
#include <QtCore>
#include <phonon>
#include "backend.h"
#include "backendplugin.h"
struct Private;
class Q_DECL_EXPORT PhononBackend : public Backend
{
public:
PhononBackend(QObject *tail);
virtual ~PhononBackend();
virtual bool initBackend();
virtual void shutdown();
virtual bool trackData(TrackData *data, const QUrl &url, int types = All) const;
virtual bool isValid(const QUrl &url) const;
virtual void play();
virtual void pause();
virtual void setProgress(int type, int progress);
virtual int progress(int type);
virtual void stop();
virtual bool loadUrl(const QUrl &url);
virtual int status() const;
virtual int volume() const;
virtual void setVolume(int vol);
virtual QString errorMessage() const;
virtual int errorCode() const;
virtual void setMute(bool on);
virtual bool isMute() const;
virtual int flags() const;
private:
Private *d;
};
class Q_DECL_EXPORT PhononBackendPlugin : public BackendPlugin
{
public:
PhononBackendPlugin() : BackendPlugin(QStringList() << "phonon" << "phononbackend") {}
virtual Backend *createBackend(QObject *parent)
{
return new PhononBackend(parent);
}
};
#endif
| sirspudd/tokoloshmediabeast | tail/phononbackend.h | C | bsd-3-clause | 2,876 |
<?xml version="1.0" encoding="utf-8"?>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">
<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en">
<head>
<meta content="text/html; charset=utf-8" http-equiv="Content-Type" />
<title>File: INDEX.rdoc [Annotations Plugin]</title>
<link type="text/css" media="screen" href="./rdoc.css" rel="stylesheet" />
<script src="./js/jquery.js" type="text/javascript"
charset="utf-8"></script>
<script src="./js/thickbox-compressed.js" type="text/javascript"
charset="utf-8"></script>
<script src="./js/quicksearch.js" type="text/javascript"
charset="utf-8"></script>
<script src="./js/darkfish.js" type="text/javascript"
charset="utf-8"></script>
</head>
<body class="file">
<div id="metadata">
<div id="project-metadata">
<div id="fileindex-section" class="section project-section">
<h3 class="section-header">Files</h3>
<ul>
<li class="file"><a href="./AUTHORS_rdoc.html">AUTHORS.rdoc</a></li>
<li class="file"><a href="./CHANGELOG_rdoc.html">CHANGELOG.rdoc</a></li>
<li class="file"><a href="./INDEX_rdoc.html">INDEX.rdoc</a></li>
<li class="file"><a href="./LICENSE.html">LICENSE</a></li>
<li class="file"><a href="./README_rdoc.html">README.rdoc</a></li>
<li class="file"><a href="./RUNNING_TESTS_rdoc.html">RUNNING_TESTS.rdoc</a></li>
<li class="file"><a href="./RakeFile.html">RakeFile</a></li>
<li class="file"><a href="./TODO_rdoc.html">TODO.rdoc</a></li>
<li class="file"><a href="./VERSION_yml.html">VERSION.yml</a></li>
</ul>
</div>
<div id="classindex-section" class="section project-section">
<h3 class="section-header">Class Index
<span class="search-toggle"><img src="./images/find.png"
height="16" width="16" alt="[+]"
title="show/hide quicksearch" /></span></h3>
<form action="#" method="get" accept-charset="utf-8" class="initially-hidden">
<fieldset>
<legend>Quicksearch</legend>
<input type="text" name="quicksearch" value=""
class="quicksearch-field" />
</fieldset>
</form>
<ul class="link-list">
<li><a href="./Annotations/Acts/Annotatable/ClassMethods.html">Annotations::Acts::Annotatable::ClassMethods</a></li>
<li><a href="./Annotations/Acts/Annotatable/InstanceMethods.html">Annotations::Acts::Annotatable::InstanceMethods</a></li>
<li><a href="./Annotations/Acts/Annotatable/SingletonMethods.html">Annotations::Acts::Annotatable::SingletonMethods</a></li>
<li><a href="./Annotations/Acts/AnnotationSource/ClassMethods.html">Annotations::Acts::AnnotationSource::ClassMethods</a></li>
<li><a href="./Annotations/Acts/AnnotationSource/InstanceMethods.html">Annotations::Acts::AnnotationSource::InstanceMethods</a></li>
<li><a href="./Annotations/Acts/AnnotationSource/SingletonMethods.html">Annotations::Acts::AnnotationSource::SingletonMethods</a></li>
<li><a href="./Annotations/Config.html">Annotations::Config</a></li>
<li><a href="./AnnotationsVersionFu.html">AnnotationsVersionFu</a></li>
<li><a href="./AnnotationsVersionFu/ClassMethods.html">AnnotationsVersionFu::ClassMethods</a></li>
<li><a href="./AnnotationsVersionFu/InstanceMethods.html">AnnotationsVersionFu::InstanceMethods</a></li>
<li><a href="./Annotation.html">Annotation</a></li>
<li><a href="./AnnotationAttribute.html">AnnotationAttribute</a></li>
<li><a href="./AnnotationValueSeed.html">AnnotationValueSeed</a></li>
<li><a href="./AnnotationsController.html">AnnotationsController</a></li>
<li><a href="./AnnotationsMigrationGenerator.html">AnnotationsMigrationGenerator</a></li>
<li><a href="./AnnotationsMigrationV1.html">AnnotationsMigrationV1</a></li>
</ul>
<div id="no-class-search-results" style="display: none;">No matching classes.</div>
</div>
</div>
</div>
<div id="documentation">
<h1>Annotations Plugin (for Ruby on Rails applications)</h1>
<table>
<tr><td valign="top">Original Author:</td><td>Jiten Bhagat (<a href="mailto:[email protected]">[email protected]</a>)
</td></tr>
<tr><td valign="top">Copyright:</td><td>© 2008-2009, the University of Manchester and the European
Bioinformatics Institute (EMBL-EBI)
</td></tr>
<tr><td valign="top">License:</td><td>BSD
</td></tr>
<tr><td valign="top">Version:</td><td>0.1.0
</td></tr>
</table>
<p>
For information on the plugin and to get started, see <a
href="README_rdoc.html">README.rdoc</a>
</p>
<p>
For credits and origins, see <a href="AUTHORS_rdoc.html">AUTHORS.rdoc</a>
</p>
<p>
For license, see <a href="LICENSE.html">LICENSE</a>
</p>
<p>
For the latest updates, see <a
href="CHANGELOG_rdoc.html">CHANGELOG.rdoc</a>
</p>
<p>
To test the plugin, see <a
href="RUNNING_TESTS_rdoc.html">RUNNING_TESTS.rdoc</a>
</p>
</div>
<div id="validator-badges">
<p><small><a href="http://validator.w3.org/check/referer">[Validate]</a></small></p>
<p><small>Generated with the <a href="http://deveiate.org/projects/Darkfish-Rdoc/">Darkfish
Rdoc Generator</a> 1.1.6</small>.</p>
</div>
</body>
</html>
| myGrid/methodbox | vendor/plugins/annotations/doc/INDEX_rdoc.html | HTML | bsd-3-clause | 5,276 |
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8" />
<meta name="viewport" content="width=device-width, initial-scale=1.0" />
<meta name="viewport" content="width=device-width,initial-scale=1">
<meta http-equiv="x-ua-compatible" content="ie=edge">
<meta name="lang:clipboard.copy" content="Copy to clipboard">
<meta name="lang:clipboard.copied" content="Copied to clipboard">
<meta name="lang:search.language" content="en">
<meta name="lang:search.pipeline.stopwords" content="True">
<meta name="lang:search.pipeline.trimmer" content="True">
<meta name="lang:search.result.none" content="No matching documents">
<meta name="lang:search.result.one" content="1 matching document">
<meta name="lang:search.result.other" content="# matching documents">
<meta name="lang:search.tokenizer" content="[\s\-]+">
<link href="https://fonts.gstatic.com/" rel="preconnect" crossorigin>
<link href="https://fonts.googleapis.com/css?family=Roboto+Mono:400,500,700|Roboto:300,400,400i,700&display=fallback" rel="stylesheet">
<style>
body,
input {
font-family: "Roboto", "Helvetica Neue", Helvetica, Arial, sans-serif
}
code,
kbd,
pre {
font-family: "Roboto Mono", "Courier New", Courier, monospace
}
</style>
<link rel="stylesheet" href="../_static/stylesheets/application.css"/>
<link rel="stylesheet" href="../_static/stylesheets/application-palette.css"/>
<link rel="stylesheet" href="../_static/stylesheets/application-fixes.css"/>
<link rel="stylesheet" href="../_static/fonts/material-icons.css"/>
<meta name="theme-color" content="#3f51b5">
<script src="../_static/javascripts/modernizr.js"></script>
<title>statsmodels.tsa.vector_ar.var_model.FEVD.plot — statsmodels</title>
<link rel="icon" type="image/png" sizes="32x32" href="../_static/icons/favicon-32x32.png">
<link rel="icon" type="image/png" sizes="16x16" href="../_static/icons/favicon-16x16.png">
<link rel="manifest" href="../_static/icons/site.webmanifest">
<link rel="mask-icon" href="../_static/icons/safari-pinned-tab.svg" color="#919191">
<meta name="msapplication-TileColor" content="#2b5797">
<meta name="msapplication-config" content="../_static/icons/browserconfig.xml">
<link rel="stylesheet" href="../_static/stylesheets/examples.css">
<link rel="stylesheet" href="../_static/stylesheets/deprecation.css">
<link rel="stylesheet" href="../_static/material.css" type="text/css" />
<link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
<link rel="stylesheet" type="text/css" href="../_static/graphviz.css" />
<script id="documentation_options" data-url_root="../" src="../_static/documentation_options.js"></script>
<script src="../_static/jquery.js"></script>
<script src="../_static/underscore.js"></script>
<script src="../_static/doctools.js"></script>
<script src="../_static/language_data.js"></script>
<script crossorigin="anonymous" integrity="sha256-Ae2Vz/4ePdIu6ZyI/5ZGsYnb+m0JlOmKPjt6XZ9JJkA=" src="https://cdnjs.cloudflare.com/ajax/libs/require.js/2.3.4/require.min.js"></script>
<script async="async" src="https://cdnjs.cloudflare.com/ajax/libs/mathjax/2.7.7/latest.js?config=TeX-AMS-MML_HTMLorMML"></script>
<script type="text/x-mathjax-config">MathJax.Hub.Config({"tex2jax": {"inlineMath": [["$", "$"], ["\\(", "\\)"]], "processEscapes": true, "ignoreClass": "document", "processClass": "math|output_area"}})</script>
<link rel="shortcut icon" href="../_static/favicon.ico"/>
<link rel="author" title="About these documents" href="../about.html" />
<link rel="index" title="Index" href="../genindex.html" />
<link rel="search" title="Search" href="../search.html" />
<link rel="next" title="statsmodels.tsa.vector_ar.var_model.FEVD.summary" href="statsmodels.tsa.vector_ar.var_model.FEVD.summary.html" />
<link rel="prev" title="statsmodels.tsa.vector_ar.var_model.FEVD.cov" href="statsmodels.tsa.vector_ar.var_model.FEVD.cov.html" />
</head>
<body dir=ltr
data-md-color-primary=indigo data-md-color-accent=blue>
<svg class="md-svg">
<defs data-children-count="0">
<svg xmlns="http://www.w3.org/2000/svg" width="416" height="448" viewBox="0 0 416 448" id="__github"><path fill="currentColor" d="M160 304q0 10-3.125 20.5t-10.75 19T128 352t-18.125-8.5-10.75-19T96 304t3.125-20.5 10.75-19T128 256t18.125 8.5 10.75 19T160 304zm160 0q0 10-3.125 20.5t-10.75 19T288 352t-18.125-8.5-10.75-19T256 304t3.125-20.5 10.75-19T288 256t18.125 8.5 10.75 19T320 304zm40 0q0-30-17.25-51T296 232q-10.25 0-48.75 5.25Q229.5 240 208 240t-39.25-2.75Q130.75 232 120 232q-29.5 0-46.75 21T56 304q0 22 8 38.375t20.25 25.75 30.5 15 35 7.375 37.25 1.75h42q20.5 0 37.25-1.75t35-7.375 30.5-15 20.25-25.75T360 304zm56-44q0 51.75-15.25 82.75-9.5 19.25-26.375 33.25t-35.25 21.5-42.5 11.875-42.875 5.5T212 416q-19.5 0-35.5-.75t-36.875-3.125-38.125-7.5-34.25-12.875T37 371.5t-21.5-28.75Q0 312 0 260q0-59.25 34-99-6.75-20.5-6.75-42.5 0-29 12.75-54.5 27 0 47.5 9.875t47.25 30.875Q171.5 96 212 96q37 0 70 8 26.25-20.5 46.75-30.25T376 64q12.75 25.5 12.75 54.5 0 21.75-6.75 42 34 40 34 99.5z"/></svg>
</defs>
</svg>
<input class="md-toggle" data-md-toggle="drawer" type="checkbox" id="__drawer">
<input class="md-toggle" data-md-toggle="search" type="checkbox" id="__search">
<label class="md-overlay" data-md-component="overlay" for="__drawer"></label>
<a href="#generated/statsmodels.tsa.vector_ar.var_model.FEVD.plot" tabindex="1" class="md-skip"> Skip to content </a>
<header class="md-header" data-md-component="header">
<nav class="md-header-nav md-grid">
<div class="md-flex navheader">
<div class="md-flex__cell md-flex__cell--shrink">
<a href="../index.html" title="statsmodels"
class="md-header-nav__button md-logo">
<img src="../_static/statsmodels-logo-v2-bw.svg" height="26"
alt="statsmodels logo">
</a>
</div>
<div class="md-flex__cell md-flex__cell--shrink">
<label class="md-icon md-icon--menu md-header-nav__button" for="__drawer"></label>
</div>
<div class="md-flex__cell md-flex__cell--stretch">
<div class="md-flex__ellipsis md-header-nav__title" data-md-component="title">
<span class="md-header-nav__topic">statsmodels v0.12.1</span>
<span class="md-header-nav__topic"> statsmodels.tsa.vector_ar.var_model.FEVD.plot </span>
</div>
</div>
<div class="md-flex__cell md-flex__cell--shrink">
<label class="md-icon md-icon--search md-header-nav__button" for="__search"></label>
<div class="md-search" data-md-component="search" role="dialog">
<label class="md-search__overlay" for="__search"></label>
<div class="md-search__inner" role="search">
<form class="md-search__form" action="../search.html" method="GET" name="search">
<input type="text" class="md-search__input" name="q" placeholder="Search"
autocapitalize="off" autocomplete="off" spellcheck="false"
data-md-component="query" data-md-state="active">
<label class="md-icon md-search__icon" for="__search"></label>
<button type="reset" class="md-icon md-search__icon" data-md-component="reset" tabindex="-1">

</button>
</form>
<div class="md-search__output">
<div class="md-search__scrollwrap" data-md-scrollfix>
<div class="md-search-result" data-md-component="result">
<div class="md-search-result__meta">
Type to start searching
</div>
<ol class="md-search-result__list"></ol>
</div>
</div>
</div>
</div>
</div>
</div>
<div class="md-flex__cell md-flex__cell--shrink">
<div class="md-header-nav__source">
<a href="https://github.com/statsmodels/statsmodels" title="Go to repository" class="md-source" data-md-source="github">
<div class="md-source__icon">
<svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" viewBox="0 0 24 24" width="28" height="28">
<use xlink:href="#__github" width="24" height="24"></use>
</svg>
</div>
<div class="md-source__repository">
statsmodels
</div>
</a>
</div>
</div>
<script src="../_static/javascripts/version_dropdown.js"></script>
<script>
var json_loc = "../_static/versions.json",
target_loc = "../../",
text = "Versions";
$( document ).ready( add_version_dropdown(json_loc, target_loc, text));
</script>
</div>
</nav>
</header>
<div class="md-container">
<nav class="md-tabs" data-md-component="tabs">
<div class="md-tabs__inner md-grid">
<ul class="md-tabs__list">
<li class="md-tabs__item"><a href="../user-guide.html" class="md-tabs__link">User Guide</a></li>
<li class="md-tabs__item"><a href="../vector_ar.html" class="md-tabs__link">Vector Autoregressions <code class="xref py py-mod docutils literal notranslate"><span class="pre">tsa.vector_ar</span></code></a></li>
<li class="md-tabs__item"><a href="statsmodels.tsa.vector_ar.var_model.FEVD.html" class="md-tabs__link">statsmodels.tsa.vector_ar.var_model.FEVD</a></li>
</ul>
</div>
</nav>
<main class="md-main">
<div class="md-main__inner md-grid" data-md-component="container">
<div class="md-sidebar md-sidebar--primary" data-md-component="navigation">
<div class="md-sidebar__scrollwrap">
<div class="md-sidebar__inner">
<nav class="md-nav md-nav--primary" data-md-level="0">
<label class="md-nav__title md-nav__title--site" for="__drawer">
<a href="../index.html" title="statsmodels" class="md-nav__button md-logo">
<img src="../_static/statsmodels-logo-v2-bw.svg" alt=" logo" width="48" height="48">
</a>
<a href="../index.html"
title="statsmodels">statsmodels v0.12.1</a>
</label>
<div class="md-nav__source">
<a href="https://github.com/statsmodels/statsmodels" title="Go to repository" class="md-source" data-md-source="github">
<div class="md-source__icon">
<svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" viewBox="0 0 24 24" width="28" height="28">
<use xlink:href="#__github" width="24" height="24"></use>
</svg>
</div>
<div class="md-source__repository">
statsmodels
</div>
</a>
</div>
<ul class="md-nav__list">
<li class="md-nav__item">
<a href="../install.html" class="md-nav__link">Installing statsmodels</a>
</li>
<li class="md-nav__item">
<a href="../gettingstarted.html" class="md-nav__link">Getting started</a>
</li>
<li class="md-nav__item">
<a href="../user-guide.html" class="md-nav__link">User Guide</a>
<ul class="md-nav__list">
<li class="md-nav__item">
<a href="../user-guide.html#background" class="md-nav__link">Background</a>
</li>
<li class="md-nav__item">
<a href="../user-guide.html#regression-and-linear-models" class="md-nav__link">Regression and Linear Models</a>
</li>
<li class="md-nav__item">
<a href="../user-guide.html#time-series-analysis" class="md-nav__link">Time Series Analysis</a>
<ul class="md-nav__list">
<li class="md-nav__item">
<a href="../tsa.html" class="md-nav__link">Time Series analysis <code class="xref py py-mod docutils literal notranslate"><span class="pre">tsa</span></code></a>
</li>
<li class="md-nav__item">
<a href="../statespace.html" class="md-nav__link">Time Series Analysis by State Space Methods <code class="xref py py-mod docutils literal notranslate"><span class="pre">statespace</span></code></a>
</li>
<li class="md-nav__item">
<a href="../vector_ar.html" class="md-nav__link">Vector Autoregressions <code class="xref py py-mod docutils literal notranslate"><span class="pre">tsa.vector_ar</span></code></a>
</li></ul>
</li>
<li class="md-nav__item">
<a href="../user-guide.html#other-models" class="md-nav__link">Other Models</a>
</li>
<li class="md-nav__item">
<a href="../user-guide.html#statistics-and-tools" class="md-nav__link">Statistics and Tools</a>
</li>
<li class="md-nav__item">
<a href="../user-guide.html#data-sets" class="md-nav__link">Data Sets</a>
</li>
<li class="md-nav__item">
<a href="../user-guide.html#sandbox" class="md-nav__link">Sandbox</a>
</li></ul>
</li>
<li class="md-nav__item">
<a href="../examples/index.html" class="md-nav__link">Examples</a>
</li>
<li class="md-nav__item">
<a href="../api.html" class="md-nav__link">API Reference</a>
</li>
<li class="md-nav__item">
<a href="../about.html" class="md-nav__link">About statsmodels</a>
</li>
<li class="md-nav__item">
<a href="../dev/index.html" class="md-nav__link">Developer Page</a>
</li>
<li class="md-nav__item">
<a href="../release/index.html" class="md-nav__link">Release Notes</a>
</li>
</ul>
</nav>
</div>
</div>
</div>
<div class="md-sidebar md-sidebar--secondary" data-md-component="toc">
<div class="md-sidebar__scrollwrap">
<div class="md-sidebar__inner">
<nav class="md-nav md-nav--secondary">
<ul class="md-nav__list" data-md-scrollfix="">
<li class="md-nav__item"><a class="md-nav__extra_link" href="../_sources/generated/statsmodels.tsa.vector_ar.var_model.FEVD.plot.rst.txt">Show Source</a> </li>
<li id="searchbox" class="md-nav__item"></li>
</ul>
</nav>
</div>
</div>
</div>
<div class="md-content">
<article class="md-content__inner md-typeset" role="main">
<h1 id="generated-statsmodels-tsa-vector-ar-var-model-fevd-plot--page-root">statsmodels.tsa.vector_ar.var_model.FEVD.plot<a class="headerlink" href="#generated-statsmodels-tsa-vector-ar-var-model-fevd-plot--page-root" title="Permalink to this headline">¶</a></h1>
<dl class="py method">
<dt id="statsmodels.tsa.vector_ar.var_model.FEVD.plot">
<code class="sig-prename descclassname">FEVD.</code><code class="sig-name descname">plot</code><span class="sig-paren">(</span><em class="sig-param"><span class="n">periods</span><span class="o">=</span><span class="default_value">None</span></em>, <em class="sig-param"><span class="n">figsize</span><span class="o">=</span><span class="default_value">10, 10</span></em>, <em class="sig-param"><span class="o">**</span><span class="n">plot_kwds</span></em><span class="sig-paren">)</span><a class="reference internal" href="../_modules/statsmodels/tsa/vector_ar/var_model.html#FEVD.plot"><span class="viewcode-link">[source]</span></a><a class="headerlink" href="#statsmodels.tsa.vector_ar.var_model.FEVD.plot" title="Permalink to this definition">¶</a></dt>
<dd><p>Plot graphical display of FEVD</p>
<dl class="field-list">
<dt class="field-odd">Parameters</dt>
<dd class="field-odd"><dl>
<dt><strong>periods</strong><span class="classifier"><a class="reference external" href="https://docs.python.org/3/library/functions.html#int" title="(in Python v3.9)"><code class="docutils literal notranslate"><span class="pre">int</span></code></a>, <code class="xref py py-obj docutils literal notranslate"><span class="pre">default</span></code> <a class="reference external" href="https://docs.python.org/3/library/constants.html#None" title="(in Python v3.9)"><code class="docutils literal notranslate"><span class="pre">None</span></code></a></span></dt><dd><p>Defaults to number originally specified. Can be at most that number</p>
</dd>
</dl>
</dd>
</dl>
</dd></dl>
</article>
</div>
</div>
</main>
</div>
<footer class="md-footer">
<div class="md-footer-nav">
<nav class="md-footer-nav__inner md-grid">
<a href="statsmodels.tsa.vector_ar.var_model.FEVD.cov.html" title="statsmodels.tsa.vector_ar.var_model.FEVD.cov"
class="md-flex md-footer-nav__link md-footer-nav__link--prev"
rel="prev">
<div class="md-flex__cell md-flex__cell--shrink">
<i class="md-icon md-icon--arrow-back md-footer-nav__button"></i>
</div>
<div class="md-flex__cell md-flex__cell--stretch md-footer-nav__title">
<span class="md-flex__ellipsis">
<span
class="md-footer-nav__direction"> Previous </span> statsmodels.tsa.vector_ar.var_model.FEVD.cov </span>
</div>
</a>
<a href="statsmodels.tsa.vector_ar.var_model.FEVD.summary.html" title="statsmodels.tsa.vector_ar.var_model.FEVD.summary"
class="md-flex md-footer-nav__link md-footer-nav__link--next"
rel="next">
<div class="md-flex__cell md-flex__cell--stretch md-footer-nav__title"><span
class="md-flex__ellipsis"> <span
class="md-footer-nav__direction"> Next </span> statsmodels.tsa.vector_ar.var_model.FEVD.summary </span>
</div>
<div class="md-flex__cell md-flex__cell--shrink"><i
class="md-icon md-icon--arrow-forward md-footer-nav__button"></i>
</div>
</a>
</nav>
</div>
<div class="md-footer-meta md-typeset">
<div class="md-footer-meta__inner md-grid">
<div class="md-footer-copyright">
<div class="md-footer-copyright__highlight">
© Copyright 2009-2019, Josef Perktold, Skipper Seabold, Jonathan Taylor, statsmodels-developers.
</div>
Last updated on
Oct 29, 2020.
<br/>
Created using
<a href="http://www.sphinx-doc.org/">Sphinx</a> 3.2.1.
and
<a href="https://github.com/bashtage/sphinx-material/">Material for
Sphinx</a>
</div>
</div>
</div>
</footer>
<script src="../_static/javascripts/application.js"></script>
<script>app.initialize({version: "1.0.4", url: {base: ".."}})</script>
</body>
</html> | statsmodels/statsmodels.github.io | v0.12.1/generated/statsmodels.tsa.vector_ar.var_model.FEVD.plot.html | HTML | bsd-3-clause | 18,870 |
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8" />
<meta name="viewport" content="width=device-width, initial-scale=1.0" />
<meta name="viewport" content="width=device-width,initial-scale=1">
<meta http-equiv="x-ua-compatible" content="ie=edge">
<meta name="lang:clipboard.copy" content="Copy to clipboard">
<meta name="lang:clipboard.copied" content="Copied to clipboard">
<meta name="lang:search.language" content="en">
<meta name="lang:search.pipeline.stopwords" content="True">
<meta name="lang:search.pipeline.trimmer" content="True">
<meta name="lang:search.result.none" content="No matching documents">
<meta name="lang:search.result.one" content="1 matching document">
<meta name="lang:search.result.other" content="# matching documents">
<meta name="lang:search.tokenizer" content="[\s\-]+">
<link href="https://fonts.gstatic.com/" rel="preconnect" crossorigin>
<link href="https://fonts.googleapis.com/css?family=Roboto+Mono:400,500,700|Roboto:300,400,400i,700&display=fallback" rel="stylesheet">
<style>
body,
input {
font-family: "Roboto", "Helvetica Neue", Helvetica, Arial, sans-serif
}
code,
kbd,
pre {
font-family: "Roboto Mono", "Courier New", Courier, monospace
}
</style>
<link rel="stylesheet" href="../_static/stylesheets/application.css"/>
<link rel="stylesheet" href="../_static/stylesheets/application-palette.css"/>
<link rel="stylesheet" href="../_static/stylesheets/application-fixes.css"/>
<link rel="stylesheet" href="../_static/fonts/material-icons.css"/>
<meta name="theme-color" content="#3f51b5">
<script src="../_static/javascripts/modernizr.js"></script>
<title>statsmodels.tsa.vector_ar.var_model.VARResults.cov_params — statsmodels</title>
<link rel="icon" type="image/png" sizes="32x32" href="../_static/icons/favicon-32x32.png">
<link rel="icon" type="image/png" sizes="16x16" href="../_static/icons/favicon-16x16.png">
<link rel="manifest" href="../_static/icons/site.webmanifest">
<link rel="mask-icon" href="../_static/icons/safari-pinned-tab.svg" color="#919191">
<meta name="msapplication-TileColor" content="#2b5797">
<meta name="msapplication-config" content="../_static/icons/browserconfig.xml">
<link rel="stylesheet" href="../_static/stylesheets/examples.css">
<link rel="stylesheet" href="../_static/stylesheets/deprecation.css">
<link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
<link rel="stylesheet" href="../_static/material.css" type="text/css" />
<link rel="stylesheet" type="text/css" href="../_static/graphviz.css" />
<script id="documentation_options" data-url_root="../" src="../_static/documentation_options.js"></script>
<script src="../_static/jquery.js"></script>
<script src="../_static/underscore.js"></script>
<script src="../_static/doctools.js"></script>
<script crossorigin="anonymous" integrity="sha256-Ae2Vz/4ePdIu6ZyI/5ZGsYnb+m0JlOmKPjt6XZ9JJkA=" src="https://cdnjs.cloudflare.com/ajax/libs/require.js/2.3.4/require.min.js"></script>
<script async="async" src="https://cdnjs.cloudflare.com/ajax/libs/mathjax/2.7.7/latest.js?config=TeX-AMS-MML_HTMLorMML"></script>
<script type="text/x-mathjax-config">MathJax.Hub.Config({"tex2jax": {"inlineMath": [["$", "$"], ["\\(", "\\)"]], "processEscapes": true, "ignoreClass": "document", "processClass": "math|output_area"}})</script>
<link rel="shortcut icon" href="../_static/favicon.ico"/>
<link rel="author" title="About these documents" href="../about.html" />
<link rel="index" title="Index" href="../genindex.html" />
<link rel="search" title="Search" href="../search.html" />
<link rel="next" title="statsmodels.tsa.vector_ar.var_model.VARResults.cov_ybar" href="statsmodels.tsa.vector_ar.var_model.VARResults.cov_ybar.html" />
<link rel="prev" title="statsmodels.tsa.vector_ar.var_model.VARResults.acorr" href="statsmodels.tsa.vector_ar.var_model.VARResults.acorr.html" />
</head>
<body dir=ltr
data-md-color-primary=indigo data-md-color-accent=blue>
<svg class="md-svg">
<defs data-children-count="0">
<svg xmlns="http://www.w3.org/2000/svg" width="416" height="448" viewBox="0 0 416 448" id="__github"><path fill="currentColor" d="M160 304q0 10-3.125 20.5t-10.75 19T128 352t-18.125-8.5-10.75-19T96 304t3.125-20.5 10.75-19T128 256t18.125 8.5 10.75 19T160 304zm160 0q0 10-3.125 20.5t-10.75 19T288 352t-18.125-8.5-10.75-19T256 304t3.125-20.5 10.75-19T288 256t18.125 8.5 10.75 19T320 304zm40 0q0-30-17.25-51T296 232q-10.25 0-48.75 5.25Q229.5 240 208 240t-39.25-2.75Q130.75 232 120 232q-29.5 0-46.75 21T56 304q0 22 8 38.375t20.25 25.75 30.5 15 35 7.375 37.25 1.75h42q20.5 0 37.25-1.75t35-7.375 30.5-15 20.25-25.75T360 304zm56-44q0 51.75-15.25 82.75-9.5 19.25-26.375 33.25t-35.25 21.5-42.5 11.875-42.875 5.5T212 416q-19.5 0-35.5-.75t-36.875-3.125-38.125-7.5-34.25-12.875T37 371.5t-21.5-28.75Q0 312 0 260q0-59.25 34-99-6.75-20.5-6.75-42.5 0-29 12.75-54.5 27 0 47.5 9.875t47.25 30.875Q171.5 96 212 96q37 0 70 8 26.25-20.5 46.75-30.25T376 64q12.75 25.5 12.75 54.5 0 21.75-6.75 42 34 40 34 99.5z"/></svg>
</defs>
</svg>
<input class="md-toggle" data-md-toggle="drawer" type="checkbox" id="__drawer">
<input class="md-toggle" data-md-toggle="search" type="checkbox" id="__search">
<label class="md-overlay" data-md-component="overlay" for="__drawer"></label>
<a href="#generated/statsmodels.tsa.vector_ar.var_model.VARResults.cov_params" tabindex="1" class="md-skip"> Skip to content </a>
<header class="md-header" data-md-component="header">
<nav class="md-header-nav md-grid">
<div class="md-flex navheader">
<div class="md-flex__cell md-flex__cell--shrink">
<a href="../index.html" title="statsmodels"
class="md-header-nav__button md-logo">
<img src="../_static/statsmodels-logo-v2-bw.svg" height="26"
alt="statsmodels logo">
</a>
</div>
<div class="md-flex__cell md-flex__cell--shrink">
<label class="md-icon md-icon--menu md-header-nav__button" for="__drawer"></label>
</div>
<div class="md-flex__cell md-flex__cell--stretch">
<div class="md-flex__ellipsis md-header-nav__title" data-md-component="title">
<span class="md-header-nav__topic">statsmodels v0.12.2</span>
<span class="md-header-nav__topic"> statsmodels.tsa.vector_ar.var_model.VARResults.cov_params </span>
</div>
</div>
<div class="md-flex__cell md-flex__cell--shrink">
<label class="md-icon md-icon--search md-header-nav__button" for="__search"></label>
<div class="md-search" data-md-component="search" role="dialog">
<label class="md-search__overlay" for="__search"></label>
<div class="md-search__inner" role="search">
<form class="md-search__form" action="../search.html" method="GET" name="search">
<input type="text" class="md-search__input" name="q" placeholder="Search"
autocapitalize="off" autocomplete="off" spellcheck="false"
data-md-component="query" data-md-state="active">
<label class="md-icon md-search__icon" for="__search"></label>
<button type="reset" class="md-icon md-search__icon" data-md-component="reset" tabindex="-1">

</button>
</form>
<div class="md-search__output">
<div class="md-search__scrollwrap" data-md-scrollfix>
<div class="md-search-result" data-md-component="result">
<div class="md-search-result__meta">
Type to start searching
</div>
<ol class="md-search-result__list"></ol>
</div>
</div>
</div>
</div>
</div>
</div>
<div class="md-flex__cell md-flex__cell--shrink">
<div class="md-header-nav__source">
<a href="https://github.com/statsmodels/statsmodels" title="Go to repository" class="md-source" data-md-source="github">
<div class="md-source__icon">
<svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" viewBox="0 0 24 24" width="28" height="28">
<use xlink:href="#__github" width="24" height="24"></use>
</svg>
</div>
<div class="md-source__repository">
statsmodels
</div>
</a>
</div>
</div>
<script src="../_static/javascripts/version_dropdown.js"></script>
<script>
var json_loc = "../_static/versions.json",
target_loc = "../../",
text = "Versions";
$( document ).ready( add_version_dropdown(json_loc, target_loc, text));
</script>
</div>
</nav>
</header>
<div class="md-container">
<nav class="md-tabs" data-md-component="tabs">
<div class="md-tabs__inner md-grid">
<ul class="md-tabs__list">
<li class="md-tabs__item"><a href="../user-guide.html" class="md-tabs__link">User Guide</a></li>
<li class="md-tabs__item"><a href="../vector_ar.html" class="md-tabs__link">Vector Autoregressions <code class="xref py py-mod docutils literal notranslate"><span class="pre">tsa.vector_ar</span></code></a></li>
<li class="md-tabs__item"><a href="statsmodels.tsa.vector_ar.var_model.VARResults.html" class="md-tabs__link">statsmodels.tsa.vector_ar.var_model.VARResults</a></li>
</ul>
</div>
</nav>
<main class="md-main">
<div class="md-main__inner md-grid" data-md-component="container">
<div class="md-sidebar md-sidebar--primary" data-md-component="navigation">
<div class="md-sidebar__scrollwrap">
<div class="md-sidebar__inner">
<nav class="md-nav md-nav--primary" data-md-level="0">
<label class="md-nav__title md-nav__title--site" for="__drawer">
<a href="../index.html" title="statsmodels" class="md-nav__button md-logo">
<img src="../_static/statsmodels-logo-v2-bw.svg" alt=" logo" width="48" height="48">
</a>
<a href="../index.html"
title="statsmodels">statsmodels v0.12.2</a>
</label>
<div class="md-nav__source">
<a href="https://github.com/statsmodels/statsmodels" title="Go to repository" class="md-source" data-md-source="github">
<div class="md-source__icon">
<svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" viewBox="0 0 24 24" width="28" height="28">
<use xlink:href="#__github" width="24" height="24"></use>
</svg>
</div>
<div class="md-source__repository">
statsmodels
</div>
</a>
</div>
<ul class="md-nav__list">
<li class="md-nav__item">
<a href="../install.html" class="md-nav__link">Installing statsmodels</a>
</li>
<li class="md-nav__item">
<a href="../gettingstarted.html" class="md-nav__link">Getting started</a>
</li>
<li class="md-nav__item">
<a href="../user-guide.html" class="md-nav__link">User Guide</a>
<ul class="md-nav__list">
<li class="md-nav__item">
<a href="../user-guide.html#background" class="md-nav__link">Background</a>
</li>
<li class="md-nav__item">
<a href="../user-guide.html#regression-and-linear-models" class="md-nav__link">Regression and Linear Models</a>
</li>
<li class="md-nav__item">
<a href="../user-guide.html#time-series-analysis" class="md-nav__link">Time Series Analysis</a>
<ul class="md-nav__list">
<li class="md-nav__item">
<a href="../tsa.html" class="md-nav__link">Time Series analysis <code class="xref py py-mod docutils literal notranslate"><span class="pre">tsa</span></code></a>
</li>
<li class="md-nav__item">
<a href="../statespace.html" class="md-nav__link">Time Series Analysis by State Space Methods <code class="xref py py-mod docutils literal notranslate"><span class="pre">statespace</span></code></a>
</li>
<li class="md-nav__item">
<a href="../vector_ar.html" class="md-nav__link">Vector Autoregressions <code class="xref py py-mod docutils literal notranslate"><span class="pre">tsa.vector_ar</span></code></a>
</li></ul>
</li>
<li class="md-nav__item">
<a href="../user-guide.html#other-models" class="md-nav__link">Other Models</a>
</li>
<li class="md-nav__item">
<a href="../user-guide.html#statistics-and-tools" class="md-nav__link">Statistics and Tools</a>
</li>
<li class="md-nav__item">
<a href="../user-guide.html#data-sets" class="md-nav__link">Data Sets</a>
</li>
<li class="md-nav__item">
<a href="../user-guide.html#sandbox" class="md-nav__link">Sandbox</a>
</li></ul>
</li>
<li class="md-nav__item">
<a href="../examples/index.html" class="md-nav__link">Examples</a>
</li>
<li class="md-nav__item">
<a href="../api.html" class="md-nav__link">API Reference</a>
</li>
<li class="md-nav__item">
<a href="../about.html" class="md-nav__link">About statsmodels</a>
</li>
<li class="md-nav__item">
<a href="../dev/index.html" class="md-nav__link">Developer Page</a>
</li>
<li class="md-nav__item">
<a href="../release/index.html" class="md-nav__link">Release Notes</a>
</li>
</ul>
</nav>
</div>
</div>
</div>
<div class="md-sidebar md-sidebar--secondary" data-md-component="toc">
<div class="md-sidebar__scrollwrap">
<div class="md-sidebar__inner">
<nav class="md-nav md-nav--secondary">
<ul class="md-nav__list" data-md-scrollfix="">
<li class="md-nav__item"><a class="md-nav__extra_link" href="../_sources/generated/statsmodels.tsa.vector_ar.var_model.VARResults.cov_params.rst.txt">Show Source</a> </li>
<li id="searchbox" class="md-nav__item"></li>
</ul>
</nav>
</div>
</div>
</div>
<div class="md-content">
<article class="md-content__inner md-typeset" role="main">
<h1 id="generated-statsmodels-tsa-vector-ar-var-model-varresults-cov-params--page-root">statsmodels.tsa.vector_ar.var_model.VARResults.cov_params<a class="headerlink" href="#generated-statsmodels-tsa-vector-ar-var-model-varresults-cov-params--page-root" title="Permalink to this headline">¶</a></h1>
<dl class="py method">
<dt id="statsmodels.tsa.vector_ar.var_model.VARResults.cov_params">
<code class="sig-prename descclassname">VARResults.</code><code class="sig-name descname">cov_params</code><span class="sig-paren">(</span><span class="sig-paren">)</span><a class="reference internal" href="../_modules/statsmodels/tsa/vector_ar/var_model.html#VARResults.cov_params"><span class="viewcode-link">[source]</span></a><a class="headerlink" href="#statsmodels.tsa.vector_ar.var_model.VARResults.cov_params" title="Permalink to this definition">¶</a></dt>
<dd><p>Estimated variance-covariance of model coefficients</p>
<p class="rubric">Notes</p>
<p>Covariance of vec(B), where B is the matrix
[params_for_deterministic_terms, A_1, …, A_p] with the shape
(K x (Kp + number_of_deterministic_terms))
Adjusted to be an unbiased estimator
Ref: Lütkepohl p.74-75</p>
</dd></dl>
</article>
</div>
</div>
</main>
</div>
<footer class="md-footer">
<div class="md-footer-nav">
<nav class="md-footer-nav__inner md-grid">
<a href="statsmodels.tsa.vector_ar.var_model.VARResults.acorr.html" title="statsmodels.tsa.vector_ar.var_model.VARResults.acorr"
class="md-flex md-footer-nav__link md-footer-nav__link--prev"
rel="prev">
<div class="md-flex__cell md-flex__cell--shrink">
<i class="md-icon md-icon--arrow-back md-footer-nav__button"></i>
</div>
<div class="md-flex__cell md-flex__cell--stretch md-footer-nav__title">
<span class="md-flex__ellipsis">
<span
class="md-footer-nav__direction"> Previous </span> statsmodels.tsa.vector_ar.var_model.VARResults.acorr </span>
</div>
</a>
<a href="statsmodels.tsa.vector_ar.var_model.VARResults.cov_ybar.html" title="statsmodels.tsa.vector_ar.var_model.VARResults.cov_ybar"
class="md-flex md-footer-nav__link md-footer-nav__link--next"
rel="next">
<div class="md-flex__cell md-flex__cell--stretch md-footer-nav__title"><span
class="md-flex__ellipsis"> <span
class="md-footer-nav__direction"> Next </span> statsmodels.tsa.vector_ar.var_model.VARResults.cov_ybar </span>
</div>
<div class="md-flex__cell md-flex__cell--shrink"><i
class="md-icon md-icon--arrow-forward md-footer-nav__button"></i>
</div>
</a>
</nav>
</div>
<div class="md-footer-meta md-typeset">
<div class="md-footer-meta__inner md-grid">
<div class="md-footer-copyright">
<div class="md-footer-copyright__highlight">
© Copyright 2009-2019, Josef Perktold, Skipper Seabold, Jonathan Taylor, statsmodels-developers.
</div>
Last updated on
Feb 02, 2021.
<br/>
Created using
<a href="http://www.sphinx-doc.org/">Sphinx</a> 3.4.3.
and
<a href="https://github.com/bashtage/sphinx-material/">Material for
Sphinx</a>
</div>
</div>
</div>
</footer>
<script src="../_static/javascripts/application.js"></script>
<script>app.initialize({version: "1.0.4", url: {base: ".."}})</script>
</body>
</html> | statsmodels/statsmodels.github.io | v0.12.2/generated/statsmodels.tsa.vector_ar.var_model.VARResults.cov_params.html | HTML | bsd-3-clause | 18,217 |
{% extends "tournamentcontrol/competition/season.html" %}
{% load i18n tz %}
{% block content %}
<h1>{% trans "Daily Run Sheets" %}</h1>
<ul>
{% for date in dates %}
<li><a href="{% url application.name|add:":runsheet" competition=competition.slug season=season.slug datestr=date|date:"Ymd" %}">{{ date }}</a></li>
{% endfor %}
</ul>
{% endblock %}
| goodtune/vitriolic | tournamentcontrol/competition/templates/tournamentcontrol/competition/runsheet_list.html | HTML | bsd-3-clause | 360 |
/*
* Copyright (C) 2017-present Frederic Meyer. All rights reserved.
*
* Use of this source code is governed by a BSD-style license that can be
* found in the LICENSE file.
*/
#include "vt100.h"
#include <stddef.h>
struct vt100_term* vt100_init(struct vt100_term* this, int buffer_width, int buffer_height) {
this->state = VT100_INITIAL;
this->color = 7;
this->cursor_x = 0;
this->cursor_y = 0;
this->buffer_width = buffer_width;
this->buffer_height = buffer_height;
this->set_char = NULL;
this->set_cursor = NULL;
this->clear_from_to = NULL;
return this;
}
#define UPDATE_CURSOR \
if (this->set_cursor != NULL) { \
this->set_cursor(this->cursor_x, this->cursor_y); \
}
void vt100_write(struct vt100_term* this, char c) {
switch (this->state) {
// Last character was 0x1B (aka \e or ESC).
// This indicates an escape sequence that allows more complex
// instructions, e.g. setting terminal foreground & background color.
case VT100_ESCAPE:
switch (c) {
// CSI - Control Sequence Introducer
case '[': {
// Clear any left over CSI data
this->csi.num = 0;
for (int i = 0; i < VT100_MAX_PARAMS; i++) {
this->csi.params[i] = 0;
}
this->state = VT100_CONTROL_SEQ;
break;
}
// RIS – Reset to Initial State
case 'c':
this->cursor_x = 0;
this->cursor_y = 0;
this->color = 0x07;
this->state = VT100_INITIAL;
if (this->set_cursor != NULL) {
this->set_cursor(0, 0);
}
if (this->clear_from_to != NULL) {
this->clear_from_to(0, 0, this->buffer_width - 1, this->buffer_height - 1, this->color);
}
break;
}
break;
// Inside of control sequence.
// Starts optionally with a sequence of arguments/parameters
// then ends with one character indicating the command.
// TODO: prevent buffer overlows (csi.params)
case VT100_CONTROL_SEQ:
switch (c) {
// Digit, "append" to current parameter.
case '0': case '1':
case '2': case '3':
case '4': case '5':
case '6': case '7':
case '8': case '9':
this->csi.params[this->csi.num] *= 10;
this->csi.params[this->csi.num] += c - '0';
break;
// Ṕarameter delimiter
case ';':
this->csi.num++;
break;
// Set Display Attributes
case 'm': {
for (int i = 0; i <= this->csi.num; i++) {
int attribute = this->csi.params[i];
switch (attribute) {
// Reset state
case 0:
// TODO: implement more
this->color = 7;
break;
// Foreground color
case 30: case 31:
case 32: case 33:
case 34: case 35:
case 36: case 37:
this->color = (this->color & 0xF0) | (attribute - 30);
break;
// Background color
case 40: case 41:
case 42: case 43:
case 44: case 45:
case 46: case 47:
this->color = (this->color & 0x0F) | ((attribute - 40) << 4);
break;
}
}
this->state = VT100_INITIAL;
break;
}
/*// Erase Line
case 'K':
if (this->clear_from_to == NULL) {
break;
}
if (this->csi.num == 0) {
// Cursor to End of line
this->clear_from_to(this->cursor_x, this->cursor_y, this->buffer_width - 1, this->cursor_y, this->color);
} else {
switch (this->csi.params[0]) {
// Start of line to cursor
case 0:
this->clear_from_to(0, this->cursor_y, this->cursor_x, this->cursor_y, this->color);
break;
// Erase entire line
case 1:
this->clear_from_to(0, this->cursor_y, this->buffer_width - 1, this->buffer_height - 1, this->color);
break;
}
}
break;
// Erase Block
case 'J':
break;
*/
default:
// Possibly unknown command, or bad sequence. Ignore.
this->state = VT100_INITIAL;
break;
}
break;
// Default state
case VT100_INITIAL:
switch (c) {
// Non-control character. Print it.
default:
// TODO: implement line wrap flag
if (this->cursor_x == this->buffer_width) {
this->cursor_x = 0;
this->cursor_y++;
}
if (this->set_char != NULL) {
this->set_char(this->cursor_x, this->cursor_y, c, this->color);
}
this->cursor_x++;
UPDATE_CURSOR;
break;
// Carriage Return
case VT100_CR:
this->cursor_x = 0;
UPDATE_CURSOR;
break;
// New Line
case VT100_LF:
this->cursor_x = 0;
this->cursor_y++;
UPDATE_CURSOR;
break;
// Back Space
case VT100_BS:
// TODO: verify this behaviour
if (this->cursor_x == 0) {
this->cursor_x = this->buffer_width;
this->cursor_y--;
} else {
this->cursor_x--;
}
//if (this->set_char != NULL) {
// this->set_char(this->cursor_x, this->cursor_y, ' ', this->color);
//}
UPDATE_CURSOR;
break;
// Horizontal Tab
// Converting your precious TAB to spaces. Resistance is furtile.
case VT100_HT: {
int spaces;
if (this->cursor_x != 0) {
spaces = ((this->cursor_x - 1) & 7) ^ 7;
} else {
// TODO: verify this on other VTs
spaces = 9;
}
while (spaces--) vt100_write(this, ' ');
break;
}
// Vertical Tab
case VT100_VT:
// TODO: implement
break;
// Form Feed
case VT100_FF:
// TODO: implement
break;
// Complex escape sequence!
case VT100_ESC:
this->state = VT100_ESCAPE;
break;
}
break;
}
} | flerovii/renaOS | kernel/klib/vt100.c | C | bsd-3-clause | 8,238 |
<?php
namespace Application\ViewModel;
use Application\Domain\Factory\Factory;
use Zend\View\Model\ViewModel;
class MemberDetailViewModel extends ViewModel
{
private $userId;
public function __construct($userId)
{
parent::__construct();
$this->userId = $userId;
$this->setViewData();
}
public function setViewData()
{
$userService = Factory::getInstance()->getUserService();
$issues = $userService->getMemberDetailData($this->userId);
$user = Factory::getInstance()->getUserRepository()->getUserByPk($this->userId);
$this->setVariables(
[
'issues' => $issues,
'userName' => $user['name']
]
, true);
}
} | SeiYukinariEc/ProcessManagement | module/Application/src/Application/ViewModel/MemberDetailViewModel.php | PHP | bsd-3-clause | 765 |
/*
* Copyright (C) 2006 Samuel Weinig ([email protected])
* Copyright (C) 2004, 2005, 2006 Apple Computer, Inc. All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions
* are met:
* 1. Redistributions of source code must retain the above copyright
* notice, this list of conditions and the following disclaimer.
* 2. 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.
*
* THIS SOFTWARE IS PROVIDED BY APPLE COMPUTER, INC. ``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 APPLE COMPUTER, INC. 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.
*/
#include "third_party/blink/renderer/platform/graphics/image.h"
#include <math.h>
#include <tuple>
#include "base/numerics/checked_math.h"
#include "build/build_config.h"
#include "cc/tiles/software_image_decode_cache.h"
#include "third_party/blink/public/mojom/webpreferences/web_preferences.mojom-blink.h"
#include "third_party/blink/public/platform/platform.h"
#include "third_party/blink/public/platform/web_data.h"
#include "third_party/blink/renderer/platform/geometry/float_rect.h"
#include "third_party/blink/renderer/platform/geometry/float_size.h"
#include "third_party/blink/renderer/platform/geometry/length.h"
#include "third_party/blink/renderer/platform/graphics/bitmap_image.h"
#include "third_party/blink/renderer/platform/graphics/dark_mode_filter_helper.h"
#include "third_party/blink/renderer/platform/graphics/dark_mode_image_cache.h"
#include "third_party/blink/renderer/platform/graphics/dark_mode_image_classifier.h"
#include "third_party/blink/renderer/platform/graphics/deferred_image_decoder.h"
#include "third_party/blink/renderer/platform/graphics/graphics_context.h"
#include "third_party/blink/renderer/platform/graphics/paint/paint_image.h"
#include "third_party/blink/renderer/platform/graphics/paint/paint_recorder.h"
#include "third_party/blink/renderer/platform/graphics/paint/paint_shader.h"
#include "third_party/blink/renderer/platform/graphics/scoped_interpolation_quality.h"
#include "third_party/blink/renderer/platform/instrumentation/histogram.h"
#include "third_party/blink/renderer/platform/instrumentation/tracing/trace_event.h"
#include "third_party/blink/renderer/platform/wtf/allocator/allocator.h"
#include "third_party/blink/renderer/platform/wtf/shared_buffer.h"
#include "third_party/blink/renderer/platform/wtf/std_lib_extras.h"
#include "third_party/blink/renderer/platform/wtf/text/wtf_string.h"
#include "third_party/skia/include/core/SkCanvas.h"
#include "third_party/skia/include/core/SkImage.h"
#include "third_party/skia/include/core/SkSurface.h"
#include "ui/gfx/geometry/point_f.h"
#include "ui/gfx/geometry/skia_conversions.h"
namespace blink {
Image::Image(ImageObserver* observer, bool is_multipart)
: image_observer_disabled_(false),
image_observer_(observer),
stable_image_id_(PaintImage::GetNextId()),
is_multipart_(is_multipart) {}
Image::~Image() = default;
Image* Image::NullImage() {
DCHECK(IsMainThread());
DEFINE_STATIC_REF(Image, null_image, (BitmapImage::Create()));
return null_image;
}
// static
cc::ImageDecodeCache& Image::SharedCCDecodeCache(SkColorType color_type) {
// This denotes the allocated locked memory budget for the cache used for
// book-keeping. The cache indicates when the total memory locked exceeds this
// budget in cc::DecodedDrawImage.
DCHECK(color_type == kN32_SkColorType || color_type == kRGBA_F16_SkColorType);
static const size_t kLockedMemoryLimitBytes = 64 * 1024 * 1024;
if (color_type == kRGBA_F16_SkColorType) {
DEFINE_THREAD_SAFE_STATIC_LOCAL(
cc::SoftwareImageDecodeCache, image_decode_cache,
(kRGBA_F16_SkColorType, kLockedMemoryLimitBytes,
PaintImage::kDefaultGeneratorClientId));
return image_decode_cache;
}
DEFINE_THREAD_SAFE_STATIC_LOCAL(cc::SoftwareImageDecodeCache,
image_decode_cache,
(kN32_SkColorType, kLockedMemoryLimitBytes,
PaintImage::kDefaultGeneratorClientId));
return image_decode_cache;
}
scoped_refptr<Image> Image::LoadPlatformResource(
int resource_id,
ui::ResourceScaleFactor scale_factor) {
const WebData& resource =
Platform::Current()->GetDataResource(resource_id, scale_factor);
if (resource.IsEmpty())
return Image::NullImage();
scoped_refptr<Image> image = BitmapImage::Create();
image->SetData(resource, true);
return image;
}
// static
PaintImage Image::ResizeAndOrientImage(
const PaintImage& image,
ImageOrientation orientation,
gfx::Vector2dF image_scale,
float opacity,
InterpolationQuality interpolation_quality) {
gfx::Size size(image.width(), image.height());
size = gfx::ScaleToFlooredSize(size, image_scale.x(), image_scale.y());
AffineTransform transform;
if (orientation != ImageOrientationEnum::kDefault) {
if (orientation.UsesWidthAsHeight())
size.Transpose();
transform *= orientation.TransformFromDefault(gfx::SizeF(size));
}
transform.ScaleNonUniform(image_scale.x(), image_scale.y());
if (size.IsEmpty())
return PaintImage();
if (transform.IsIdentity() && opacity == 1) {
// Nothing to adjust, just use the original.
DCHECK_EQ(image.width(), size.width());
DCHECK_EQ(image.height(), size.height());
return image;
}
const SkImageInfo info =
SkImageInfo::MakeN32(size.width(), size.height(), kPremul_SkAlphaType,
SkColorSpace::MakeSRGB());
sk_sp<SkSurface> surface = SkSurface::MakeRaster(info);
if (!surface)
return PaintImage();
SkPaint paint;
DCHECK_GE(opacity, 0);
DCHECK_LE(opacity, 1);
paint.setAlpha(opacity * 255);
SkSamplingOptions sampling;
if (interpolation_quality != kInterpolationNone)
sampling = SkSamplingOptions(SkCubicResampler::CatmullRom());
SkCanvas* canvas = surface->getCanvas();
canvas->concat(AffineTransformToSkMatrix(transform));
canvas->drawImage(image.GetSwSkImage(), 0, 0, sampling, &paint);
return PaintImageBuilder::WithProperties(std::move(image))
.set_image(surface->makeImageSnapshot(), PaintImage::GetNextContentId())
.TakePaintImage();
}
Image::SizeAvailability Image::SetData(scoped_refptr<SharedBuffer> data,
bool all_data_received) {
encoded_image_data_ = std::move(data);
if (!encoded_image_data_.get())
return kSizeAvailable;
size_t length = encoded_image_data_->size();
if (!length)
return kSizeAvailable;
return DataChanged(all_data_received);
}
String Image::FilenameExtension() const {
return String();
}
namespace {
sk_sp<PaintShader> CreatePatternShader(const PaintImage& image,
const SkMatrix& shader_matrix,
const SkSamplingOptions& sampling,
bool should_antialias,
const gfx::SizeF& spacing,
SkTileMode tmx,
SkTileMode tmy,
const gfx::Rect& subset_rect) {
if (spacing.IsZero() &&
subset_rect == gfx::Rect(image.width(), image.height())) {
return PaintShader::MakeImage(image, tmx, tmy, &shader_matrix);
}
// Arbitrary tiling is currently only supported for SkPictureShader, so we use
// that instead of a plain bitmap shader to implement spacing.
const SkRect tile_rect =
SkRect::MakeWH(subset_rect.width() + spacing.width(),
subset_rect.height() + spacing.height());
PaintRecorder recorder;
cc::PaintCanvas* canvas = recorder.beginRecording(tile_rect);
PaintFlags flags;
flags.setAntiAlias(should_antialias);
canvas->drawImageRect(
image, gfx::RectToSkRect(subset_rect),
SkRect::MakeWH(subset_rect.width(), subset_rect.height()), sampling,
&flags, SkCanvas::kStrict_SrcRectConstraint);
return PaintShader::MakePaintRecord(recorder.finishRecordingAsPicture(),
tile_rect, tmx, tmy, &shader_matrix);
}
SkTileMode ComputeTileMode(float left, float right, float min, float max) {
DCHECK(left < right);
return left >= min && right <= max ? SkTileMode::kClamp : SkTileMode::kRepeat;
}
} // anonymous namespace
void Image::DrawPattern(GraphicsContext& context,
const cc::PaintFlags& base_flags,
const gfx::RectF& dest_rect,
const ImageTilingInfo& tiling_info,
const ImageDrawOptions& draw_options) {
TRACE_EVENT0("skia", "Image::drawPattern");
if (dest_rect.IsEmpty())
return; // nothing to draw
PaintImage image = PaintImageForCurrentFrame();
if (!image)
return; // nothing to draw
// Fetch orientation data if needed.
ImageOrientation orientation = ImageOrientationEnum::kDefault;
if (draw_options.respect_orientation)
orientation = CurrentFrameOrientation();
// |tiling_info.image_rect| is in source image space, unscaled but oriented.
// image-resolution information is baked into |tiling_info.scale|,
// so we do not want to use it in computing the subset. That requires
// explicitly applying orientation here.
gfx::Rect subset_rect = gfx::ToEnclosingRect(tiling_info.image_rect);
gfx::Size oriented_image_size(image.width(), image.height());
if (orientation.UsesWidthAsHeight())
oriented_image_size.Transpose();
subset_rect.Intersect(gfx::Rect(oriented_image_size));
if (subset_rect.IsEmpty())
return; // nothing to draw
// Apply image orientation, if necessary
if (orientation != ImageOrientationEnum::kDefault)
image = ResizeAndOrientImage(image, orientation);
// We also need to translate it such that the origin of the pattern is the
// origin of the destination rect, which is what Blink expects. Skia uses
// the coordinate system origin as the base for the pattern. If Blink wants
// a shifted image, it will shift it from there using the localMatrix.
gfx::RectF tile_rect(subset_rect);
tile_rect.Scale(tiling_info.scale.x(), tiling_info.scale.y());
tile_rect.Offset(tiling_info.phase.OffsetFromOrigin());
tile_rect.Outset(0, 0, tiling_info.spacing.width(),
tiling_info.spacing.height());
SkMatrix local_matrix;
local_matrix.setTranslate(tile_rect.x(), tile_rect.y());
// Apply the scale to have the subset correctly fill the destination.
local_matrix.preScale(tiling_info.scale.x(), tiling_info.scale.y());
const auto tmx = ComputeTileMode(dest_rect.x(), dest_rect.right(),
tile_rect.x(), tile_rect.right());
const auto tmy = ComputeTileMode(dest_rect.y(), dest_rect.bottom(),
tile_rect.y(), tile_rect.bottom());
// Fetch this now as subsetting may swap the image.
auto image_id = image.stable_id();
SkSamplingOptions sampling_to_use =
context.ComputeSamplingOptions(this, dest_rect, gfx::RectF(subset_rect));
sk_sp<PaintShader> tile_shader = CreatePatternShader(
image, local_matrix, sampling_to_use, context.ShouldAntialias(),
gfx::SizeF(tiling_info.spacing.width() / tiling_info.scale.x(),
tiling_info.spacing.height() / tiling_info.scale.y()),
tmx, tmy, subset_rect);
// If the shader could not be instantiated (e.g. non-invertible matrix),
// draw transparent.
// Note: we can't simply bail, because of arbitrary blend mode.
PaintFlags flags(base_flags);
flags.setColor(tile_shader ? SK_ColorBLACK : SK_ColorTRANSPARENT);
flags.setShader(std::move(tile_shader));
if (draw_options.apply_dark_mode) {
DarkModeFilter* dark_mode_filter = draw_options.dark_mode_filter;
DarkModeFilterHelper::ApplyToImageIfNeeded(*dark_mode_filter, this, &flags,
gfx::RectToSkRect(subset_rect),
gfx::RectFToSkRect(dest_rect));
}
context.DrawRect(gfx::RectFToSkRect(dest_rect), flags,
AutoDarkMode::Disabled());
StartAnimation();
if (CurrentFrameIsLazyDecoded()) {
TRACE_EVENT_INSTANT1(TRACE_DISABLED_BY_DEFAULT("devtools.timeline"),
"Draw LazyPixelRef", TRACE_EVENT_SCOPE_THREAD,
"LazyPixelRef", image_id);
}
}
mojom::blink::ImageAnimationPolicy Image::AnimationPolicy() {
return mojom::blink::ImageAnimationPolicy::kImageAnimationPolicyAllowed;
}
scoped_refptr<Image> Image::ImageForDefaultFrame() {
scoped_refptr<Image> image(this);
return image;
}
PaintImageBuilder Image::CreatePaintImageBuilder() {
auto animation_type = MaybeAnimated() ? PaintImage::AnimationType::ANIMATED
: PaintImage::AnimationType::STATIC;
return PaintImageBuilder::WithDefault()
.set_id(stable_image_id_)
.set_animation_type(animation_type)
.set_is_multipart(is_multipart_);
}
bool Image::ApplyShader(PaintFlags& flags,
const SkMatrix& local_matrix,
const gfx::RectF& dst_rect,
const gfx::RectF& src_rect,
const ImageDrawOptions& draw_options) {
// Default shader impl: attempt to build a shader based on the current frame
// SkImage.
PaintImage image = PaintImageForCurrentFrame();
if (!image)
return false;
if (draw_options.apply_dark_mode) {
DarkModeFilter* dark_mode_filter = draw_options.dark_mode_filter;
DarkModeFilterHelper::ApplyToImageIfNeeded(*dark_mode_filter, this, &flags,
gfx::RectFToSkRect(src_rect),
gfx::RectFToSkRect(dst_rect));
}
flags.setShader(PaintShader::MakeImage(image, SkTileMode::kClamp,
SkTileMode::kClamp, &local_matrix));
if (!flags.HasShader())
return false;
// Animation is normally refreshed in draw() impls, which we don't call when
// painting via shaders.
StartAnimation();
return true;
}
SkBitmap Image::AsSkBitmapForCurrentFrame(
RespectImageOrientationEnum respect_image_orientation) {
PaintImage paint_image = PaintImageForCurrentFrame();
if (!paint_image)
return {};
if (auto* bitmap_image = DynamicTo<BitmapImage>(this)) {
const gfx::Size paint_image_size(paint_image.width(), paint_image.height());
const gfx::Size density_corrected_size =
bitmap_image->DensityCorrectedSize();
ImageOrientation orientation = ImageOrientationEnum::kDefault;
if (respect_image_orientation == kRespectImageOrientation)
orientation = bitmap_image->CurrentFrameOrientation();
gfx::Vector2dF image_scale(1, 1);
if (density_corrected_size != paint_image_size) {
image_scale = gfx::Vector2dF(
density_corrected_size.width() / paint_image_size.width(),
density_corrected_size.height() / paint_image_size.height());
}
paint_image = ResizeAndOrientImage(paint_image, orientation, image_scale);
if (!paint_image)
return {};
}
sk_sp<SkImage> sk_image = paint_image.GetSwSkImage();
if (!sk_image)
return {};
SkBitmap bitmap;
sk_image->asLegacyBitmap(&bitmap);
return bitmap;
}
DarkModeImageCache* Image::GetDarkModeImageCache() {
if (!dark_mode_image_cache_)
dark_mode_image_cache_ = std::make_unique<DarkModeImageCache>();
return dark_mode_image_cache_.get();
}
gfx::RectF Image::CorrectSrcRectForImageOrientation(gfx::SizeF image_size,
gfx::RectF src_rect) const {
ImageOrientation orientation = CurrentFrameOrientation();
DCHECK(orientation != ImageOrientationEnum::kDefault);
AffineTransform forward_map = orientation.TransformFromDefault(image_size);
AffineTransform inverse_map = forward_map.Inverse();
return inverse_map.MapRect(src_rect);
}
} // namespace blink
| ric2b/Vivaldi-browser | chromium/third_party/blink/renderer/platform/graphics/image.cc | C++ | bsd-3-clause | 16,820 |
<?php
/**
* CoolMS2 Twitter Bootstrap Module (http://www.coolms.com/)
*
* @link http://github.com/coolms/twbs for the canonical source repository
* @copyright Copyright (c) 2006-2015 Altgraphic, ALC (http://www.altgraphic.com)
* @license http://www.coolms.com/license/new-bsd New BSD License
* @author Dmitry Popov <[email protected]>
*/
namespace CmsTwbs\Form\View\Helper;
use Zend\Form\View\Helper\FormText as FormTextHelper,
CmsCommon\View\Helper\Decorator\DecoratorProviderInterface;
class FormText extends FormTextHelper implements DecoratorProviderInterface
{
/**
* @var array
*/
protected $decoratorSpecification = [
'element' => ['type' => 'formControl'],
'icon' => [
'placement' => false,
'decorators' => [
'inputGroupAddon',
],
],
'group' => ['type' => 'inputGroup'],
'label' => ['type' => 'controlLabel'],
'feedback' => ['type' => 'formControlFeedback'],
'help' => ['type' => 'helpBlock'],
'col' => ['type' => 'formGroupCol'],
'row' => ['type' => 'formGroup'],
];
/**
* {@inheritDoc}
*/
public function getDecoratorSpecification()
{
return $this->decoratorSpecification;
}
/**
* @param array $spec
* @return self
*/
public function setDecoratorSpecification(array $spec)
{
$this->decoratorSpecification = $spec;
return $this;
}
}
| coolms/twbs | src/Form/View/Helper/FormText.php | PHP | bsd-3-clause | 1,532 |
//======================================================================================
// Copyright 5AM Solutions Inc, Yale University
//
// Distributed under the OSI-approved BSD 3-Clause License.
// See http://ncip.github.com/caarray/LICENSE.txt for details.
//======================================================================================
package gov.nih.nci.caarray.magetab;
import org.apache.commons.lang.StringUtils;
import org.apache.commons.lang.builder.EqualsBuilder;
import org.apache.commons.lang.builder.HashCodeBuilder;
/**
* A repository of controlled vocabulary terms. Must have a non-null, non-empty name
*/
public final class TermSource {
private String name;
private String file;
private String version;
/**
* Create new TermSource with given name.
* @param name the repository name; must not be blank or null
*/
public TermSource(String name) {
if (StringUtils.isBlank(name)) {
throw new IllegalArgumentException("Term source name must not be blank");
}
this.name = name;
}
/**
* Create new TermSource with given name, url and version.
* @param name the repository name
* @param file the url (called file in MAGE TAB terminology)
* @param version the version;
*/
public TermSource(String name, String file, String version) {
this(name);
this.file = file;
this.version = version;
}
/**
* @return the file
*/
public String getFile() {
return this.file;
}
/**
* @param file the file to set
*/
public void setFile(String file) {
this.file = file;
}
/**
* @return the name
*/
public String getName() {
return this.name;
}
/**
* @param name the name to set
*/
public void setName(String name) {
if (StringUtils.isBlank(name)) {
throw new IllegalArgumentException("Term source name must not be blank");
}
this.name = name;
}
/**
* @return the version
*/
public String getVersion() {
return this.version;
}
/**
* @param version the version to set
*/
public void setVersion(String version) {
this.version = version;
}
/**
* {@inheritDoc}
*/
@Override
public boolean equals(Object obj) {
if (!(obj instanceof TermSource)) {
return false;
}
if (obj == this) {
return true;
}
TermSource ts = (TermSource) obj;
return new EqualsBuilder().append(this.getName(), ts.getName()).append(this.getFile(), ts.getFile()).append(
this.getVersion(), ts.getVersion()).isEquals();
}
/**
* {@inheritDoc}
*/
@Override
public int hashCode() {
return new HashCodeBuilder().append(this.getName()).append(this.getFile()).append(this.getVersion())
.toHashCode();
}
}
| NCIP/caarray | software/caarray-common.jar/src/main/java/gov/nih/nci/caarray/magetab/TermSource.java | Java | bsd-3-clause | 3,123 |
// Copyright 2015 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "sky/engine/tonic/dart_dependency_catcher.h"
#include "sky/engine/tonic/dart_library_loader.h"
namespace blink {
DartDependencyCatcher::DartDependencyCatcher(DartLibraryLoader& loader)
: loader_(loader) {
loader_.set_dependency_catcher(this);
}
DartDependencyCatcher::~DartDependencyCatcher() {
loader_.set_dependency_catcher(nullptr);
}
void DartDependencyCatcher::AddDependency(DartDependency* dependency) {
dependencies_.add(dependency);
}
} // namespace blink
| chinmaygarde/mojo | sky/engine/tonic/dart_dependency_catcher.cc | C++ | bsd-3-clause | 656 |
/*============================================================================
WCSLIB 7.6 - an implementation of the FITS WCS standard.
Copyright (C) 1995-2021, Mark Calabretta
This file is part of WCSLIB.
WCSLIB is free software: you can redistribute it and/or modify it under the
terms of the GNU Lesser General Public License as published by the Free
Software Foundation, either version 3 of the License, or (at your option)
any later version.
WCSLIB 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 Lesser General Public License for
more details.
You should have received a copy of the GNU Lesser General Public License
along with WCSLIB. If not, see http://www.gnu.org/licenses.
Author: Mark Calabretta, Australia Telescope National Facility, CSIRO.
http://www.atnf.csiro.au/people/Mark.Calabretta
$Id: log.h,v 7.6 2021/04/13 12:57:01 mcalabre Exp $
*=============================================================================
*
* WCSLIB 7.6 - C routines that implement the FITS World Coordinate System
* (WCS) standard. Refer to the README file provided with WCSLIB for an
* overview of the library.
*
*
* Summary of the log routines
* ---------------------------
* Routines in this suite implement the part of the FITS World Coordinate
* System (WCS) standard that deals with logarithmic coordinates, as described
* in
*
* "Representations of world coordinates in FITS",
* Greisen, E.W., & Calabretta, M.R. 2002, A&A, 395, 1061 (WCS Paper I)
*
* "Representations of spectral coordinates in FITS",
* Greisen, E.W., Calabretta, M.R., Valdes, F.G., & Allen, S.L.
* 2006, A&A, 446, 747 (WCS Paper III)
*
* These routines define methods to be used for computing logarithmic world
* coordinates from intermediate world coordinates (a linear transformation of
* image pixel coordinates), and vice versa.
*
* logx2s() and logs2x() implement the WCS logarithmic coordinate
* transformations.
*
* Argument checking:
* ------------------
* The input log-coordinate values are only checked for values that would
* result in floating point exceptions and the same is true for the
* log-coordinate reference value.
*
* Accuracy:
* ---------
* No warranty is given for the accuracy of these routines (refer to the
* copyright notice); intending users must satisfy for themselves their
* adequacy for the intended purpose. However, closure effectively to within
* double precision rounding error was demonstrated by test routine tlog.c
* which accompanies this software.
*
*
* logx2s() - Transform to logarithmic coordinates
* -----------------------------------------------
* logx2s() transforms intermediate world coordinates to logarithmic
* coordinates.
*
* Given and returned:
* crval double Log-coordinate reference value (CRVALia).
*
* Given:
* nx int Vector length.
*
* sx int Vector stride.
*
* slogc int Vector stride.
*
* x const double[]
* Intermediate world coordinates, in SI units.
*
* Returned:
* logc double[] Logarithmic coordinates, in SI units.
*
* stat int[] Status return value status for each vector element:
* 0: Success.
*
* Function return value:
* int Status return value:
* 0: Success.
* 2: Invalid log-coordinate reference value.
*
*
* logs2x() - Transform logarithmic coordinates
* --------------------------------------------
* logs2x() transforms logarithmic world coordinates to intermediate world
* coordinates.
*
* Given and returned:
* crval double Log-coordinate reference value (CRVALia).
*
* Given:
* nlogc int Vector length.
*
* slogc int Vector stride.
*
* sx int Vector stride.
*
* logc const double[]
* Logarithmic coordinates, in SI units.
*
* Returned:
* x double[] Intermediate world coordinates, in SI units.
*
* stat int[] Status return value status for each vector element:
* 0: Success.
* 1: Invalid value of logc.
*
* Function return value:
* int Status return value:
* 0: Success.
* 2: Invalid log-coordinate reference value.
* 4: One or more of the world-coordinate values
* are incorrect, as indicated by the stat vector.
*
*
* Global variable: const char *log_errmsg[] - Status return messages
* ------------------------------------------------------------------
* Error messages to match the status value returned from each function.
*
*===========================================================================*/
#ifndef WCSLIB_LOG
#define WCSLIB_LOG
#ifdef __cplusplus
extern "C" {
#endif
extern const char *log_errmsg[];
enum log_errmsg_enum {
LOGERR_SUCCESS = 0, // Success.
LOGERR_NULL_POINTER = 1, // Null pointer passed.
LOGERR_BAD_LOG_REF_VAL = 2, // Invalid log-coordinate reference value.
LOGERR_BAD_X = 3, // One or more of the x coordinates were
// invalid.
LOGERR_BAD_WORLD = 4 // One or more of the world coordinates were
// invalid.
};
int logx2s(double crval, int nx, int sx, int slogc, const double x[],
double logc[], int stat[]);
int logs2x(double crval, int nlogc, int slogc, int sx, const double logc[],
double x[], int stat[]);
#ifdef __cplusplus
}
#endif
#endif // WCSLIB_LOG
| aleksandr-bakanov/astropy | cextern/wcslib/C/log.h | C | bsd-3-clause | 5,663 |
// Copyright 2015 The Vanadium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style
// license that can be found in the LICENSE file.
package profiles
import (
"fmt"
"os"
"runtime"
"sort"
"strconv"
"strings"
"time"
"v.io/x/lib/envvar"
)
// Target represents specification for the environment that the profile is
// to be built for. Targets include a version string to allow for upgrades and
// for the simultaneous existence of incompatible versions.
//
// Target and Environment implement flag.Getter so that they may be used
// with the flag package. Two flags are required, one to specify the target
// in <arch>-<os>@<version> format and a second to specify environment
// variables either as comma separated values or as repeated arguments.
type Target struct {
arch, opsys, version string
// The environment as specified on the command line
commandLineEnv Environment
// The environment as modified by a profile implementation
Env Environment
InstallationDir string // where this target is installed.
UpdateTime time.Time
isSet bool
}
// Arch returns the archiecture of this target.
func (pt *Target) Arch() string {
return pt.arch
}
// OS returns the operating system of this target.
func (pt *Target) OS() string {
return pt.opsys
}
// Version returns the version of this target.
func (pt *Target) Version() string {
return pt.version
}
// SetVersion sets the version for the target.
func (pt *Target) SetVersion(v string) {
pt.version = v
}
// CommandLineEnv returns the environment variables set on the
// command line for this target.
func (pt Target) CommandLineEnv() Environment {
r := Environment{Vars: make([]string, len(pt.commandLineEnv.Vars))}
copy(r.Vars, pt.commandLineEnv.Vars)
return r
}
// UseCommandLineEnv copies the command line supplied environment variables
// into the mutable environment of the Target. It should be called as soon
// as all command line parsing has been completed and before the target is
// otherwise used.
func (pt *Target) UseCommandLineEnv() {
pt.Env = pt.CommandLineEnv()
}
// TargetSpecificDirname returns a directory name that is specific
// to that target taking account the architecture, operating system and
// command line environment variables, if relevant, into account (e.g
// GOARM={5,6,7}).
func (pt *Target) TargetSpecificDirname() string {
env := envvar.SliceToMap(pt.commandLineEnv.Vars)
dir := pt.arch + "_" + pt.opsys
if pt.arch == "arm" {
if armv, present := env["GOARM"]; present {
dir += "_armv" + armv
}
}
return dir
}
type Environment struct {
Vars []string `xml:"var"`
}
// NewTarget creates a new target using the supplied target and environment
// parameters specified in command line format.
func NewTarget(target string, env ...string) (Target, error) {
t := &Target{}
err := t.Set(target)
for _, e := range env {
t.commandLineEnv.Set(e)
}
return *t, err
}
// Match returns true if pt and pt2 meet the following criteria in the
// order they are listed:
// - if the Arch and OS fields are exactly the same
// - if pt has a non-zero length Version field, then it must be
// the same as that in pt2
// Match is used by the various methods and functions in this package
// when looking up Targets unless otherwise specified.
func (pt Target) Match(pt2 *Target) bool {
if pt.arch != pt2.arch || pt.opsys != pt2.opsys {
return false
}
if (len(pt.version) > 0) && (pt.version != pt2.version) {
return false
}
return true
}
// Less returns true if pt2 is considered less than pt. The ordering
// takes into account only the architecture, operating system and version of
// the target. The architecture and operating system are ordered
// lexicographically in ascending order, then the version is ordered but in
// descending lexicographic order except that the empty string is considered
// the 'highest' value.
// Thus, (targets in <arch>-<os>[@<version>] format), are all true:
// b-c < c-c
// b-c@3 < b-c@2
func (pt *Target) Less(pt2 *Target) bool {
switch {
case pt.arch != pt2.arch:
return pt.arch < pt2.arch
case pt.opsys != pt2.opsys:
return pt.opsys < pt2.opsys
case len(pt.version) == 0 && len(pt2.version) > 0:
return true
case len(pt.version) > 0 && len(pt2.version) == 0:
return false
case pt.version != pt2.version:
return compareVersions(pt.version, pt2.version) > 0
default:
return false
}
}
// CrossCompiling returns true if the target differs from that of the runtime.
func (pt Target) CrossCompiling() bool {
arch, _ := goarch()
return (pt.arch != arch) || (pt.opsys != runtime.GOOS)
}
// Usage returns the usage string for Target.
func (pt *Target) Usage() string {
return "specifies a profile target in the following form: <arch>-<os>[@<version>]"
}
// Set implements flag.Value.
func (t *Target) Set(val string) error {
index := strings.IndexByte(val, '@')
if index > -1 {
t.version = val[index+1:]
val = val[:index]
}
parts := strings.Split(val, "-")
if len(parts) != 2 || (len(parts[0]) == 0 || len(parts[1]) == 0) {
return fmt.Errorf("%q doesn't look like <arch>-<os>[@<version>]", val)
}
t.arch = parts[0]
t.opsys = parts[1]
t.isSet = true
return nil
}
// Get implements flag.Getter.
func (t Target) Get() interface{} {
if !t.isSet {
// Default value.
arch, isSet := goarch()
return Target{
isSet: isSet,
arch: arch,
opsys: runtime.GOOS,
version: t.version,
Env: t.Env,
}
}
return t
}
func goarch() (string, bool) {
// GOARCH may be set to 386 for binaries compiled for amd64 - i.e.
// the same binary can be run in these two modes, but the compiled
// in value of runtime.GOARCH will only ever be the value that it
// was compiled with.
if a := os.Getenv("GOARCH"); len(a) > 0 {
return a, true
}
return runtime.GOARCH, false
}
// DefaultTarget returns a default value for a Target. Use this function to
// initialize Targets that are expected to set from the command line via
// the flags package.
func DefaultTarget() Target {
arch, isSet := goarch()
return Target{
isSet: isSet,
arch: arch,
opsys: runtime.GOOS,
}
}
// NativeTarget returns a value for Target for the host on which it is running.
// Use this function for Target values that are passed into other functions
// and libraries where a native target is specifically required.
func NativeTarget() Target {
arch, _ := goarch()
return Target{
isSet: true,
arch: arch,
opsys: runtime.GOOS,
}
}
// IsSet returns true if this target has had its value set.
func (pt Target) IsSet() bool {
return pt.isSet
}
// String implements flag.Getter.
func (pt Target) String() string {
v := pt.Get().(Target)
return fmt.Sprintf("%v-%v@%s", v.arch, v.opsys, v.version)
}
// Targets is a list of *Target's ordered by architecture,
// operating system and descending versions.
type Targets []*Target
// Implements sort.Len
func (tl Targets) Len() int {
return len(tl)
}
// Implements sort.Less
func (tl Targets) Less(i, j int) bool {
return tl[i].Less(tl[j])
}
// Implements sort.Swap
func (tl Targets) Swap(i, j int) {
tl[i], tl[j] = tl[i], tl[j]
}
func (tl Targets) Sort() {
sort.Sort(tl)
}
// DebugString returns a pretty-printed representation of pt.
func (pt Target) DebugString() string {
v := pt.Get().(Target)
return fmt.Sprintf("%v-%v@%s dir:%s --env=%s envvars:%v", v.arch, v.opsys, v.version, pt.InstallationDir, strings.Join(pt.commandLineEnv.Vars, ","), pt.Env.Vars)
}
// Set implements flag.Getter.
func (e *Environment) Get() interface{} {
return *e
}
// Set implements flag.Value.
func (e *Environment) Set(val string) error {
for _, v := range strings.Split(val, ",") {
parts := strings.SplitN(v, "=", 2)
if len(parts) != 2 || (len(parts[0]) == 0) {
return fmt.Errorf("%q doesn't look like var=[val]", v)
}
e.Vars = append(e.Vars, v)
}
return nil
}
// String implements flag.Getter.
func (e Environment) String() string {
return strings.Join(e.Vars, ",")
}
// Usage returns the usage string for Environment.
func (e Environment) Usage() string {
return "specify an environment variable in the form: <var>=[<val>],..."
}
// InsertTarget inserts the given target into Targets if it's not
// already there and returns a new slice.
func InsertTarget(targets Targets, target *Target) Targets {
for i, t := range targets {
if !t.Less(target) {
targets = append(targets, nil)
copy(targets[i+1:], targets[i:])
targets[i] = target
return targets
}
}
return append(targets, target)
}
// RemoveTarget removes the given target from a slice of Target and returns
// a slice.
func RemoveTarget(targets Targets, target *Target) Targets {
for i, t := range targets {
if target.Match(t) {
targets, targets[len(targets)-1] = append(targets[:i], targets[i+1:]...), nil
return targets
}
}
return targets
}
// FindTarget returns the first target that matches the requested target from
// the slice of Targets. If target has not been explicitly set and there is
// only a single target available in targets then that one target is considered
// as matching.
func FindTarget(targets Targets, target *Target) *Target {
for _, t := range targets {
if target.Match(t) {
tmp := *t
return &tmp
}
}
return nil
}
// FindTargetWithDefault is like FindTarget except that if there is only one
// target in the slice and the requested target has not been explicitly set
// (IsSet is false) then that one target is returned by default.
func FindTargetWithDefault(targets Targets, target *Target) *Target {
if len(targets) == 1 && !target.IsSet() {
tmp := *targets[0]
return &tmp
}
return FindTarget(targets, target)
}
// compareVersions compares version numbers. It handles cases like:
// compareVersions("2", "11") => 1
// compareVersions("1.1", "1.2") => 1
// compareVersions("1.2", "1.2.1") => 1
// compareVersions("1.2.1.b", "1.2.1.c") => 1
func compareVersions(v1, v2 string) int {
v1parts := strings.Split(v1, ".")
v2parts := strings.Split(v2, ".")
maxLen := len(v1parts)
if len(v2parts) > maxLen {
maxLen = len(v2parts)
}
for i := 0; i < maxLen; i++ {
if i == len(v1parts) {
// v2 has more parts than v1, so v2 > v1.
return -1
}
if i == len(v2parts) {
// v1 has more parts than v2, so v1 > v2.
return 1
}
mustCompareStrings := false
v1part, err := strconv.Atoi(v1parts[i])
if err != nil {
mustCompareStrings = true
}
v2part, err := strconv.Atoi(v2parts[i])
if err != nil {
mustCompareStrings = true
}
if mustCompareStrings {
return strings.Compare(v1parts[i], v2parts[i])
}
if v1part > v2part {
return 1
}
if v2part > v1part {
return -1
}
}
return 0
}
| vanadium/go.jiri | profiles/target.go | GO | bsd-3-clause | 10,692 |
<?php
namespace Avaliacao\Controller;
use Avaliacao\Entity\Debito;
use Avaliacao\Entity\Veiculo;
use Avaliacao\Service\VeiculoService;
use Zend\Hydrator\ClassMethods;
use Zend\Mvc\Controller\AbstractRestfulController;
use Zend\View\Model\JsonModel;
/**
* Class ApiVeiculoController
* @package Avaliacao\Controller
*/
class ApiVeiculoController extends AbstractRestfulController
{
/**
* @var VeiculoService
*/
private $veiculoService;
public function __construct(VeiculoService $veiculoService)
{
$this->veiculoService = $veiculoService;
}
public function update($id, $data)
{
$veiculo = $this->veiculoService->findOneBy(Veiculo::class, ['id' => $id]);
/** @var Veiculo $veiculo */
if (! $veiculo ) {
return new JsonModel(['status' => 'erro', 'menssage'=>'Veiculo não localizado']);
}
$veiculo->hydrate($data['data']);
$veiculo = $this->veiculoService->update($veiculo);
// \Zend\Debug\Debug::dump($veiculo->getIdBot());exit;
$hydrator = new ClassMethods();
$data = $hydrator->extract($veiculo);
return new JsonModel(['status' => 'ok', 'data' => $data]);
}
} | chacal88/zf3-intermediario | module/Avaliacao/src/Controller/ApiVeiculoController.php | PHP | bsd-3-clause | 1,217 |
{% extends "layout.html" %}
{% block main %}
<input type="hidden" id="surveyRedirectURL" value="{{redirect_url}}" />
<div class="modal fade" id="confirmIdentityModal" tabindex="-1" role="dialog">
<div class="modal-dialog" role="document">
<div class="modal-content">
<div class="modal-header">
<div class="modal-header-title">{{_("Identity verification")}}</div>
</div>
<div class="modal-body">
<div class="body-content">
<div>{{_("I confirm that I am a participant in the IRONMAN Registry Study and am completing this questionnaire myself.")}}</div>
</div>
<div id="confirmationErrorMessage" class="error-message"></div>
</div>
<div class="modal-footer">
<button id="btnConfirmIdentity" class="btn btn-default">{{_("Yes")}}</button>
<a href="{{url_for('eproms.home')}}" class="btn btn-default">{{_("No")}}</a>
</div>
</div>
</div>
</div>
{% endblock %}
{%- block additional_scripts %}<script src="{{ url_for('static', filename='js/flask_user/ConfirmIdentity.js') }}"></script>{% endblock -%}
{%- from "flask_user/_macros.html" import footer -%}
{%- block footer %}{% endblock -%}
| uwcirg/true_nth_usa_portal | portal/templates/confirm_identity.html | HTML | bsd-3-clause | 1,317 |
//////////////////////////////////////////////////////////////////////////
//
// Copyright (c) 2011, Image Engine Design Inc. All rights reserved.
// Copyright (c) 2012, John Haddon. All rights reserved.
//
// 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.
//
// * Neither the name of Image Engine Design nor the names of any
// other contributors to this software may 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.
//
//////////////////////////////////////////////////////////////////////////
#include "IECoreArnold/ParameterAlgo.h"
#include "IECoreImage/DisplayDriver.h"
#include "IECore/BoxAlgo.h"
#include "IECore/MessageHandler.h"
#include "IECore/SimpleTypedData.h"
#include "ai_drivers.h"
#include "ai_metadata.h"
#include "ai_plugins.h"
#include "ai_universe.h"
#include "ai_version.h"
#include <stdio.h>
using namespace Imath;
using namespace IECore;
using namespace IECoreImage;
using namespace IECoreArnold;
namespace
{
const AtString g_driverTypeArnoldString("driverType");
const AtString g_pixelAspectRatioArnoldString("pixel_aspect_ratio");
// Stores a Cortex DisplayDriver and the parameters
// used to create it. This forms the private data
// accessed via AiNodeGetLocalData.
struct LocalData
{
LocalData()
: numOutputs( 0 )
{
}
DisplayDriverPtr displayDriver;
ConstCompoundDataPtr displayDriverParameters;
int numOutputs;
void imageClose()
{
if( !displayDriver )
{
return;
}
try
{
displayDriver->imageClose();
}
catch( const std::exception &e )
{
// We have to catch and report exceptions because letting them out into pure c land
// just causes aborts.
msg( Msg::Error, "ieOutputDriver:driverClose", e.what() );
}
displayDriver = nullptr;
}
};
void driverParameters( AtList *params, AtNodeEntry *nentry )
{
AiParameterStr( g_driverTypeArnoldString, "" );
// we need to specify this metadata to keep MtoA happy.
AiMetaDataSetStr( nentry, nullptr, "maya.attr_prefix", "" );
AiMetaDataSetStr( nentry, nullptr, "maya.translator", "ie" );
}
void driverInitialize( AtNode *node )
{
AiDriverInitialize( node, true );
AiNodeSetLocalData( node, new LocalData );
}
void driverUpdate( AtNode *node )
{
}
bool driverSupportsPixelType( const AtNode *node, uint8_t pixelType )
{
switch( pixelType )
{
case AI_TYPE_RGB :
case AI_TYPE_RGBA :
case AI_TYPE_FLOAT :
case AI_TYPE_VECTOR :
return true;
default:
return false;
}
}
const char **driverExtension()
{
return nullptr;
}
void driverOpen( AtNode *node, struct AtOutputIterator *iterator, AtBBox2 displayWindow, AtBBox2 dataWindow, int bucketSize )
{
LocalData *localData = (LocalData *)AiNodeGetLocalData( node );
localData->numOutputs = 0;
std::vector<std::string> channelNames;
CompoundDataPtr parameters = new CompoundData();
ParameterAlgo::getParameters( node, parameters->writable() );
#if ARNOLD_VERSION_NUM >= 70000
AtString name;
#else
const char *name;
#endif
int pixelType = 0;
while( AiOutputIteratorGetNext( iterator, &name, &pixelType, nullptr ) )
{
std::string namePrefix;
if( strcmp( name, "RGB" ) && strcmp( name, "RGBA" ) )
{
namePrefix = std::string( name ) + ".";
}
const StringData *layerName = parameters->member< StringData >( "layerName" );
if( layerName && layerName->readable() != "" )
{
namePrefix = layerName->readable() + ".";
}
switch( pixelType )
{
case AI_TYPE_RGB :
case AI_TYPE_VECTOR :
channelNames.push_back( namePrefix + "R" );
channelNames.push_back( namePrefix + "G" );
channelNames.push_back( namePrefix + "B" );
break;
case AI_TYPE_RGBA :
channelNames.push_back( namePrefix + "R" );
channelNames.push_back( namePrefix + "G" );
channelNames.push_back( namePrefix + "B" );
channelNames.push_back( namePrefix + "A" );
break;
case AI_TYPE_FLOAT :
// no need for prefix because it's not a compound type
#if ARNOLD_VERSION_NUM >= 70000
channelNames.push_back( name.c_str() );
#else
channelNames.push_back( name );
#endif
break;
}
localData->numOutputs += 1;
}
/// \todo Make Convert.h
Box2i cortexDisplayWindow(
V2i( displayWindow.minx, displayWindow.miny ),
V2i( displayWindow.maxx, displayWindow.maxy )
);
Box2i cortexDataWindow(
V2i( dataWindow.minx, dataWindow.miny ),
V2i( dataWindow.maxx, dataWindow.maxy )
);
// IECore::DisplayDriver lacks any official mechanism for passing
// the pixel aspect ratio, so for now we just pass it via the
// parameters. We should probably move GafferImage::Format to
// IECoreImage::Format and then use that in place of the display
// window.
parameters->writable()["pixelAspect"] = new FloatData(
AiNodeGetFlt( AiUniverseGetOptions( AiNodeGetUniverse( node ) ), g_pixelAspectRatioArnoldString )
);
const std::string driverType = AiNodeGetStr( node, g_driverTypeArnoldString ).c_str();
// We reuse the previous driver if we can - this allows us to use
// the same driver for every stage of a progressive render.
if( localData->displayDriver )
{
if(
localData->displayDriver->typeName() == driverType &&
localData->displayDriver->displayWindow() == cortexDisplayWindow &&
localData->displayDriver->dataWindow() == cortexDataWindow &&
localData->displayDriver->channelNames() == channelNames &&
localData->displayDriverParameters->isEqualTo( parameters.get() )
)
{
// Can reuse
return;
}
else
{
// Can't reuse, so must close before making a new one.
localData->imageClose();
}
}
// Couldn't reuse a driver, so create one from scratch.
try
{
localData->displayDriver = IECoreImage::DisplayDriver::create( driverType, cortexDisplayWindow, cortexDataWindow, channelNames, parameters );
localData->displayDriverParameters = parameters;
}
catch( const std::exception &e )
{
// We have to catch and report exceptions because letting them out into pure c land
// just causes aborts.
msg( Msg::Error, "ieOutputDriver:driverOpen", e.what() );
}
}
bool driverNeedsBucket( AtNode *node, int x, int y, int sx, int sy, uint16_t tId )
{
return true;
}
void driverPrepareBucket( AtNode *node, int x, int y, int sx, int sy, uint16_t tId )
{
}
void driverProcessBucket( AtNode *node, struct AtOutputIterator *iterator, struct AtAOVSampleIterator *sample_iterator, int x, int y, int sx, int sy, uint16_t tId )
{
}
void driverWriteBucket( AtNode *node, struct AtOutputIterator *iterator, struct AtAOVSampleIterator *sampleIterator, int x, int y, int sx, int sy )
{
LocalData *localData = (LocalData *)AiNodeGetLocalData( node );
if( !localData->displayDriver )
{
return;
}
const int numOutputChannels = localData->displayDriver->channelNames().size();
const float *imageData;
std::vector<float> interleavedData;
if( localData->numOutputs == 1 )
{
// Data already has the layout we need.
const void *bucketData;
AiOutputIteratorGetNext( iterator, nullptr, nullptr, &bucketData );
imageData = (float *)bucketData;
}
else
{
// We need to interleave multiple outputs
// into a single block for the display driver.
interleavedData.resize( sx * sy * numOutputChannels );
int pixelType = 0;
const void *bucketData;
int outChannelOffset = 0;
while( AiOutputIteratorGetNext( iterator, nullptr, &pixelType, &bucketData ) )
{
int numChannels = 0;
switch( pixelType )
{
case AI_TYPE_RGB :
case AI_TYPE_VECTOR :
numChannels = 3;
break;
case AI_TYPE_RGBA :
numChannels = 4;
break;
case AI_TYPE_FLOAT :
numChannels = 1;
break;
}
for( int c = 0; c < numChannels; c++ )
{
float *in = (float *)(bucketData) + c;
float *out = &(interleavedData[0]) + outChannelOffset;
for( int j = 0; j < sy; j++ )
{
for( int i = 0; i < sx; i++ )
{
*out = *in;
out += numOutputChannels;
in += numChannels;
}
}
outChannelOffset += 1;
}
}
imageData = &interleavedData[0];
}
Box2i bucketBox(
V2i( x, y ),
V2i( x + sx - 1, y + sy - 1 )
);
try
{
localData->displayDriver->imageData( bucketBox, imageData, sx * sy * numOutputChannels );
}
catch( const std::exception &e )
{
// we have to catch and report exceptions because letting them out into pure c land
// just causes aborts.
msg( Msg::Error, "ieOutputDriver:driverWriteBucket", e.what() );
}
}
void driverClose( AtNode *node, struct AtOutputIterator *iterator )
{
LocalData *localData = (LocalData *)AiNodeGetLocalData( node );
// We only close the display immediately if it doesn't accept
// repeated data (progressive renders). This is so we can reuse it in
// driverOpen if it appears that a progressive render is taking place.
if( localData->displayDriver && !localData->displayDriver->acceptsRepeatedData() )
{
localData->imageClose();
}
}
void driverFinish( AtNode *node )
{
LocalData *localData = (LocalData *)AiNodeGetLocalData( node );
// Perform any pending close we may have deferred in driverClose().
localData->imageClose();
delete localData;
}
} // namespace
AI_EXPORT_LIB bool NodeLoader( int i, AtNodeLib *node )
{
if( i==0 )
{
static AtCommonMethods commonMethods = {
nullptr, // Whole plugin init
nullptr, // Whole plugin cleanup
driverParameters,
driverInitialize,
driverUpdate,
driverFinish
};
static AtDriverNodeMethods driverMethods = {
driverSupportsPixelType,
driverExtension,
driverOpen,
driverNeedsBucket,
driverPrepareBucket,
driverProcessBucket,
driverWriteBucket,
driverClose
};
static AtNodeMethods nodeMethods = {
&commonMethods,
&driverMethods
};
node->node_type = AI_NODE_DRIVER;
node->output_type = AI_TYPE_NONE;
node->name = "ieDisplay";
node->methods = &nodeMethods;
sprintf( node->version, AI_VERSION );
return true;
}
return false;
}
| ImageEngine/gaffer | src/GafferArnoldPlugin/OutputDriver.cpp | C++ | bsd-3-clause | 11,163 |
extern zend_class_entry *ice_mvc_service_ce;
ZEPHIR_INIT_CLASS(Ice_Mvc_Service);
PHP_METHOD(Ice_Mvc_Service, setModel);
PHP_METHOD(Ice_Mvc_Service, getModel);
PHP_METHOD(Ice_Mvc_Service, __call);
ZEND_BEGIN_ARG_INFO_EX(arginfo_ice_mvc_service_setmodel, 0, 0, 1)
ZEND_ARG_INFO(0, model)
ZEND_END_ARG_INFO()
ZEND_BEGIN_ARG_INFO_EX(arginfo_ice_mvc_service_getmodel, 0, 0, 0)
ZEND_END_ARG_INFO()
ZEND_BEGIN_ARG_INFO_EX(arginfo_ice_mvc_service___call, 0, 0, 1)
#if PHP_VERSION_ID >= 70200
ZEND_ARG_TYPE_INFO(0, method, IS_STRING, 0)
#else
ZEND_ARG_INFO(0, method)
#endif
ZEND_ARG_INFO(0, arguments)
ZEND_END_ARG_INFO()
ZEPHIR_INIT_FUNCS(ice_mvc_service_method_entry) {
PHP_ME(Ice_Mvc_Service, setModel, arginfo_ice_mvc_service_setmodel, ZEND_ACC_PUBLIC)
PHP_ME(Ice_Mvc_Service, getModel, arginfo_ice_mvc_service_getmodel, ZEND_ACC_PUBLIC)
PHP_ME(Ice_Mvc_Service, __call, arginfo_ice_mvc_service___call, ZEND_ACC_PUBLIC)
PHP_FE_END
};
| mruz/framework | build/php8/ice/mvc/service.zep.h | C | bsd-3-clause | 944 |
# -*-coding:Utf-8 -*
# Copyright (c) 2010-2017 LE GOFF Vincent
# All rights reserved.
#
# 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.
# * Neither the name of the copyright holder nor the names of its contributors
# may 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.
"""Package contenant la commande 'scripting alerte info'."""
from primaires.interpreteur.masque.parametre import Parametre
from primaires.format.fonctions import echapper_accolades
from primaires.format.date import get_date
class PrmInfo(Parametre):
"""Commande 'scripting alerte info'"""
def __init__(self):
"""Constructeur du paramètre."""
Parametre.__init__(self, "info", "info")
self.schema = "<nombre>"
self.aide_courte = "affiche des informations sur l'alerte"
self.aide_longue = \
"Affiche des informations sur l'alerte permettant de la corriger."
def interpreter(self, personnage, dic_masques):
"""Méthode d'interprétation de commande"""
nombre = dic_masques["nombre"].nombre
try:
alerte = type(self).importeur.scripting.alertes[nombre]
except KeyError:
personnage << "|err|Ce numéro d'alerte est invalide.|ff|"
else:
msg = "Informations sur l'alerte {} :".format(alerte.no)
msg += "\n S'est produit sur {} {}".format(alerte.type,
alerte.objet) + " " + get_date(alerte.date.timetuple())
msg += "\n Evenement {}, test {}, ligne {}".format(
alerte.evenement, echapper_accolades(alerte.test),
alerte.no_ligne)
msg += "\n {}\n".format(echapper_accolades(alerte.ligne))
msg += "\n Message d'erreur : |err|{}|ff|".format(
echapper_accolades(alerte.message))
if personnage.nom_groupe == "administrateur":
msg += "\n Traceback Python :\n {}".format(
echapper_accolades(alerte.traceback))
personnage << msg
| vlegoff/tsunami | src/primaires/scripting/commandes/scripting/alerte_info.py | Python | bsd-3-clause | 3,352 |
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
def helloworld():
"""
Hello world routine !
"""
print("Hello world!")
| aboucaud/python-euclid2016 | euclid/euclid/hello.py | Python | bsd-3-clause | 135 |
#include "allocv/al_VideoCapture.hpp"
/*
From opencv2/highgui/highgui.hpp:
class CV_EXPORTS_W VideoCapture
{
public:
CV_WRAP VideoCapture();
CV_WRAP VideoCapture(const string& filename);
CV_WRAP VideoCapture(int device);
virtual ~VideoCapture();
CV_WRAP virtual bool open(const string& filename);
CV_WRAP virtual bool open(int device);
CV_WRAP virtual bool isOpened() const;
CV_WRAP virtual void release();
// Grabs the next frame from video file or capturing device.
CV_WRAP virtual bool grab();
// Decodes and returns the grabbed video frame.
CV_WRAP virtual bool retrieve(CV_OUT Mat& image, int channel=0);
// Alias of read()
virtual VideoCapture& operator >> (CV_OUT Mat& image);
// Grabs, decodes and returns the next video frame.
CV_WRAP virtual bool read(CV_OUT Mat& image);
CV_WRAP virtual bool set(int propId, double value);
CV_WRAP virtual double get(int propId);
protected:
Ptr<CvCapture> cap;
};
*/
namespace al{
VideoCapture::VideoCapture()
: mFPS(1.), mRate(1.), mBadFrame(-1), mIsFile(false), mValid(true)
{}
VideoCapture::~VideoCapture(){
mValid = false;
cvVideoCapture.release();
}
bool VideoCapture::open(const std::string& filename){
if(cvVideoCapture.open(filename)){
mIsFile = true;
mFPS = get(CV_CAP_PROP_FPS);
return true;
}
return false;
}
bool VideoCapture::open(int device){
if(cvVideoCapture.open(device)){
mIsFile = false;
mFPS = get(CV_CAP_PROP_FPS);
if(mFPS == 0.) mFPS = 30.;
return true;
}
return false;
}
void VideoCapture::release(){
cvVideoCapture.release();
}
bool VideoCapture::grab(){
bool didGrab = cvVideoCapture.grab();
// Attempt to advance past bad frames in video files
if(isFile()){
if(!didGrab){
if(mBadFrame == -1){ // last frame wasn't bad
mBadFrame = posFrames()+1;
}
printf("VideoCapture::grab: bad frame %g\n", mBadFrame);
if(mBadFrame < numFrames()){
posFrames(mBadFrame);
++mBadFrame;
}
}
else{
mBadFrame = -1;
}
}
return didGrab;
}
bool VideoCapture::retrieve(cv::Mat& dst, int chan){
return cvVideoCapture.retrieve(dst, chan);
}
bool VideoCapture::retrieve(int chan){
return cvVideoCapture.retrieve(cvFrame, chan);
}
bool VideoCapture::retrieve(Array& dst, int chan, int copyPolicy){
bool res = retrieve(chan);
fromCV(dst, cvFrame, copyPolicy);
return res;
}
bool VideoCapture::retrieveFlip(Array& dst, int chan){
return retrieve(dst, chan, -1);
}
bool VideoCapture::read(Array& dst, int copyPolicy){
bool res = cvVideoCapture.read(cvFrame);
fromCV(dst, cvFrame, copyPolicy);
return res;
}
bool VideoCapture::set(int cvCapProp, double val){
return cvVideoCapture.set(cvCapProp,val);
}
VideoCapture& VideoCapture::width(double pixels){
set(CV_CAP_PROP_FRAME_WIDTH, pixels);
return *this;
}
VideoCapture& VideoCapture::height(double pixels){
set(CV_CAP_PROP_FRAME_HEIGHT, pixels);
return *this;
}
VideoCapture& VideoCapture::resize(double w, double h){
return width(w).height(h);
}
VideoCapture& VideoCapture::posMsec(double msec){
set(CV_CAP_PROP_POS_MSEC, msec);
return *this;
}
VideoCapture& VideoCapture::posFrames(double frame){
set(CV_CAP_PROP_POS_FRAMES, frame);
return *this;
}
VideoCapture& VideoCapture::posFrac(double frac){
//set(CV_CAP_PROP_POS_AVI_RATIO, frac); // broken for many file types
posFrames(frac*numFrames());
return *this;
}
VideoCapture& VideoCapture::fps(double val){
mFPS = val;
return *this;
}
VideoCapture& VideoCapture::rate(double fpsMul){
mRate = fpsMul;
return *this;
}
bool VideoCapture::isOpened() const {
return cvVideoCapture.isOpened();
}
double VideoCapture::get(int cvCapProp) const {
return cvVideoCapture.get(cvCapProp);
}
double VideoCapture::fps() const {
return mFPS;
}
double VideoCapture::numFrames() const {
return get(CV_CAP_PROP_FRAME_COUNT);
}
double VideoCapture::rate() const {
return mRate;
}
double VideoCapture::width() const {
return get(CV_CAP_PROP_FRAME_WIDTH);
}
double VideoCapture::height() const {
return get(CV_CAP_PROP_FRAME_HEIGHT);
}
double VideoCapture::aspect() const {
double w = width();
double h = height();
return (h!=0. && w!=0.) ? w/h : 1.;
}
bool VideoCapture::rgb() const {
return get(CV_CAP_PROP_CONVERT_RGB);
}
int VideoCapture::fourcc() const {
return int(get(CV_CAP_PROP_FOURCC));
}
std::string VideoCapture::fourccString() const {
union{ int i; char c[4]; } x = { fourcc() };
return std::string(x.c, 4);
}
double VideoCapture::posMsec() const {
return get(CV_CAP_PROP_POS_MSEC);
}
double VideoCapture::posFrames() const {
return get(CV_CAP_PROP_POS_FRAMES);
}
double VideoCapture::posFrac() const {
//return get(CV_CAP_PROP_POS_AVI_RATIO); // broken for many file types
return double(posFrames())/numFrames();
}
bool VideoCapture::loop(double minFrame, double maxFrame){
double Nf = numFrames();
if(maxFrame < 0) maxFrame += Nf + 1.;
else if(maxFrame > Nf) maxFrame = Nf;
double pos = posFrames();
if(pos >= maxFrame){
posFrames(minFrame);
return true;
}
return false;
}
bool VideoCapture::isFile() const {
return mIsFile;
}
void VideoCapture::print(FILE * fp){
fprintf(fp, "%g x %g %s %s, %g fps",
width(), height(), rgb()?"RGB":"BGR", fourccString().c_str(), fps());
if(isFile()){
fprintf(fp, ", %g frames (%g sec)", numFrames(), numFrames()/fps());
}
fprintf(fp, "\n");
}
VideoCaptureHandler::VideoThreadFunction::VideoThreadFunction()
: videoCapture(NULL), handler(NULL), streamIdx(-1)
{}
VideoCaptureHandler::VideoThreadFunction::~VideoThreadFunction()
{
videoCapture = NULL;
}
void VideoCaptureHandler::VideoThreadFunction::operator()(){
//printf("VideoThreadFunc called\n");
if(NULL != videoCapture && videoCapture->mValid && videoCapture->cvVideoCapture.isOpened()){
handler->onPregrab(*videoCapture, streamIdx);
if(videoCapture->grab()){
handler->onVideo(*videoCapture, streamIdx);
double fps = videoCapture->fps() * videoCapture->rate();
handler->mWorkThreads[streamIdx].thread.period(1./fps);
}
}
}
VideoCaptureHandler::WorkThread::~WorkThread(){
stop();
}
void VideoCaptureHandler::WorkThread::start(){
//printf("WorkThread::start(): %p %p\n", func.videoCapture, func.handler);
thread.start(func);
}
void VideoCaptureHandler::WorkThread::stop(){
thread.stop();
}
VideoCaptureHandler::VideoCaptureHandler(int numStreams){
numVideoStreams(numStreams);
}
VideoCaptureHandler::~VideoCaptureHandler(){
stopVideo();
}
VideoCaptureHandler& VideoCaptureHandler::numVideoStreams(int num){
mWorkThreads.resize(num);
return *this;
}
int VideoCaptureHandler::numVideoStreams() const {
return int(mWorkThreads.size());
}
VideoCaptureHandler& VideoCaptureHandler::attach(VideoCapture& vid, int streamIdx){
if(streamIdx>=0 && streamIdx<numVideoStreams()){
WorkThread& t = mWorkThreads[streamIdx];
t.func.handler = this;
t.func.videoCapture = &vid;
t.func.streamIdx = streamIdx;
}
return *this;
}
void VideoCaptureHandler::startVideo(){
for(
WorkThreads::iterator it = mWorkThreads.begin();
it != mWorkThreads.end();
++it
){
(*it).start();
}
}
void VideoCaptureHandler::stopVideo(){
for(
WorkThreads::iterator it = mWorkThreads.begin();
it != mWorkThreads.end();
++it
){
(*it).stop();
}
}
} // al::
| AlloSphere-Research-Group/AlloSystem | allocv/src/al_VideoCapture.cpp | C++ | bsd-3-clause | 7,259 |
package com.github.dandelion.gua.core.field;
public enum EventTrackingField implements AnalyticsField, AnalyticsCreateField {
@AnalyticsFieldControl(AnalyticsFieldControl.Policy.TEXT) eventCategory,
@AnalyticsFieldControl(AnalyticsFieldControl.Policy.TEXT) eventAction,
@AnalyticsFieldControl(AnalyticsFieldControl.Policy.TEXT) eventLabel,
@AnalyticsFieldControl(AnalyticsFieldControl.Policy.INTEGER) eventValue,
}
| dandelion/dandelion-gua | gua-core/src/main/java/com/github/dandelion/gua/core/field/EventTrackingField.java | Java | bsd-3-clause | 432 |
/*L
* Copyright Georgetown University, Washington University.
*
* Distributed under the OSI-approved BSD 3-Clause License.
* See http://ncip.github.com/cab2b/LICENSE.txt for details.
*/
package edu.wustl.cab2b.server.analyticalservice;
import java.io.InputStream;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import org.dom4j.Document;
import org.dom4j.DocumentException;
import org.dom4j.Element;
import org.dom4j.io.SAXReader;
import edu.common.dynamicextensions.domaininterface.EntityInterface;
import edu.wustl.cab2b.common.analyticalservice.ServiceDetailsInterface;
import edu.wustl.cab2b.common.exception.RuntimeException;
/**
* This is a singleton class which parses the EntityToAnalyticalServiceMapping.xml file and stores the mapping information into an internal map.
* This class provieds the methods to get the service interface and the service invoker interface.
* @author chetan_patil
*/
public class EntityToAnalyticalServiceMapper {
/**
* Self reference
*/
private static EntityToAnalyticalServiceMapper entityServiceMapper = null;
/**
* Map to store the entity to service mapping
*/
private Map<String, List<String>> entityServiceNameMap = new HashMap<String, List<String>>();
/**
* Map to store the service to method mapping
*/
private Map<String, List<String>> serviceNameDetailClassNameMap = new HashMap<String, List<String>>();
/**
* Map to store the service detail class and the corresponding service invoker class.
*/
private Map<String, String> serviceDetailInvokerMap = new HashMap<String, String>();
/**
* Name of the Entity Service Mapper file
*/
private static final String ENTITY_SERVICE_MAPPER_FILENAME = "EntityToAnalyticalServiceMapping.xml";
/**
* Entity tag
*/
private static final String ENTITY = "entity";
/**
* Service tag
*/
private static final String SERVICE = "service";
/**
* Method tag
*/
private static final String METHOD = "method";
/**
* Name attribute
*/
private static final String ATTRIBUTE_NAME = "name";
/**
* Service Detail Class attribute
*/
private static final String ATTRIBUTE_SERVICE_DETAIL_CLASS = "serviceDetailClass";
/**
* Service Invoker Class attribute
*/
private static final String ATTRIBUTE_SERVICE_INVOKER_CLASS = "serviceInvokerClass";
/**
* Service name attribute
*/
private static final String ATTRIBUTE_SERVICE_NAME = "serviceName";
/**
* Private constructor
*/
private EntityToAnalyticalServiceMapper() {
parseEntityServiceMapperXMLFile();
}
/**
* This method returns an instance of this class
* @return an instance of this class
*/
public static synchronized EntityToAnalyticalServiceMapper getInstance() {
if (entityServiceMapper == null) {
entityServiceMapper = new EntityToAnalyticalServiceMapper();
}
return entityServiceMapper;
}
/**
* This method parses the EntityServiceMapper.XML file and stores the parsed data into an internally maintained Maps.
*/
private void parseEntityServiceMapperXMLFile() {
//Read the xml file
InputStream inputStream = this.getClass().getClassLoader().getResourceAsStream(
ENTITY_SERVICE_MAPPER_FILENAME);
if (inputStream == null) {
throw new RuntimeException("File not found: " + ENTITY_SERVICE_MAPPER_FILENAME);
}
//Parse xml into the Document
Document document = null;
try {
document = new SAXReader().read(inputStream);
} catch (DocumentException e) {
throw new RuntimeException("Unable to parse XML file: " + ENTITY_SERVICE_MAPPER_FILENAME, e);
}
//Traverse and fetch the data from the Document
Element entityServiceMapperElement = document.getRootElement();
if (entityServiceMapperElement != null) {
List<Element> serviceElementList = entityServiceMapperElement.elements(SERVICE);
if (serviceElementList == null || serviceElementList.isEmpty()) {
throw new RuntimeException("Invalid XML file: Service entries not found.");
}
registerServiceElements(serviceElementList);
List<Element> entityElementList = entityServiceMapperElement.elements(ENTITY);
if (entityElementList == null || entityElementList.isEmpty()) {
throw new RuntimeException("Invalid XML file: Entity entries not found.");
}
registerEntityElements(entityElementList);
} else {
throw new RuntimeException("Invalid XML file: Root element not found.");
}
}
/**
* This method stores the data of all the service tags into serviceMethodMap
* @param serviceElementList the root element of the XML document
*/
private void registerServiceElements(List<Element> serviceElementList) {
for (Element serviceElement : serviceElementList) {
List<String> serviceDetailClassList = new ArrayList<String>();
List<Element> methodElementList = serviceElement.elements(METHOD);
for (Element methodElement : methodElementList) {
String serviceDetailClassName = methodElement.attributeValue(ATTRIBUTE_SERVICE_DETAIL_CLASS);
String serviceInvokerClassName = methodElement.attributeValue(ATTRIBUTE_SERVICE_INVOKER_CLASS);
if (!serviceDetailClassList.contains(serviceDetailClassName)) {
serviceDetailClassList.add(serviceDetailClassName);
}
if (serviceDetailInvokerMap.get(serviceDetailClassName) == null) {
serviceDetailInvokerMap.put(serviceDetailClassName, serviceInvokerClassName);
}
}
String serviceName = serviceElement.attributeValue(ATTRIBUTE_NAME);
if (serviceNameDetailClassNameMap.get(serviceName) == null) {
serviceNameDetailClassNameMap.put(serviceName, serviceDetailClassList);
}
}
}
/**
* This method stores the data of all the entity tags into entityServiceMap
* @param entityElementList the root element of the XML document
*/
private void registerEntityElements(List<Element> entityElementList) {
for (Element entityElement : entityElementList) {
String entityName = entityElement.attributeValue(ATTRIBUTE_NAME);
String serviceName = entityElement.attributeValue(ATTRIBUTE_SERVICE_NAME);
List<String> serviceList = entityServiceNameMap.get(entityName);
if (serviceList == null) {
serviceList = new ArrayList<String>();
entityServiceNameMap.put(entityName, serviceList);
}
serviceList.add(serviceName);
}
}
/**
* This method returns the instance given the respective class name.
* @param className name of the class
* @return an instance of the given class name
*/
private <E> E getInstance(String className, Class<E> clazz) {
Object instance = null;
try {
Class classDefinition = Class.forName(className);
instance = classDefinition.newInstance();
} catch (InstantiationException e) {
} catch (IllegalAccessException e) {
} catch (ClassNotFoundException e) {
}
Class<?> instanceClass = instance.getClass();
if (!clazz.isAssignableFrom(instanceClass)) {
throw new RuntimeException(instanceClass.getName() + " does not implement the interface "
+ clazz.getName());
}
return (E) instance;
}
/**
* This method returns the List of the service names of the respective givne entity name.
* @param entityName the name of the entity
* @return the List of the service names
*/
private List<String> getServiceDetailClassNames(String entityName) {
List<String> serviceDetailClassList = new ArrayList<String>();
List<String> serviceNameList = entityServiceNameMap.get(entityName);
if (serviceNameList != null) {
for (String serviceName : serviceNameList) {
List<String> serviceDetailClassNameList = serviceNameDetailClassNameMap.get(serviceName);
if (serviceDetailClassNameList != null) {
serviceDetailClassList.addAll(serviceDetailClassNameList);
}
}
}
return serviceDetailClassList;
}
/*
* (non-Javadoc)
* @see java.lang.Object#clone()
*/
/**
* Clones this object
* @return Cloned object
* @throws CloneNotSupportedException
*/
public Object clone() throws CloneNotSupportedException {
throw new CloneNotSupportedException();
}
/**
* This method returns the List of all the corresponding ServiceDetailsClass given the Entity.
* @param entity an instance of Entity
* @return List of all the ServiceDetailClass corresponding to the given Entity
*/
public List<ServiceDetailsInterface> getServices(EntityInterface entity) {
List<ServiceDetailsInterface> serviceDetailsInstanceList = new ArrayList<ServiceDetailsInterface>();
List<String> serviceDetailClassList = getServiceDetailClassNames(entity.getName());
//TODO This is a hack. To be deleted after testing.
//List<String> serviceDetailClassList = getServiceDetailClassNames("gov.nih.nci.mageom.domain.BioAssay.BioAssay");
for (String serviceDetailClassName : serviceDetailClassList) {
ServiceDetailsInterface serviceDetails = getInstance(serviceDetailClassName,
ServiceDetailsInterface.class);
serviceDetailsInstanceList.add(serviceDetails);
}
return serviceDetailsInstanceList;
}
/**
* This method returns an instance of the Service Invoker Class given the respective Service Details Class.
* @param serviceDetails the instance of the Service Details class
* @return an instance of the Service Invoker Class
*/
public ServiceInvokerInterface getServiceInvoker(ServiceDetailsInterface serviceDetails) {
String serviceDetailClassName = serviceDetails.getClass().getName();
String serviceInvokerClassName = serviceDetailInvokerMap.get(serviceDetailClassName);
ServiceInvokerInterface serviceInvoker = null;
if (serviceInvokerClassName != null) {
serviceInvoker = getInstance(serviceInvokerClassName, ServiceInvokerInterface.class);
}
return serviceInvoker;
}
// public static void main(String[] args) {
// EntityInterface entity = new Entity();
// entity.setName("Entity1");
//
// EntityToAnalyticalServiceMapper entityServiceMapper = EntityToAnalyticalServiceMapper.getInstance();
// List<ServiceDetailsInterface> serviceList = entityServiceMapper.getServices(entity);
// ServiceInvokerInterface serviceInvoker1 = entityServiceMapper.getServiceInvoker(serviceList.get(0));
// ServiceInvokerInterface serviceInvoker2 = entityServiceMapper.getServiceInvoker(serviceList.get(1));
// }
} | NCIP/cab2b | software/cab2b/src/java/server/edu/wustl/cab2b/server/analyticalservice/EntityToAnalyticalServiceMapper.java | Java | bsd-3-clause | 11,873 |
/*
* To change this license header, choose License Headers in Project Properties.
* To change this template file, choose Tools | Templates
* and open the template in the editor.
*/
package com.jtex.plot;
/**
*
* @author hios
*/
public interface ScatterCanvas {
public ScatterOptions getScatterOptions();
public void setScatterOptions(ScatterOptions options);
}
| luttero/Maud | src/com/jtex/plot/ScatterCanvas.java | Java | bsd-3-clause | 380 |
/* $NetBSD: rpc_soc.c,v 1.6 2000/07/06 03:10:35 christos Exp $ */
/*
* Sun RPC is a product of Sun Microsystems, Inc. and is provided for
* unrestricted use provided that this legend is included on all tape
* media and as a part of the software program in whole or part. Users
* may copy or modify Sun RPC without charge, but are not authorized
* to license or distribute it to anyone else except as part of a product or
* program developed by the user.
*
* SUN RPC IS PROVIDED AS IS WITH NO WARRANTIES OF ANY KIND INCLUDING THE
* WARRANTIES OF DESIGN, MERCHANTIBILITY AND FITNESS FOR A PARTICULAR
* PURPOSE, OR ARISING FROM A COURSE OF DEALING, USAGE OR TRADE PRACTICE.
*
* Sun RPC is provided with no support and without any obligation on the
* part of Sun Microsystems, Inc. to assist in its use, correction,
* modification or enhancement.
*
* SUN MICROSYSTEMS, INC. SHALL HAVE NO LIABILITY WITH RESPECT TO THE
* INFRINGEMENT OF COPYRIGHTS, TRADE SECRETS OR ANY PATENTS BY SUN RPC
* OR ANY PART THEREOF.
*
* In no event will Sun Microsystems, Inc. be liable for any lost revenue
* or profits or other special, indirect and consequential damages, even if
* Sun has been advised of the possibility of such damages.
*
* Sun Microsystems, Inc.
* 2550 Garcia Avenue
* Mountain View, California 94043
*/
/* #ident "@(#)rpc_soc.c 1.17 94/04/24 SMI" */
/*
* Copyright (c) 1986-1991 by Sun Microsystems Inc.
* In addition, portions of such source code were derived from Berkeley
* 4.3 BSD under license from the Regents of the University of
* California.
*/
#if defined(LIBC_SCCS) && !defined(lint)
static char sccsid[] = "@(#)rpc_soc.c 1.41 89/05/02 Copyr 1988 Sun Micro";
#endif
#include <sys/cdefs.h>
__FBSDID("$FreeBSD$");
#ifdef PORTMAP
/*
* rpc_soc.c
*
* The backward compatibility routines for the earlier implementation
* of RPC, where the only transports supported were tcp/ip and udp/ip.
* Based on berkeley socket abstraction, now implemented on the top
* of TLI/Streams
*/
#include "namespace.h"
#include "reentrant.h"
#include <sys/types.h>
#include <sys/socket.h>
#include <stdio.h>
#include <rpc/rpc.h>
#include <rpc/pmap_clnt.h>
#include <rpc/pmap_prot.h>
#include <rpc/nettype.h>
#include <syslog.h>
#include <netinet/in.h>
#include <netdb.h>
#include <errno.h>
#include <syslog.h>
#include <stdlib.h>
#include <string.h>
#include <unistd.h>
#include "un-namespace.h"
#include "rpc_com.h"
#include "mt_misc.h"
static CLIENT *clnt_com_create(struct sockaddr_in *, rpcprog_t, rpcvers_t,
int *, u_int, u_int, char *);
static SVCXPRT *svc_com_create(int, u_int, u_int, char *);
static bool_t rpc_wrap_bcast(char *, struct netbuf *, struct netconfig *);
/* XXX */
#define IN4_LOCALHOST_STRING "127.0.0.1"
#define IN6_LOCALHOST_STRING "::1"
/*
* A common clnt create routine
*/
static CLIENT *
clnt_com_create(raddr, prog, vers, sockp, sendsz, recvsz, tp)
struct sockaddr_in *raddr;
rpcprog_t prog;
rpcvers_t vers;
int *sockp;
u_int sendsz;
u_int recvsz;
char *tp;
{
CLIENT *cl;
int madefd = FALSE;
int fd = *sockp;
struct netconfig *nconf;
struct netbuf bindaddr;
mutex_lock(&rpcsoc_lock);
if ((nconf = __rpc_getconfip(tp)) == NULL) {
rpc_createerr.cf_stat = RPC_UNKNOWNPROTO;
mutex_unlock(&rpcsoc_lock);
return (NULL);
}
if (fd == RPC_ANYSOCK) {
fd = __rpc_nconf2fd(nconf);
if (fd == -1)
goto syserror;
madefd = TRUE;
}
if (raddr->sin_port == 0) {
u_int proto;
u_short sport;
mutex_unlock(&rpcsoc_lock); /* pmap_getport is recursive */
proto = strcmp(tp, "udp") == 0 ? IPPROTO_UDP : IPPROTO_TCP;
sport = pmap_getport(raddr, (u_long)prog, (u_long)vers,
proto);
if (sport == 0) {
goto err;
}
raddr->sin_port = htons(sport);
mutex_lock(&rpcsoc_lock); /* pmap_getport is recursive */
}
/* Transform sockaddr_in to netbuf */
bindaddr.maxlen = bindaddr.len = sizeof (struct sockaddr_in);
bindaddr.buf = raddr;
bindresvport(fd, NULL);
cl = clnt_tli_create(fd, nconf, &bindaddr, prog, vers,
sendsz, recvsz);
if (cl) {
if (madefd == TRUE) {
/*
* The fd should be closed while destroying the handle.
*/
(void) CLNT_CONTROL(cl, CLSET_FD_CLOSE, NULL);
*sockp = fd;
}
(void) freenetconfigent(nconf);
mutex_unlock(&rpcsoc_lock);
return (cl);
}
goto err;
syserror:
rpc_createerr.cf_stat = RPC_SYSTEMERROR;
rpc_createerr.cf_error.re_errno = errno;
err: if (madefd == TRUE)
(void)_close(fd);
(void) freenetconfigent(nconf);
mutex_unlock(&rpcsoc_lock);
return (NULL);
}
CLIENT *
clntudp_bufcreate(raddr, prog, vers, wait, sockp, sendsz, recvsz)
struct sockaddr_in *raddr;
u_long prog;
u_long vers;
struct timeval wait;
int *sockp;
u_int sendsz;
u_int recvsz;
{
CLIENT *cl;
cl = clnt_com_create(raddr, (rpcprog_t)prog, (rpcvers_t)vers, sockp,
sendsz, recvsz, "udp");
if (cl == NULL) {
return (NULL);
}
(void) CLNT_CONTROL(cl, CLSET_RETRY_TIMEOUT, &wait);
return (cl);
}
CLIENT *
clntudp_create(raddr, program, version, wait, sockp)
struct sockaddr_in *raddr;
u_long program;
u_long version;
struct timeval wait;
int *sockp;
{
return clntudp_bufcreate(raddr, program, version, wait, sockp,
UDPMSGSIZE, UDPMSGSIZE);
}
CLIENT *
clnttcp_create(raddr, prog, vers, sockp, sendsz, recvsz)
struct sockaddr_in *raddr;
u_long prog;
u_long vers;
int *sockp;
u_int sendsz;
u_int recvsz;
{
return clnt_com_create(raddr, (rpcprog_t)prog, (rpcvers_t)vers, sockp,
sendsz, recvsz, "tcp");
}
CLIENT *
clntraw_create(prog, vers)
u_long prog;
u_long vers;
{
return clnt_raw_create((rpcprog_t)prog, (rpcvers_t)vers);
}
/*
* A common server create routine
*/
static SVCXPRT *
svc_com_create(fd, sendsize, recvsize, netid)
int fd;
u_int sendsize;
u_int recvsize;
char *netid;
{
struct netconfig *nconf;
SVCXPRT *svc;
int madefd = FALSE;
int port;
struct sockaddr_in sin;
if ((nconf = __rpc_getconfip(netid)) == NULL) {
(void) syslog(LOG_ERR, "Could not get %s transport", netid);
return (NULL);
}
if (fd == RPC_ANYSOCK) {
fd = __rpc_nconf2fd(nconf);
if (fd == -1) {
(void) freenetconfigent(nconf);
(void) syslog(LOG_ERR,
"svc%s_create: could not open connection", netid);
return (NULL);
}
madefd = TRUE;
}
memset(&sin, 0, sizeof sin);
sin.sin_family = AF_INET;
bindresvport(fd, &sin);
_listen(fd, SOMAXCONN);
svc = svc_tli_create(fd, nconf, NULL, sendsize, recvsize);
(void) freenetconfigent(nconf);
if (svc == NULL) {
if (madefd)
(void)_close(fd);
return (NULL);
}
port = (((struct sockaddr_in *)svc->xp_ltaddr.buf)->sin_port);
svc->xp_port = ntohs(port);
return (svc);
}
SVCXPRT *
svctcp_create(fd, sendsize, recvsize)
int fd;
u_int sendsize;
u_int recvsize;
{
return svc_com_create(fd, sendsize, recvsize, "tcp");
}
SVCXPRT *
svcudp_bufcreate(fd, sendsz, recvsz)
int fd;
u_int sendsz, recvsz;
{
return svc_com_create(fd, sendsz, recvsz, "udp");
}
SVCXPRT *
svcfd_create(fd, sendsize, recvsize)
int fd;
u_int sendsize;
u_int recvsize;
{
return svc_fd_create(fd, sendsize, recvsize);
}
SVCXPRT *
svcudp_create(fd)
int fd;
{
return svc_com_create(fd, UDPMSGSIZE, UDPMSGSIZE, "udp");
}
SVCXPRT *
svcraw_create()
{
return svc_raw_create();
}
int
get_myaddress(addr)
struct sockaddr_in *addr;
{
memset((void *) addr, 0, sizeof(*addr));
addr->sin_family = AF_INET;
addr->sin_port = htons(PMAPPORT);
addr->sin_addr.s_addr = htonl(INADDR_LOOPBACK);
return (0);
}
/*
* For connectionless "udp" transport. Obsoleted by rpc_call().
*/
int
callrpc(host, prognum, versnum, procnum, inproc, in, outproc, out)
const char *host;
int prognum, versnum, procnum;
xdrproc_t inproc, outproc;
void *in, *out;
{
return (int)rpc_call(host, (rpcprog_t)prognum, (rpcvers_t)versnum,
(rpcproc_t)procnum, inproc, in, outproc, out, "udp");
}
/*
* For connectionless kind of transport. Obsoleted by rpc_reg()
*/
int
registerrpc(prognum, versnum, procnum, progname, inproc, outproc)
int prognum, versnum, procnum;
char *(*progname)(char [UDPMSGSIZE]);
xdrproc_t inproc, outproc;
{
return rpc_reg((rpcprog_t)prognum, (rpcvers_t)versnum,
(rpcproc_t)procnum, progname, inproc, outproc, "udp");
}
/*
* All the following clnt_broadcast stuff is convulated; it supports
* the earlier calling style of the callback function
*/
static thread_key_t clnt_broadcast_key;
static resultproc_t clnt_broadcast_result_main;
static once_t clnt_broadcast_once = ONCE_INITIALIZER;
static void
clnt_broadcast_key_init(void)
{
thr_keycreate(&clnt_broadcast_key, free);
}
/*
* Need to translate the netbuf address into sockaddr_in address.
* Dont care about netid here.
*/
/* ARGSUSED */
static bool_t
rpc_wrap_bcast(resultp, addr, nconf)
char *resultp; /* results of the call */
struct netbuf *addr; /* address of the guy who responded */
struct netconfig *nconf; /* Netconf of the transport */
{
resultproc_t clnt_broadcast_result;
if (strcmp(nconf->nc_netid, "udp"))
return (FALSE);
if (thr_main())
clnt_broadcast_result = clnt_broadcast_result_main;
else
clnt_broadcast_result = (resultproc_t)thr_getspecific(clnt_broadcast_key);
return (*clnt_broadcast_result)(resultp,
(struct sockaddr_in *)addr->buf);
}
/*
* Broadcasts on UDP transport. Obsoleted by rpc_broadcast().
*/
enum clnt_stat
clnt_broadcast(prog, vers, proc, xargs, argsp, xresults, resultsp, eachresult)
u_long prog; /* program number */
u_long vers; /* version number */
u_long proc; /* procedure number */
xdrproc_t xargs; /* xdr routine for args */
void *argsp; /* pointer to args */
xdrproc_t xresults; /* xdr routine for results */
void *resultsp; /* pointer to results */
resultproc_t eachresult; /* call with each result obtained */
{
if (thr_main())
clnt_broadcast_result_main = eachresult;
else {
thr_once(&clnt_broadcast_once, clnt_broadcast_key_init);
thr_setspecific(clnt_broadcast_key, (void *) eachresult);
}
return rpc_broadcast((rpcprog_t)prog, (rpcvers_t)vers,
(rpcproc_t)proc, xargs, argsp, xresults, resultsp,
(resultproc_t) rpc_wrap_bcast, "udp");
}
/*
* Create the client des authentication object. Obsoleted by
* authdes_seccreate().
*/
AUTH *
authdes_create(servername, window, syncaddr, ckey)
char *servername; /* network name of server */
u_int window; /* time to live */
struct sockaddr *syncaddr; /* optional hostaddr to sync with */
des_block *ckey; /* optional conversation key to use */
{
AUTH *dummy;
AUTH *nauth;
char hostname[NI_MAXHOST];
if (syncaddr) {
/*
* Change addr to hostname, because that is the way
* new interface takes it.
*/
if (getnameinfo(syncaddr, syncaddr->sa_len, hostname,
sizeof hostname, NULL, 0, 0) != 0)
goto fallback;
nauth = authdes_seccreate(servername, window, hostname, ckey);
return (nauth);
}
fallback:
dummy = authdes_seccreate(servername, window, NULL, ckey);
return (dummy);
}
/*
* Create a client handle for a unix connection. Obsoleted by clnt_vc_create()
*/
CLIENT *
clntunix_create(raddr, prog, vers, sockp, sendsz, recvsz)
struct sockaddr_un *raddr;
u_long prog;
u_long vers;
int *sockp;
u_int sendsz;
u_int recvsz;
{
struct netbuf *svcaddr;
struct netconfig *nconf;
CLIENT *cl;
int len;
cl = NULL;
nconf = NULL;
svcaddr = NULL;
if ((raddr->sun_len == 0) ||
((svcaddr = malloc(sizeof(struct netbuf))) == NULL ) ||
((svcaddr->buf = malloc(sizeof(struct sockaddr_un))) == NULL)) {
if (svcaddr != NULL)
free(svcaddr);
rpc_createerr.cf_stat = RPC_SYSTEMERROR;
rpc_createerr.cf_error.re_errno = errno;
return(cl);
}
if (*sockp < 0) {
*sockp = _socket(AF_LOCAL, SOCK_STREAM, 0);
len = raddr->sun_len = SUN_LEN(raddr);
if ((*sockp < 0) || (_connect(*sockp,
(struct sockaddr *)raddr, len) < 0)) {
rpc_createerr.cf_stat = RPC_SYSTEMERROR;
rpc_createerr.cf_error.re_errno = errno;
if (*sockp != -1)
(void)_close(*sockp);
goto done;
}
}
svcaddr->buf = raddr;
svcaddr->len = raddr->sun_len;
svcaddr->maxlen = sizeof (struct sockaddr_un);
cl = clnt_vc_create(*sockp, svcaddr, prog,
vers, sendsz, recvsz);
done:
free(svcaddr->buf);
free(svcaddr);
return(cl);
}
/*
* Creates, registers, and returns a (rpc) unix based transporter.
* Obsoleted by svc_vc_create().
*/
SVCXPRT *
svcunix_create(sock, sendsize, recvsize, path)
int sock;
u_int sendsize;
u_int recvsize;
char *path;
{
struct netconfig *nconf;
void *localhandle;
struct sockaddr_un sun;
struct sockaddr *sa;
struct t_bind taddr;
SVCXPRT *xprt;
int addrlen;
xprt = (SVCXPRT *)NULL;
localhandle = setnetconfig();
while ((nconf = getnetconfig(localhandle)) != NULL) {
if (nconf->nc_protofmly != NULL &&
strcmp(nconf->nc_protofmly, NC_LOOPBACK) == 0)
break;
}
if (nconf == NULL)
return(xprt);
if ((sock = __rpc_nconf2fd(nconf)) < 0)
goto done;
memset(&sun, 0, sizeof sun);
sun.sun_family = AF_LOCAL;
if (strlcpy(sun.sun_path, path, sizeof(sun.sun_path)) >=
sizeof(sun.sun_path))
goto done;
sun.sun_len = SUN_LEN(&sun);
addrlen = sizeof (struct sockaddr_un);
sa = (struct sockaddr *)&sun;
if (_bind(sock, sa, addrlen) < 0)
goto done;
taddr.addr.len = taddr.addr.maxlen = addrlen;
taddr.addr.buf = malloc(addrlen);
if (taddr.addr.buf == NULL)
goto done;
memcpy(taddr.addr.buf, sa, addrlen);
if (nconf->nc_semantics != NC_TPI_CLTS) {
if (_listen(sock, SOMAXCONN) < 0) {
free(taddr.addr.buf);
goto done;
}
}
xprt = (SVCXPRT *)svc_tli_create(sock, nconf, &taddr, sendsize, recvsize);
done:
endnetconfig(localhandle);
return(xprt);
}
/*
* Like svunix_create(), except the routine takes any *open* UNIX file
* descriptor as its first input. Obsoleted by svc_fd_create();
*/
SVCXPRT *
svcunixfd_create(fd, sendsize, recvsize)
int fd;
u_int sendsize;
u_int recvsize;
{
return (svc_fd_create(fd, sendsize, recvsize));
}
#endif /* PORTMAP */
| jhbsz/OSI-OS | Operating-System/Libraries/libc/rpc/rpc_soc.c | C | bsd-3-clause | 13,887 |
/*
* Copyright 2004-2009, IM Kit Team. All rights reserved.
* Distributed under the terms of the MIT License.
*/
#ifndef _LOGGER_H
#define _LOGGER_H
void logmsg(const char* message, ...);
#endif // _LOGGER_H
| HaikuArchives/IMKit | libs/libjabber/Logger.h | C | bsd-3-clause | 213 |
<?php
/**
* osCommerce Website
*
* @copyright (c) 2019 osCommerce; https://www.oscommerce.com
* @license MIT; https://www.oscommerce.com/license/mit.txt
*/
namespace osCommerce\OM\Core\Site\Website\SQL\Partner;
use osCommerce\OM\Core\Registry;
class GetCategories
{
public static function execute(array $data): array
{
$OSCOM_PDO = Registry::get('PDO');
if (isset($data['language_id'])) {
$sql = <<<EOD
select
coalesce(lang_user.title, lang_en.title) as title,
c.code
from
:table_website_partner_category c
left join
:table_website_partner_category_lang lang_user
on
(c.id = lang_user.id and lang_user.languages_id = :languages_id)
left join
:table_website_partner_category_lang lang_en
on
(c.id = lang_en.id and lang_en.languages_id = :default_language_id),
:table_website_partner_transaction t,
:table_website_partner p
left join
:table_website_partner_info pi_lang_user
on
(p.id = pi_lang_user.partner_id and pi_lang_user.languages_id = :languages_id)
left join
:table_website_partner_info pi_lang_en
on
(p.id = pi_lang_en.partner_id and pi_lang_en.languages_id = :default_language_id),
:table_website_partner_package pp
where
t.date_start <= now() and
t.date_end >= now() and
t.package_id = pp.id and
pp.status = 1 and
t.partner_id = p.id and
p.category_id = c.id and
coalesce(pi_lang_user.image_small, pi_lang_en.image_small) != '' and
coalesce(pi_lang_user.desc_short, pi_lang_en.desc_short) != '' and
coalesce(pi_lang_user.desc_long, pi_lang_en.desc_long) != ''
group by
c.id
order by
c.sort_order,
title
EOD;
} else {
$sql = <<<EOD
select
cl.title,
c.code
from
:table_website_partner_category c,
:table_website_partner_category_lang cl,
:table_website_partner_transaction t,
:table_website_partner p,
:table_website_partner_info pi,
:table_website_partner_package pp
where
t.date_start <= now() and
t.date_end >= now() and
t.package_id = pp.id and
pp.status = 1 and
t.partner_id = p.id and
p.category_id = c.id and
c.id = cl.id and
cl.languages_id = :default_language_id and
p.id = pi.partner_id and
pi.languages_id = cl.languages_id and
pi.image_small != '' and
pi.desc_short != '' and
pi.desc_long != ''
group by
c.id
order by
c.sort_order,
cl.title
EOD;
}
$Qgroups = $OSCOM_PDO->prepare($sql);
if (isset($data['language_id'])) {
$Qgroups->bindInt(':languages_id', $data['language_id']);
}
$Qgroups->bindInt(':default_language_id', $data['default_language_id']);
$Qgroups->setCache('website_partner_categories-lang' . ($data['language_id'] ?? $data['default_language_id']), 720);
$Qgroups->execute();
return $Qgroups->fetchAll();
}
}
| haraldpdl/oscommerce_website | osCommerce/OM/Custom/Site/Website/SQL/Partner/GetCategories.php | PHP | bsd-3-clause | 2,889 |
#pragma once
#include <agency/detail/config.hpp>
#include <agency/detail/requires.hpp>
#include <agency/future.hpp>
#include <agency/execution/executor/executor_traits/executor_future.hpp>
#include <agency/execution/executor/executor_traits/is_executor.hpp>
#include <utility>
#include <type_traits>
namespace agency
{
namespace detail
{
template<class Executor, class T, class... Args>
struct has_make_ready_future_impl
{
template<
class Executor2,
typename = decltype(
std::declval<Executor2&>().template make_ready_future<T>(
std::declval<Args>()...
)
)
>
static std::true_type test(int);
template<class>
static std::false_type test(...);
using type = decltype(test<Executor>(0));
};
template<class Executor, class T, class... Args>
using has_make_ready_future = typename has_make_ready_future_impl<Executor,T,Args...>::type;
// this overload handles the case of executors which have the member function .make_ready_future()
__agency_exec_check_disable__
template<class T, class Executor, class... Args>
__AGENCY_ANNOTATION
executor_future_t<Executor,T>
make_ready_future_impl(std::true_type, Executor& exec, Args&&... args)
{
return exec.template make_ready_future<T>(std::forward<Args>(args)...);
} // end make_ready_future_impl()
// this overload handles the case of executors which do not have the member function .make_ready_future()
template<class T, class Executor, class... Args>
__AGENCY_ANNOTATION
executor_future_t<Executor,T>
make_ready_future_impl(std::false_type, Executor&, Args&&... args)
{
using future_type = executor_future_t<Executor,T>;
return future_traits<future_type>::template make_ready<T>(std::forward<Args>(args)...);
} // end make_ready_future_impl()
} // end detail
template<class T, class E, class... Args,
__AGENCY_REQUIRES(detail::Executor<E>())
>
__AGENCY_ANNOTATION
executor_future_t<E,T> make_ready_future(E& exec, Args&&... args)
{
using check_for_member_function = detail::has_make_ready_future<
E,
T,
Args&&...
>;
return detail::make_ready_future_impl<T>(check_for_member_function(), exec, std::forward<Args>(args)...);
} // end make_ready_future()
} // end agency
| egaburov/agency | agency/execution/executor/customization_points/make_ready_future.hpp | C++ | bsd-3-clause | 2,217 |
{-# LANGUAGE DataKinds #-}
{-# LANGUAGE FlexibleContexts #-}
{-# LANGUAGE FlexibleInstances #-}
{-# LANGUAGE FunctionalDependencies #-}
{-# LANGUAGE MultiParamTypeClasses #-}
{-# LANGUAGE OverloadedStrings #-}
{-# LANGUAGE ScopedTypeVariables #-}
{-# LANGUAGE TupleSections #-}
{-# LANGUAGE TypeFamilies #-}
{-# LANGUAGE TypeSynonymInstances #-}
module Test.Hspec.Snap (
-- * Running blocks of hspec-snap tests
snap
, modifySite
, modifySite'
, afterEval
, beforeEval
-- * Core data types
, TestResponse(..)
, SnapHspecM
-- * Factory style test data generation
, Factory(..)
-- * Requests
, delete
, get
, get'
, post
, postJson
, put
, put'
, params
-- * Helpers for dealing with TestResponses
, restrictResponse
-- * Dealing with session state (EXPERIMENTAL)
, recordSession
, HasSession(..)
, sessionShouldContain
, sessionShouldNotContain
-- * Evaluating application code
, eval
-- * Unit test assertions
, shouldChange
, shouldEqual
, shouldNotEqual
, shouldBeTrue
, shouldNotBeTrue
-- * Response assertions
, should200
, shouldNot200
, should404
, shouldNot404
, should300
, shouldNot300
, should300To
, shouldNot300To
, shouldHaveSelector
, shouldNotHaveSelector
, shouldHaveText
, shouldNotHaveText
-- * Form tests
, FormExpectations(..)
, form
-- * Internal types and helpers
, SnapHspecState(..)
, setResult
, runRequest
, runHandlerSafe
, evalHandlerSafe
) where
import Control.Applicative ((<$>))
import Control.Concurrent.MVar (MVar, newEmptyMVar, newMVar
,putMVar, readMVar, takeMVar)
import Control.Exception (SomeException, catch)
import Control.Monad (void)
import Control.Monad.State (StateT (..), runStateT)
import qualified Control.Monad.State as S (get, put)
import Control.Monad.Trans (liftIO)
import Data.Aeson (encode, ToJSON)
import Data.ByteString (ByteString)
import qualified Data.ByteString.Lazy as LBS (ByteString)
import Data.ByteString.Lazy (fromStrict, toStrict)
import qualified Data.Map as M
import Data.Maybe (fromMaybe)
import Data.Text (Text)
import qualified Data.Text as T
import qualified Data.Text.Encoding as T
import Snap.Core (Response (..), getHeader)
import qualified Snap.Core as Snap
import Snap.Snaplet (Handler, Snaplet, SnapletInit,
SnapletLens, with)
import Snap.Snaplet.Session (SessionManager, commitSession,
sessionToList, setInSession)
import Snap.Snaplet.Test (InitializerState, closeSnaplet,
evalHandler', getSnaplet, runHandler')
import Snap.Test (RequestBuilder, getResponseBody)
import qualified Snap.Test as Test
import Test.Hspec
import Test.Hspec.Core.Spec
import qualified Text.Digestive as DF
import qualified Text.HandsomeSoup as HS
import qualified Text.XML.HXT.Core as HXT
-- | The result of making requests against your application. Most
-- assertions act against these types (for example, `should200`,
-- `shouldHaveSelector`, etc).
data TestResponse = Html Text
| Json LBS.ByteString
| NotFound
| Redirect Int Text
| Other Int
| Empty
deriving (Show, Eq)
-- | The main monad that tests run inside of. This allows both access
-- to the application (via requests and `eval`) and to running
-- assertions (like `should404` or `shouldHaveText`).
type SnapHspecM b = StateT (SnapHspecState b) IO
-- | Internal state used to share site initialization across tests, and to propogate failures.
-- Understanding it is completely unnecessary to use the library.
--
-- The fields it contains, in order, are:
--
-- > Result
-- > Main handler
-- > Startup state
-- > Startup state
-- > Session state
-- > Before handler (runs before each eval)
-- > After handler (runs after each eval).
data SnapHspecState b = SnapHspecState Result
(Handler b b ())
(Snaplet b)
(InitializerState b)
(MVar [(Text, Text)])
(Handler b b ())
(Handler b b ())
instance Example (SnapHspecM b ()) where
type Arg (SnapHspecM b ()) = SnapHspecState b
evaluateExample s _ cb _ =
do mv <- newEmptyMVar
cb $ \st -> do ((),SnapHspecState r' _ _ _ _ _ _) <- runStateT s st
putMVar mv r'
takeMVar mv
-- | Factory instances allow you to easily generate test data.
--
-- Essentially, you specify a default way of constructing a
-- data type, and allow certain parts of it to be modified (via
-- the 'fields' data structure).
--
-- An example follows:
--
-- > data Foo = Foo Int
-- > newtype FooFields = FooFields (IO Int)
-- > instance Factory App Foo FooFields where
-- > fields = FooFields randomIO
-- > save f = liftIO f >>= saveFoo . Foo1
-- >
-- > main = do create id :: SnapHspecM App Foo
-- > create (const $ FooFields (return 1)) :: SnapHspecM App Foo
class Factory b a d | a -> b, a -> d, d -> a where
fields :: d
save :: d -> SnapHspecM b a
create :: (d -> d) -> SnapHspecM b a
create transform = save $ transform fields
reload :: a -> SnapHspecM b a
reload = return
-- | The way to run a block of `SnapHspecM` tests within an `hspec`
-- test suite. This takes both the top level handler (usually `route
-- routes`, where `routes` are all the routes for your site) and the
-- site initializer (often named `app`), and a block of tests. A test
-- suite can have multiple calls to `snap`, though each one will cause
-- the site initializer to run, which is often a slow operation (and
-- will slow down test suites).
snap :: Handler b b () -> SnapletInit b b -> SpecWith (SnapHspecState b) -> Spec
snap site app spec = do
snapinit <- runIO $ getSnaplet (Just "test") app
mv <- runIO (newMVar [])
case snapinit of
Left err -> error $ show err
Right (snaplet, initstate) ->
afterAll (const $ closeSnaplet initstate) $
before (return (SnapHspecState Success site snaplet initstate mv (return ()) (return ()))) spec
-- | This allows you to change the default handler you are running
-- requests against within a block. This is most likely useful for
-- setting request state (for example, logging a user in).
modifySite :: (Handler b b () -> Handler b b ())
-> SpecWith (SnapHspecState b)
-> SpecWith (SnapHspecState b)
modifySite f = beforeWith (\(SnapHspecState r site snaplet initst sess bef aft) ->
return (SnapHspecState r (f site) snaplet initst sess bef aft))
-- | This performs a similar operation to `modifySite` but in the context
-- of `SnapHspecM` (which is needed if you need to `eval`, produce values, and
-- hand them somewhere else (so they can't be created within `f`).
modifySite' :: (Handler b b () -> Handler b b ())
-> SnapHspecM b a
-> SnapHspecM b a
modifySite' f a = do (SnapHspecState r site s i sess bef aft) <- S.get
S.put (SnapHspecState r (f site) s i sess bef aft)
a
-- | Evaluate a Handler action after each test.
afterEval :: Handler b b () -> SpecWith (SnapHspecState b) -> SpecWith (SnapHspecState b)
afterEval h = after (\(SnapHspecState _r _site s i _ _ _) ->
do res <- evalHandlerSafe h s i
case res of
Right _ -> return ()
Left msg -> liftIO $ print msg)
-- | Evaluate a Handler action before each test.
beforeEval :: Handler b b () -> SpecWith (SnapHspecState b) -> SpecWith (SnapHspecState b)
beforeEval h = beforeWith (\state@(SnapHspecState _r _site s i _ _ _) -> do void $ evalHandlerSafe h s i
return state)
class HasSession b where
getSessionLens :: SnapletLens b SessionManager
recordSession :: HasSession b => SnapHspecM b a -> SnapHspecM b a
recordSession a =
do (SnapHspecState r site s i mv bef aft) <- S.get
S.put (SnapHspecState r site s i mv
(do ps <- liftIO $ readMVar mv
with getSessionLens $ mapM_ (uncurry setInSession) ps
with getSessionLens commitSession)
(do ps' <- with getSessionLens sessionToList
void . liftIO $ takeMVar mv
liftIO $ putMVar mv ps'))
res <- a
(SnapHspecState r' _ _ _ _ _ _) <- S.get
void . liftIO $ takeMVar mv
liftIO $ putMVar mv []
S.put (SnapHspecState r' site s i mv bef aft)
return res
sessContents :: SnapHspecM b Text
sessContents = do
(SnapHspecState _ _ _ _ mv _ _) <- S.get
ps <- liftIO $ readMVar mv
return $ T.concat (map (uncurry T.append) ps)
sessionShouldContain :: Text -> SnapHspecM b ()
sessionShouldContain t =
do contents <- sessContents
if t `T.isInfixOf` contents
then setResult Success
else setResult (Fail $ "Session did not contain: " ++ T.unpack t
++ "\n\nSession was:\n" ++ T.unpack contents)
sessionShouldNotContain :: Text -> SnapHspecM b ()
sessionShouldNotContain t =
do contents <- sessContents
if t `T.isInfixOf` contents
then setResult (Fail $ "Session should not have contained: " ++ T.unpack t
++ "\n\nSession was:\n" ++ T.unpack contents)
else setResult Success
-- | Runs a DELETE request
delete :: Text -> SnapHspecM b TestResponse
delete path = runRequest (Test.delete (T.encodeUtf8 path) M.empty)
-- | Runs a GET request.
get :: Text -> SnapHspecM b TestResponse
get path = get' path M.empty
-- | Runs a GET request, with a set of parameters.
get' :: Text -> Snap.Params -> SnapHspecM b TestResponse
get' path ps = runRequest (Test.get (T.encodeUtf8 path) ps)
-- | A helper to construct parameters.
params :: [(ByteString, ByteString)] -- ^ Pairs of parameter and value.
-> Snap.Params
params = M.fromList . map (\x -> (fst x, [snd x]))
-- | Creates a new POST request, with a set of parameters.
post :: Text -> Snap.Params -> SnapHspecM b TestResponse
post path ps = runRequest (Test.postUrlEncoded (T.encodeUtf8 path) ps)
-- | Creates a new POST request with a given JSON value as the request body.
postJson :: ToJSON tj => Text -> tj -> SnapHspecM b TestResponse
postJson path json = runRequest $ Test.postRaw (T.encodeUtf8 path)
"application/json"
(toStrict $ encode json)
-- | Creates a new PUT request, with a set of parameters, with a default type of "application/x-www-form-urlencoded"
put :: Text -> Snap.Params -> SnapHspecM b TestResponse
put path params' = put' path "application/x-www-form-urlencoded" params'
-- | Creates a new PUT request with a configurable MIME/type
put' :: Text -> Text -> Snap.Params -> SnapHspecM b TestResponse
put' path mime params' = runRequest $ do
Test.put (T.encodeUtf8 path) (T.encodeUtf8 mime) ""
Test.setQueryString params'
-- | Restricts a response to matches for a given CSS selector.
-- Does nothing to non-Html responses.
restrictResponse :: Text -> TestResponse -> TestResponse
restrictResponse selector (Html body) =
case HXT.runLA (HXT.xshow $ HXT.hread HXT.>>> HS.css (T.unpack selector)) (T.unpack body) of
[] -> Html ""
matches -> Html (T.concat (map T.pack matches))
restrictResponse _ r = r
-- | Runs an arbitrary stateful action from your application.
eval :: Handler b b a -> SnapHspecM b a
eval act = do (SnapHspecState _ _site app is _mv bef aft) <- S.get
liftIO $ either (error . T.unpack) id <$> evalHandlerSafe (do bef
r <- act
aft
return r) app is
-- | Records a test Success or Fail. Only the first Fail will be
-- recorded (and will cause the whole block to Fail).
setResult :: Result -> SnapHspecM b ()
setResult r = do (SnapHspecState r' s a i sess bef aft) <- S.get
case r' of
Success -> S.put (SnapHspecState r s a i sess bef aft)
_ -> return ()
-- | Asserts that a given stateful action will produce a specific different result after
-- an action has been run.
shouldChange :: (Show a, Eq a)
=> (a -> a)
-> Handler b b a
-> SnapHspecM b c
-> SnapHspecM b ()
shouldChange f v act = do before' <- eval v
void act
after' <- eval v
shouldEqual (f before') after'
-- | Asserts that two values are equal.
shouldEqual :: (Show a, Eq a)
=> a
-> a
-> SnapHspecM b ()
shouldEqual a b = if a == b
then setResult Success
else setResult (Fail ("Should have held: " ++ show a ++ " == " ++ show b))
-- | Asserts that two values are not equal.
shouldNotEqual :: (Show a, Eq a)
=> a
-> a
-> SnapHspecM b ()
shouldNotEqual a b = if a == b
then setResult (Fail ("Should not have held: " ++ show a ++ " == " ++ show b))
else setResult Success
-- | Asserts that the value is True.
shouldBeTrue :: Bool
-> SnapHspecM b ()
shouldBeTrue True = setResult Success
shouldBeTrue False = setResult (Fail "Value should have been True.")
-- | Asserts that the value is not True (otherwise known as False).
shouldNotBeTrue :: Bool
-> SnapHspecM b ()
shouldNotBeTrue False = setResult Success
shouldNotBeTrue True = setResult (Fail "Value should have been True.")
-- | Asserts that the response is a success (either Html, or Other with status 200).
should200 :: TestResponse -> SnapHspecM b ()
should200 (Html _) = setResult Success
should200 (Other 200) = setResult Success
should200 r = setResult (Fail (show r))
-- | Asserts that the response is not a normal 200.
shouldNot200 :: TestResponse -> SnapHspecM b ()
shouldNot200 (Html _) = setResult (Fail "Got Html back.")
shouldNot200 (Other 200) = setResult (Fail "Got Other with 200 back.")
shouldNot200 _ = setResult Success
-- | Asserts that the response is a NotFound.
should404 :: TestResponse -> SnapHspecM b ()
should404 NotFound = setResult Success
should404 r = setResult (Fail (show r))
-- | Asserts that the response is not a NotFound.
shouldNot404 :: TestResponse -> SnapHspecM b ()
shouldNot404 NotFound = setResult (Fail "Got NotFound back.")
shouldNot404 _ = setResult Success
-- | Asserts that the response is a redirect.
should300 :: TestResponse -> SnapHspecM b ()
should300 (Redirect _ _) = setResult Success
should300 r = setResult (Fail (show r))
-- | Asserts that the response is not a redirect.
shouldNot300 :: TestResponse -> SnapHspecM b ()
shouldNot300 (Redirect _ _) = setResult (Fail "Got Redirect back.")
shouldNot300 _ = setResult Success
-- | Asserts that the response is a redirect, and thet the url it
-- redirects to starts with the given path.
should300To :: Text -> TestResponse -> SnapHspecM b ()
should300To pth (Redirect _ to) | pth `T.isPrefixOf` to = setResult Success
should300To _ r = setResult (Fail (show r))
-- | Asserts that the response is not a redirect to a given path. Note
-- that it can still be a redirect for this assertion to succeed, the
-- path it redirects to just can't start with the given path.
shouldNot300To :: Text -> TestResponse -> SnapHspecM b ()
shouldNot300To pth (Redirect _ to) | pth `T.isPrefixOf` to = setResult (Fail "Got Redirect back.")
shouldNot300To _ _ = setResult Success
-- | Assert that a response (which should be Html) has a given selector.
shouldHaveSelector :: Text -> TestResponse -> SnapHspecM b ()
shouldHaveSelector selector r@(Html body) =
setResult $ if haveSelector' selector r
then Success
else Fail msg
where msg = T.unpack $ T.concat ["Html should have contained selector: ", selector, "\n\n", body]
shouldHaveSelector match _ = setResult (Fail (T.unpack $ T.concat ["Non-HTML body should have contained css selector: ", match]))
-- | Assert that a response (which should be Html) doesn't have a given selector.
shouldNotHaveSelector :: Text -> TestResponse -> SnapHspecM b ()
shouldNotHaveSelector selector r@(Html body) =
setResult $ if haveSelector' selector r
then Fail msg
else Success
where msg = T.unpack $ T.concat ["Html should not have contained selector: ", selector, "\n\n", body]
shouldNotHaveSelector _ _ = setResult Success
haveSelector' :: Text -> TestResponse -> Bool
haveSelector' selector (Html body) =
case HXT.runLA (HXT.hread HXT.>>> HS.css (T.unpack selector)) (T.unpack body) of
[] -> False
_ -> True
haveSelector' _ _ = False
-- | Asserts that the response (which should be Html) contains the given text.
shouldHaveText :: Text -> TestResponse -> SnapHspecM b ()
shouldHaveText match (Html body) =
if T.isInfixOf match body
then setResult Success
else setResult (Fail $ T.unpack $ T.concat [body, "' contains '", match, "'."])
shouldHaveText match _ = setResult (Fail (T.unpack $ T.concat ["Body contains: ", match]))
-- | Asserts that the response (which should be Html) does not contain the given text.
shouldNotHaveText :: Text -> TestResponse -> SnapHspecM b ()
shouldNotHaveText match (Html body) =
if T.isInfixOf match body
then setResult (Fail $ T.unpack $ T.concat [body, "' contains '", match, "'."])
else setResult Success
shouldNotHaveText _ _ = setResult Success
-- | A data type for tests against forms.
data FormExpectations a = Value a -- ^ The value the form should take (and should be valid)
| Predicate (a -> Bool)
| ErrorPaths [Text] -- ^ The error paths that should be populated
-- | Tests against digestive-functors forms.
form :: (Eq a, Show a)
=> FormExpectations a -- ^ If the form should succeed, Value a is what it should produce.
-- If failing, ErrorPaths should be all the errors that are triggered.
-> DF.Form Text (Handler b b) a -- ^ The form to run
-> M.Map Text Text -- ^ The parameters to pass
-> SnapHspecM b ()
form expected theForm theParams =
do r <- eval $ DF.postForm "form" theForm (const $ return lookupParam)
case expected of
Value a -> shouldEqual (snd r) (Just a)
Predicate f ->
case snd r of
Nothing -> setResult (Fail $ T.unpack $
T.append "Expected form to validate. Resulted in errors: "
(T.pack (show $ DF.viewErrors $ fst r)))
Just v -> if f v
then setResult Success
else setResult (Fail $ T.unpack $
T.append "Expected predicate to pass on value: "
(T.pack (show v)))
ErrorPaths expectedPaths ->
do let viewErrorPaths = map (DF.fromPath . fst) $ DF.viewErrors $ fst r
if all (`elem` viewErrorPaths) expectedPaths
then if length viewErrorPaths == length expectedPaths
then setResult Success
else setResult (Fail $ "Number of errors did not match test. Got:\n\n "
++ show viewErrorPaths
++ "\n\nBut expected:\n\n"
++ show expectedPaths)
else setResult (Fail $ "Did not have all errors specified. Got:\n\n"
++ show viewErrorPaths
++ "\n\nBut expected:\n\n"
++ show expectedPaths)
where lookupParam pth = case M.lookup (DF.fromPath pth) fixedParams of
Nothing -> return []
Just v -> return [DF.TextInput v]
fixedParams = M.mapKeys (T.append "form.") theParams
-- | Runs a request (built with helpers from Snap.Test), resulting in a response.
runRequest :: RequestBuilder IO () -> SnapHspecM b TestResponse
runRequest req = do
(SnapHspecState _ site app is _ bef aft) <- S.get
res <- liftIO $ runHandlerSafe req (bef >> site >> aft) app is
case res of
Left err ->
error $ T.unpack err
Right response ->
case rspStatus response of
404 -> return NotFound
200 ->
liftIO $ parse200 response
_ -> if rspStatus response >= 300 && rspStatus response < 400
then do let url = fromMaybe "" $ getHeader "Location" response
return (Redirect (rspStatus response) (T.decodeUtf8 url))
else return (Other (rspStatus response))
parse200 :: Response -> IO TestResponse
parse200 resp =
let body = getResponseBody resp
contentType = getHeader "content-type" resp in
case contentType of
Just "application/json" -> Json . fromStrict <$> body
_ -> Html . T.decodeUtf8 <$> body
-- | Runs a request against a given handler (often the whole site),
-- with the given state. Returns any triggered exception, or the response.
runHandlerSafe :: RequestBuilder IO ()
-> Handler b b v
-> Snaplet b
-> InitializerState b
-> IO (Either Text Response)
runHandlerSafe req site s is =
catch (runHandler' s is req site) (\(e::SomeException) -> return $ Left (T.pack $ show e))
-- | Evaluates a given handler with the given state. Returns any
-- triggered exception, or the value produced.
evalHandlerSafe :: Handler b b v
-> Snaplet b
-> InitializerState b
-> IO (Either Text v)
evalHandlerSafe act s is =
catch (evalHandler' s is (Test.get "" M.empty) act) (\(e::SomeException) -> return $ Left (T.pack $ show e))
{-# ANN put ("HLint: ignore Eta reduce"::String) #-}
| bitemyapp/hspec-snap | src/Test/Hspec/Snap.hs | Haskell | bsd-3-clause | 22,986 |
<!DOCTYPE html>
<html xmlns="http://www.w3.org/1999/xhtml">
<head>
<meta charset="utf-8" />
<title>statsmodels.sandbox.stats.multicomp.set_remove_subs — statsmodels v0.10.1 documentation</title>
<link rel="stylesheet" href="../_static/nature.css" type="text/css" />
<link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
<link rel="stylesheet" type="text/css" href="../_static/graphviz.css" />
<script type="text/javascript" id="documentation_options" data-url_root="../" src="../_static/documentation_options.js"></script>
<script type="text/javascript" src="../_static/jquery.js"></script>
<script type="text/javascript" src="../_static/underscore.js"></script>
<script type="text/javascript" src="../_static/doctools.js"></script>
<script type="text/javascript" src="../_static/language_data.js"></script>
<script async="async" type="text/javascript" src="https://cdnjs.cloudflare.com/ajax/libs/mathjax/2.7.5/latest.js?config=TeX-AMS-MML_HTMLorMML"></script>
<link rel="shortcut icon" href="../_static/statsmodels_hybi_favico.ico"/>
<link rel="author" title="About these documents" href="../about.html" />
<link rel="index" title="Index" href="../genindex.html" />
<link rel="search" title="Search" href="../search.html" />
<link rel="next" title="statsmodels.sandbox.stats.multicomp.tiecorrect" href="statsmodels.sandbox.stats.multicomp.tiecorrect.html" />
<link rel="prev" title="statsmodels.sandbox.stats.multicomp.set_partition" href="statsmodels.sandbox.stats.multicomp.set_partition.html" />
<link rel="stylesheet" href="../_static/examples.css" type="text/css" />
<link rel="stylesheet" href="../_static/facebox.css" type="text/css" />
<script type="text/javascript" src="../_static/scripts.js">
</script>
<script type="text/javascript" src="../_static/facebox.js">
</script>
<script type="text/javascript">
$.facebox.settings.closeImage = "../_static/closelabel.png"
$.facebox.settings.loadingImage = "../_static/loading.gif"
</script>
<script>
$(document).ready(function() {
$.getJSON("../../versions.json", function(versions) {
var dropdown = document.createElement("div");
dropdown.className = "dropdown";
var button = document.createElement("button");
button.className = "dropbtn";
button.innerHTML = "Other Versions";
var content = document.createElement("div");
content.className = "dropdown-content";
dropdown.appendChild(button);
dropdown.appendChild(content);
$(".header").prepend(dropdown);
for (var i = 0; i < versions.length; i++) {
if (versions[i].substring(0, 1) == "v") {
versions[i] = [versions[i], versions[i].substring(1)];
} else {
versions[i] = [versions[i], versions[i]];
};
};
for (var i = 0; i < versions.length; i++) {
var a = document.createElement("a");
a.innerHTML = versions[i][1];
a.href = "../../" + versions[i][0] + "/index.html";
a.title = versions[i][1];
$(".dropdown-content").append(a);
};
});
});
</script>
</head><body>
<div class="headerwrap">
<div class = "header">
<a href = "../index.html">
<img src="../_static/statsmodels_hybi_banner.png" alt="Logo"
style="padding-left: 15px"/></a>
</div>
</div>
<div class="related" role="navigation" aria-label="related navigation">
<h3>Navigation</h3>
<ul>
<li class="right" style="margin-right: 10px">
<a href="../genindex.html" title="General Index"
accesskey="I">index</a></li>
<li class="right" >
<a href="../py-modindex.html" title="Python Module Index"
>modules</a> |</li>
<li class="right" >
<a href="statsmodels.sandbox.stats.multicomp.tiecorrect.html" title="statsmodels.sandbox.stats.multicomp.tiecorrect"
accesskey="N">next</a> |</li>
<li class="right" >
<a href="statsmodels.sandbox.stats.multicomp.set_partition.html" title="statsmodels.sandbox.stats.multicomp.set_partition"
accesskey="P">previous</a> |</li>
<li><a href ="../install.html">Install</a></li> |
<li><a href="https://groups.google.com/forum/?hl=en#!forum/pystatsmodels">Support</a></li> |
<li><a href="https://github.com/statsmodels/statsmodels/issues">Bugs</a></li> |
<li><a href="../dev/index.html">Develop</a></li> |
<li><a href="../examples/index.html">Examples</a></li> |
<li><a href="../faq.html">FAQ</a></li> |
<li class="nav-item nav-item-1"><a href="../stats.html" accesskey="U">Statistics <code class="xref py py-mod docutils literal notranslate"><span class="pre">stats</span></code></a> |</li>
</ul>
</div>
<div class="document">
<div class="documentwrapper">
<div class="bodywrapper">
<div class="body" role="main">
<div class="section" id="statsmodels-sandbox-stats-multicomp-set-remove-subs">
<h1>statsmodels.sandbox.stats.multicomp.set_remove_subs<a class="headerlink" href="#statsmodels-sandbox-stats-multicomp-set-remove-subs" title="Permalink to this headline">¶</a></h1>
<dl class="function">
<dt id="statsmodels.sandbox.stats.multicomp.set_remove_subs">
<code class="sig-prename descclassname">statsmodels.sandbox.stats.multicomp.</code><code class="sig-name descname">set_remove_subs</code><span class="sig-paren">(</span><em class="sig-param">ssli</em><span class="sig-paren">)</span><a class="reference internal" href="../_modules/statsmodels/sandbox/stats/multicomp.html#set_remove_subs"><span class="viewcode-link">[source]</span></a><a class="headerlink" href="#statsmodels.sandbox.stats.multicomp.set_remove_subs" title="Permalink to this definition">¶</a></dt>
<dd><p>remove sets that are subsets of another set from a list of tuples</p>
<dl class="field-list simple">
<dt class="field-odd">Parameters</dt>
<dd class="field-odd"><dl class="simple">
<dt><strong>ssli</strong><span class="classifier">list of tuples</span></dt><dd><p>each tuple is considered as a set</p>
</dd>
</dl>
</dd>
<dt class="field-even">Returns</dt>
<dd class="field-even"><dl class="simple">
<dt><strong>part</strong><span class="classifier">list of tuples</span></dt><dd><p>new list with subset tuples removed, it is sorted by set-length of tuples. The
list contains original tuples, duplicate elements are not removed.</p>
</dd>
</dl>
</dd>
</dl>
<p class="rubric">Examples</p>
<div class="highlight-default notranslate"><div class="highlight"><pre><span></span><span class="gp">>>> </span><span class="n">set_remove_subs</span><span class="p">([(</span><span class="mi">0</span><span class="p">,</span> <span class="mi">1</span><span class="p">),</span> <span class="p">(</span><span class="mi">1</span><span class="p">,</span> <span class="mi">2</span><span class="p">),</span> <span class="p">(</span><span class="mi">1</span><span class="p">,</span> <span class="mi">2</span><span class="p">,</span> <span class="mi">3</span><span class="p">),</span> <span class="p">(</span><span class="mi">0</span><span class="p">,)])</span>
<span class="go">[(1, 2, 3), (0, 1)]</span>
<span class="gp">>>> </span><span class="n">set_remove_subs</span><span class="p">([(</span><span class="mi">0</span><span class="p">,</span> <span class="mi">1</span><span class="p">),</span> <span class="p">(</span><span class="mi">1</span><span class="p">,</span> <span class="mi">2</span><span class="p">),</span> <span class="p">(</span><span class="mi">1</span><span class="p">,</span><span class="mi">1</span><span class="p">,</span> <span class="mi">1</span><span class="p">,</span> <span class="mi">2</span><span class="p">,</span> <span class="mi">3</span><span class="p">),</span> <span class="p">(</span><span class="mi">0</span><span class="p">,)])</span>
<span class="go">[(1, 1, 1, 2, 3), (0, 1)]</span>
</pre></div>
</div>
</dd></dl>
</div>
</div>
</div>
</div>
<div class="sphinxsidebar" role="navigation" aria-label="main navigation">
<div class="sphinxsidebarwrapper">
<h4>Previous topic</h4>
<p class="topless"><a href="statsmodels.sandbox.stats.multicomp.set_partition.html"
title="previous chapter">statsmodels.sandbox.stats.multicomp.set_partition</a></p>
<h4>Next topic</h4>
<p class="topless"><a href="statsmodels.sandbox.stats.multicomp.tiecorrect.html"
title="next chapter">statsmodels.sandbox.stats.multicomp.tiecorrect</a></p>
<div role="note" aria-label="source link">
<h3>This Page</h3>
<ul class="this-page-menu">
<li><a href="../_sources/generated/statsmodels.sandbox.stats.multicomp.set_remove_subs.rst.txt"
rel="nofollow">Show Source</a></li>
</ul>
</div>
<div id="searchbox" style="display: none" role="search">
<h3 id="searchlabel">Quick search</h3>
<div class="searchformwrapper">
<form class="search" action="../search.html" method="get">
<input type="text" name="q" aria-labelledby="searchlabel" />
<input type="submit" value="Go" />
</form>
</div>
</div>
<script type="text/javascript">$('#searchbox').show(0);</script>
</div>
</div>
<div class="clearer"></div>
</div>
<div class="footer" role="contentinfo">
© Copyright 2009-2018, Josef Perktold, Skipper Seabold, Jonathan Taylor, statsmodels-developers.
Created using <a href="http://sphinx-doc.org/">Sphinx</a> 2.1.2.
</div>
</body>
</html> | statsmodels/statsmodels.github.io | v0.10.1/generated/statsmodels.sandbox.stats.multicomp.set_remove_subs.html | HTML | bsd-3-clause | 9,571 |
/*
* This file is part of the Soletta Project
*
* Copyright (C) 2015 Intel Corporation. All rights reserved.
*
* 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.
* * Neither the name of Intel Corporation nor the names of its
* contributors may 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.
*/
/* Copyright (c) 2001, 2002, 2003, 2004, 2005, 2006, 2007, 2008, 2009,
* 2010, 2011, 2012, 2013, 2014, 2015 Python Software Foundation; All
* Rights Reserved. This file has code excerpts (string module)
* extracted from cpython project (https://hg.python.org/cpython/),
* that comes under the PSFL license. The string formatting code was
* adapted here to Soletta data types. The entire text for that
* license is present in this directory */
#include <ctype.h>
#include <errno.h>
#include <limits.h>
#include <stdbool.h>
#include <stdlib.h>
#include <string.h>
#include <sys/types.h>
#include <unicode/ustring.h>
#include <unicode/utypes.h>
#include <unicode/uchar.h>
#include "string.h"
#define FAST_COUNT 0
#define FAST_SEARCH 1
#define STRINGLIB_BLOOM_WIDTH sizeof(UChar)
#define STRINGLIB_BLOOM_ADD(mask, ch) \
((mask |= (1UL << ((ch) & (STRINGLIB_BLOOM_WIDTH - 1)))))
#define STRINGLIB_BLOOM(mask, ch) \
((mask & (1UL << ((ch) & (STRINGLIB_BLOOM_WIDTH - 1)))))
static inline ssize_t
fast_search(const UChar *str,
size_t str_len,
const UChar *pattern,
size_t pattern_len,
size_t max_count,
int mode)
{
const UChar *str_ptr;
const UChar *pattern_ptr;
unsigned long mask;
size_t i, j, mlast;
size_t skip, count = 0;
ssize_t w;
w = str_len - pattern_len;
if (w < 0 || (mode == FAST_COUNT && max_count == 0))
return -1;
/* look for special cases */
if (pattern_len <= 1) {
if (pattern_len <= 0)
return -1;
/* use special case for 1-character strings */
if (str_len > 10 && (mode == FAST_SEARCH)) {
/* use memchr if we can choose a needle without too many
likely false positives */
UChar *ptr = u_memchr(str, pattern[0], str_len);
if (!ptr)
return -1;
return ptr - str;
}
if (mode == FAST_COUNT) {
for (i = 0; i < str_len; i++)
if (str[i] == pattern[0]) {
count++;
if (count == max_count)
return max_count;
}
return count;
} else { /* (mode == FAST_SEARCH) */
for (i = 0; i < str_len; i++)
if (str[i] == pattern[0])
return i;
}
return -1;
}
mlast = pattern_len - 1;
skip = mlast - 1;
mask = 0;
str_ptr = str + pattern_len - 1;
pattern_ptr = pattern + pattern_len - 1;
/* create compressed boyer-moore delta 1 table */
/* process pattern[:-1] */
for (i = 0; i < mlast; i++) {
STRINGLIB_BLOOM_ADD(mask, pattern[i]);
if (pattern[i] == pattern[mlast])
skip = mlast - i - 1;
}
/* process pattern[-1] outside the loop */
STRINGLIB_BLOOM_ADD(mask, pattern[mlast]);
for (i = 0; i <= (size_t)w; i++) {
/* note: using mlast in the skip path slows things down on x86 */
if (str_ptr[i] == pattern_ptr[0]) {
/* candidate match */
for (j = 0; j < mlast; j++)
if (str[i + j] != pattern[j])
break;
if (j == mlast) {
/* got a match! */
if (mode != FAST_COUNT)
return i;
count++;
if (count == max_count)
return max_count;
i = i + mlast;
continue;
}
/* miss: check if next character is part of pattern */
if (!STRINGLIB_BLOOM(mask, str_ptr[i + 1]))
i = i + pattern_len;
else
i = i + skip;
} else {
/* skip: check if next character is part of pattern */
if (!STRINGLIB_BLOOM(mask, str_ptr[i + 1]))
i = i + pattern_len;
}
}
if (mode != FAST_COUNT)
return -1;
return count;
}
static inline ssize_t
sub_str_count(const UChar *str,
size_t str_len,
const UChar *sub,
size_t sub_len,
size_t max_count)
{
ssize_t count;
if (sub_len == 0)
return (str_len < max_count) ? str_len + 1 : max_count;
count = fast_search(str, str_len, sub, sub_len, max_count, FAST_COUNT);
if (count < 0)
return 0; /* no match */
return count;
}
static inline ssize_t
sub_str_find(const UChar *str,
ssize_t str_len,
const UChar *sub,
ssize_t sub_len,
ssize_t offset)
{
ssize_t pos;
if (sub_len == 0)
return offset;
pos = fast_search(str, str_len, sub, sub_len, -1, FAST_SEARCH);
if (pos >= 0)
pos += offset;
return pos;
}
#define ICU_STR_FROM_UTF8_GOTO(_icu_str, _icu_sz, _icu_err_val, \
_utf_str, _icu_size_calc_goto, _no_mem_goto, _icu_conv_goto) \
do { \
_icu_err_val = U_ZERO_ERROR; \
u_strFromUTF8(NULL, 0, &_icu_sz, _utf_str, -1, &_icu_err_val); \
if (U_FAILURE(_icu_err_val) && \
_icu_err_val != U_BUFFER_OVERFLOW_ERROR) \
goto _icu_size_calc_goto; \
_icu_str = calloc(_icu_sz + 1, sizeof(*_icu_str)); \
if (!_icu_str) \
goto _no_mem_goto; \
_icu_err_val = U_ZERO_ERROR; \
u_strFromUTF8(_icu_str, _icu_sz + 1, &_icu_sz, _utf_str, \
-1, &_icu_err_val); \
if (U_FAILURE(_icu_err_val)) { \
goto _icu_conv_goto; \
} \
} while (0)
static UChar *
u_strdup(UChar *in)
{
uint32_t len = u_strlen(in) + 1;
UChar *result = malloc(sizeof(UChar) * len);
SOL_NULL_CHECK(result, NULL);
u_memcpy(result, in, len);
return result;
}
static inline void
replace_1_char_in_place(UChar *s, UChar *end,
UChar u1, UChar u2, ssize_t max_count)
{
*s = u2;
while (--max_count && ++s != end) {
/* Find the next character to be replaced. If it occurs often,
* it is faster to scan for it using an inline loop. If it
* occurs seldom, it is faster to scan for it using a function
* call; the overhead of the function call is amortized across
* the many characters that call covers. We start with an
* inline loop and use a heuristic to determine whether to
* fall back to a function call.
*/
if (*s != u1) {
int attempts = 10;
while (true) {
if (++s == end)
return;
if (*s == u1)
break;
if (!--attempts) {
s++;
s = u_memchr(s, u1, end - s);
if (s == NULL)
return;
/* restart the dummy loop */
break;
}
}
}
*s = u2;
}
}
UChar *
string_replace(struct sol_flow_node *node,
UChar *value,
UChar *change_from,
UChar *change_to,
size_t max_count)
{
UChar *ret;
size_t value_len = u_strlen(value);
size_t change_to_len = u_strlen(change_to);
size_t change_from_len = u_strlen(change_from);
if (max_count == 0) {
ret = u_strdup(value);
goto nothing;
}
if (u_strcmp(change_from, change_to) == 0) {
ret = u_strdup(value);
goto nothing;
}
if (change_from_len == change_to_len) {
/* same length */
if (change_from_len == 0) {
ret = u_strdup(value);
goto nothing;
}
if (change_from_len == 1) {
/* replace characters */
ret = u_strdup(value);
replace_1_char_in_place(ret, ret + value_len, change_from[0],
change_to[0], max_count);
} else {
UChar *token;
ssize_t i;
ret = u_strdup(value);
token = u_strFindFirst(value, value_len, change_from,
change_from_len);
if (!token)
goto nothing;
i = token - value;
u_memcpy(ret, value, value_len);
/* change everything in-place, starting with this one */
u_memcpy(ret + i, change_to, change_to_len);
i += change_from_len;
while (--max_count > 0) {
token = u_strFindFirst(value + i, value_len - i, change_from,
change_from_len);
if (!token)
break;
u_memcpy(ret + i, change_to, change_to_len);
i += change_from_len;
}
}
} else {
ssize_t count, i, j, ires, new_size;
int r;
count = sub_str_count(value, value_len,
change_from, change_from_len, max_count);
if (count == 0) {
ret = u_strdup(value);
goto nothing;
}
if (change_from_len < change_to_len &&
change_to_len - change_from_len >
(INT32_MAX - value_len) / count) {
sol_flow_send_error_packet(node, -EINVAL,
"replace string is too long");
goto error;
}
r = sol_util_ssize_mul(count,
(ssize_t)(change_to_len - change_from_len), &new_size);
if (r < 0 ||
(new_size > 0 && SSIZE_MAX - new_size < (ssize_t)value_len)) {
sol_flow_send_error_packet(node, -EINVAL,
"replace string is too long");
goto error;
}
new_size += value_len;
if (new_size == 0) {
UErrorCode err;
r = icu_str_from_utf8("", &ret, &err);
SOL_INT_CHECK_GOTO(r, < 0, error);
goto done;
}
ret = calloc(new_size + 1, sizeof(*ret));
if (!ret)
goto error;
ires = i = 0;
if (change_from_len > 0) {
while (count-- > 0) {
UChar *token;
/* look for next match */
token = u_strFindFirst(value + i, value_len - i, change_from,
change_from_len);
if (!token) {
free(ret);
ret = u_strdup(value);
goto nothing;
}
j = sub_str_find(value + i, value_len - i,
change_from, change_from_len, i);
if (j == -1)
break;
else if (j > i) {
/* copy unchanged part [i:j] */
u_memcpy(ret + ires, value + i, (j - i));
ires += j - i;
}
/* copy substitution string */
if (change_to_len > 0) {
u_memcpy(ret + ires, change_to, change_to_len);
ires += change_to_len;
}
i = j + change_from_len;
}
if (i < (ssize_t)value_len)
/* copy tail [i:] */
u_memcpy(ret + ires, value + i, (value_len - i));
} else {
/* interleave */
while (count > 0) {
u_memcpy(ret + ires, change_to, change_to_len);
ires += change_to_len;
if (--count <= 0)
break;
u_memcpy(ret + ires, value + i, 1);
ires++;
i++;
}
u_memcpy(ret + ires, value + i, (value_len - i));
}
}
done:
nothing:
return ret;
error:
return NULL;
}
| ricardotk/soletta | src/modules/flow/string/string-replace-icu.c | C | bsd-3-clause | 13,088 |
/*
Copyright (c) 2012-2014 The SSDB Authors. All rights reserved.
Use of this source code is governed by a BSD-style license that can be
found in the LICENSE file.
*/
#include "server.h"
#include "../util/strings.h"
#include "../util/file.h"
#include "../util/config.h"
#include "../util/log.h"
#include "../util/ip_filter.h"
#include "link.h"
#include <vector>
static DEF_PROC(ping);
static DEF_PROC(info);
static DEF_PROC(auth);
#define TICK_INTERVAL 100 // ms
#define STATUS_REPORT_TICKS (300 * 1000/TICK_INTERVAL) // second
volatile bool quit = false;
volatile uint32_t g_ticks = 0;
void signal_handler(int sig){
switch(sig){
case SIGTERM:
case SIGINT:{
quit = true;
break;
}
case SIGALRM:{
g_ticks ++;
break;
}
}
}
NetworkServer::NetworkServer(){
tick_interval = TICK_INTERVAL;
status_report_ticks = STATUS_REPORT_TICKS;
conf = NULL;
serv_link = NULL;
link_count = 0;
fdes = new Fdevents();
ip_filter = new IpFilter();
// add built-in procs, can be overridden
proc_map.set_proc("ping", "r", proc_ping);
proc_map.set_proc("info", "r", proc_info);
proc_map.set_proc("auth", "r", proc_auth);
signal(SIGPIPE, SIG_IGN);
signal(SIGINT, signal_handler);
signal(SIGTERM, signal_handler);
#ifndef __CYGWIN__
signal(SIGALRM, signal_handler);
{
struct itimerval tv;
tv.it_interval.tv_sec = (TICK_INTERVAL / 1000);
tv.it_interval.tv_usec = (TICK_INTERVAL % 1000) * 1000;
tv.it_value.tv_sec = 1;
tv.it_value.tv_usec = 0;
setitimer(ITIMER_REAL, &tv, NULL);
}
#endif
}
NetworkServer::~NetworkServer(){
delete conf;
delete serv_link;
delete fdes;
delete ip_filter;
writer->stop();
delete writer;
reader->stop();
delete reader;
}
void NetworkServer::init(const char *conf_file){
if(!is_file(conf_file)){
fprintf(stderr, "'%s' is not a file or not exists!\n", conf_file);
exit(1);
}
conf = Config::load(conf_file);
if(!conf){
fprintf(stderr, "error loading conf file: '%s'\n", conf_file);
exit(1);
}
{
std::string conf_dir = real_dirname(conf_file);
if(chdir(conf_dir.c_str()) == -1){
fprintf(stderr, "error chdir: %s\n", conf_dir.c_str());
exit(1);
}
}
this->init(*conf);
}
void NetworkServer::init(const Config &conf){
// init ip_filter
{
Config *cc = (Config *)conf.get("server");
if(cc != NULL){
std::vector<Config *> *children = &cc->children;
std::vector<Config *>::iterator it;
for(it = children->begin(); it != children->end(); it++){
if((*it)->key == "allow"){
const char *ip = (*it)->str();
log_info(" allow %s", ip);
ip_filter->add_allow(ip);
}
if((*it)->key == "deny"){
const char *ip = (*it)->str();
log_info(" deny %s", ip);
ip_filter->add_deny(ip);
}
}
}
}
{ // server
const char *ip = conf.get_str("server.ip");
int port = conf.get_num("server.port");
if(ip == NULL || ip[0] == '\0'){
ip = "127.0.0.1";
}
serv_link = Link::listen(ip, port);
if(serv_link == NULL){
log_fatal("error opening server socket! %s", strerror(errno));
fprintf(stderr, "error opening server socket! %s\n", strerror(errno));
exit(1);
}
log_info("server listen on %s:%d", ip, port);
std::string password;
password = conf.get_str("server.auth");
if(password.size() && (password.size() < 32 || password == "very-strong-password")){
log_fatal("weak password is not allowed!");
fprintf(stderr, "WARNING! Weak password is not allowed!\n");
exit(1);
}
if(password.empty()){
log_info("auth: off");
}else{
log_info("auth: on");
}
this->need_auth = false;
if(!password.empty()){
this->need_auth = true;
this->password = password;
}
}
}
void NetworkServer::serve(){
writer = new ProcWorkerPool("writer");
writer->start(WRITER_THREADS);
reader = new ProcWorkerPool("reader");
reader->start(READER_THREADS);
ready_list_t ready_list;
ready_list_t ready_list_2;
ready_list_t::iterator it;
const Fdevents::events_t *events;
fdes->set(serv_link->fd(), FDEVENT_IN, 0, serv_link);
fdes->set(this->reader->fd(), FDEVENT_IN, 0, this->reader);
fdes->set(this->writer->fd(), FDEVENT_IN, 0, this->writer);
uint32_t last_ticks = g_ticks;
while(!quit){
// status report
if((uint32_t)(g_ticks - last_ticks) >= STATUS_REPORT_TICKS){
last_ticks = g_ticks;
log_info("server running, links: %d", this->link_count);
}
ready_list.swap(ready_list_2);
ready_list_2.clear();
if(!ready_list.empty()){
// ready_list not empty, so we should return immediately
events = fdes->wait(0);
}else{
events = fdes->wait(50);
}
if(events == NULL){
log_fatal("events.wait error: %s", strerror(errno));
break;
}
for(int i=0; i<(int)events->size(); i++){
const Fdevent *fde = events->at(i);
if(fde->data.ptr == serv_link){
Link *link = accept_link();
if(link){
this->link_count ++;
log_debug("new link from %s:%d, fd: %d, links: %d",
link->remote_ip, link->remote_port, link->fd(), this->link_count);
fdes->set(link->fd(), FDEVENT_IN, 1, link);
}
}else if(fde->data.ptr == this->reader || fde->data.ptr == this->writer){
ProcWorkerPool *worker = (ProcWorkerPool *)fde->data.ptr;
ProcJob job;
if(worker->pop(&job) == 0){
log_fatal("reading result from workers error!");
exit(0);
}
if(proc_result(&job, &ready_list) == PROC_ERROR){
//
}
}else{
proc_client_event(fde, &ready_list);
}
}
for(it = ready_list.begin(); it != ready_list.end(); it ++){
Link *link = *it;
if(link->error()){
this->link_count --;
fdes->del(link->fd());
delete link;
continue;
}
const Request *req = link->recv();
if(req == NULL){
log_warn("fd: %d, link parse error, delete link", link->fd());
this->link_count --;
fdes->del(link->fd());
delete link;
continue;
}
if(req->empty()){
fdes->set(link->fd(), FDEVENT_IN, 1, link);
continue;
}
link->active_time = millitime();
ProcJob job;
job.link = link;
this->proc(&job);
if(job.result == PROC_THREAD){
fdes->del(link->fd());
continue;
}
if(job.result == PROC_BACKEND){
fdes->del(link->fd());
this->link_count --;
continue;
}
if(proc_result(&job, &ready_list_2) == PROC_ERROR){
//
}
} // end foreach ready link
}
}
Link* NetworkServer::accept_link(){
Link *link = serv_link->accept();
if(link == NULL){
log_error("accept failed! %s", strerror(errno));
return NULL;
}
if(!ip_filter->check_pass(link->remote_ip)){
log_debug("ip_filter deny link from %s:%d", link->remote_ip, link->remote_port);
delete link;
return NULL;
}
link->nodelay();
link->noblock();
link->create_time = millitime();
link->active_time = link->create_time;
return link;
}
int NetworkServer::proc_result(ProcJob *job, ready_list_t *ready_list){
Link *link = job->link;
int len;
if(job->cmd){
job->cmd->calls += 1;
job->cmd->time_wait += job->time_wait;
job->cmd->time_proc += job->time_proc;
}
if(job->result == PROC_ERROR){
log_info("fd: %d, proc error, delete link", link->fd());
goto proc_err;
}
len = link->write();
//log_debug("write: %d", len);
if(len < 0){
log_debug("fd: %d, write: %d, delete link", link->fd(), len);
goto proc_err;
}
if(!link->output->empty()){
fdes->set(link->fd(), FDEVENT_OUT, 1, link);
}
if(link->input->empty()){
fdes->set(link->fd(), FDEVENT_IN, 1, link);
}else{
fdes->clr(link->fd(), FDEVENT_IN);
ready_list->push_back(link);
}
return PROC_OK;
proc_err:
this->link_count --;
fdes->del(link->fd());
delete link;
return PROC_ERROR;
}
/*
event:
read => ready_list OR close
write => NONE
proc =>
done: write & (read OR ready_list)
async: stop (read & write)
1. When writing to a link, it may happen to be in the ready_list,
so we cannot close that link in write process, we could only
just mark it as closed.
2. When reading from a link, it is never in the ready_list, so it
is safe to close it in read process, also safe to put it into
ready_list.
3. Ignore FDEVENT_ERR
A link is in either one of these places:
1. ready list
2. async worker queue
So it safe to delete link when processing ready list and async worker result.
*/
int NetworkServer::proc_client_event(const Fdevent *fde, ready_list_t *ready_list){
Link *link = (Link *)fde->data.ptr;
if(fde->events & FDEVENT_IN){
ready_list->push_back(link);
if(link->error()){
return 0;
}
int len = link->read();
//log_debug("fd: %d read: %d", link->fd(), len);
if(len <= 0){
log_debug("fd: %d, read: %d, delete link", link->fd(), len);
link->mark_error();
return 0;
}
}
if(fde->events & FDEVENT_OUT){
if(link->error()){
return 0;
}
int len = link->write();
if(len <= 0){
log_debug("fd: %d, write: %d, delete link", link->fd(), len);
link->mark_error();
return 0;
}
if(link->output->empty()){
fdes->clr(link->fd(), FDEVENT_OUT);
}
}
return 0;
}
void NetworkServer::proc(ProcJob *job){
job->serv = this;
job->result = PROC_OK;
job->stime = millitime();
const Request *req = job->link->last_recv();
Response resp;
do{
// AUTH
if(this->need_auth && job->link->auth == false && req->at(0) != "auth"){
resp.push_back("noauth");
resp.push_back("authentication required");
break;
}
Command *cmd = proc_map.get_proc(req->at(0));
if(!cmd){
resp.push_back("client_error");
resp.push_back("Unknown Command: " + req->at(0).String());
break;
}
job->cmd = cmd;
if(cmd->flags & Command::FLAG_THREAD){
if(cmd->flags & Command::FLAG_WRITE){
job->result = PROC_THREAD;
writer->push(*job);
}else{
job->result = PROC_THREAD;
reader->push(*job);
}
return;
}
proc_t p = cmd->proc;
job->time_wait = 1000 * (millitime() - job->stime);
job->result = (*p)(this, job->link, *req, &resp);
job->time_proc = 1000 * (millitime() - job->stime) - job->time_wait;
}while(0);
if(job->link->send(resp.resp) == -1){
job->result = PROC_ERROR;
}else{
if(log_level() >= Logger::LEVEL_DEBUG){
log_debug("w:%.3f,p:%.3f, req: %s, resp: %s",
job->time_wait, job->time_proc,
serialize_req(*req).c_str(),
serialize_req(resp.resp).c_str());
}
}
}
/* built-in procs */
static int proc_ping(NetworkServer *net, Link *link, const Request &req, Response *resp){
resp->push_back("ok");
return 0;
}
static int proc_info(NetworkServer *net, Link *link, const Request &req, Response *resp){
resp->push_back("ok");
resp->push_back("ideawu's network server framework");
resp->push_back("version");
resp->push_back("1.0");
resp->push_back("links");
resp->add(net->link_count);
{
int64_t calls = 0;
proc_map_t::iterator it;
for(it=net->proc_map.begin(); it!=net->proc_map.end(); it++){
Command *cmd = it->second;
calls += cmd->calls;
}
resp->push_back("total_calls");
resp->add(calls);
}
return 0;
}
static int proc_auth(NetworkServer *net, Link *link, const Request &req, Response *resp){
if(req.size() != 2){
resp->push_back("client_error");
}else{
if(!net->need_auth || req[1] == net->password){
link->auth = true;
resp->push_back("ok");
resp->push_back("1");
}else{
resp->push_back("error");
resp->push_back("invalid password");
}
}
return 0;
}
| iandc/mydb | src/net/server.cpp | C++ | bsd-3-clause | 11,280 |
import { Page } from 'puppeteer';
import Textbox from 'app/element/textbox';
import AuthenticatedPage from 'app/page/authenticated-page';
import { waitForDocumentTitle, waitForUrl, waitWhileLoading } from 'utils/waits-utils';
import Button from 'app/element/button';
import Textarea from 'app/element/textarea';
import { PageUrl } from 'app/text-labels';
import Link from 'app/element/link';
export const PageTitle = 'Profile';
const LabelAlias = {
ResearchBackground: 'Your research background, experience and research interests',
SaveProfile: 'Save Profile',
NeedsConfirmation: 'Please update or verify your profile.',
LooksGood: 'Looks Good'
};
const DataTestIdAlias = {
FirstName: 'givenName',
LastName: 'familyName',
ProfessionalUrl: 'professionalUrl',
Address1: 'streetAddress1',
Address2: 'streetAddress2',
City: 'city',
State: 'state',
Zip: 'zipCode',
Country: 'country'
};
export const MissingErrorAlias = {
FirstName: 'First Name',
LastName: 'Last Name',
ResearchBackground: 'Current Research',
Address1: 'Street address1',
City: 'City',
State: 'State',
Zip: 'Zip code',
Country: 'Country'
};
export default class ProfilePage extends AuthenticatedPage {
constructor(page: Page) {
super(page);
}
/**
* Load 'Profile' page and ensure page load is completed.
*/
async load(): Promise<this> {
await this.loadPage({ url: PageUrl.Profile });
await waitWhileLoading(this.page);
return this;
}
async isLoaded(): Promise<boolean> {
await Promise.all([waitForUrl(this.page, '/profile'), waitForDocumentTitle(this.page, PageTitle)]);
await waitWhileLoading(this.page);
return true;
}
getFirstNameInput(): Textbox {
return Textbox.findByName(this.page, { dataTestId: DataTestIdAlias.FirstName });
}
getLastNameInput(): Textbox {
return Textbox.findByName(this.page, { dataTestId: DataTestIdAlias.LastName });
}
getProfessionalUrlInput(): Textbox {
return Textbox.findByName(this.page, { dataTestId: DataTestIdAlias.ProfessionalUrl });
}
getResearchBackgroundTextarea(): Textarea {
return Textarea.findByName(this.page, { normalizeSpace: LabelAlias.ResearchBackground });
}
getAddress1Input(): Textbox {
return Textbox.findByName(this.page, { dataTestId: DataTestIdAlias.Address1 });
}
getAddress2Input(): Textbox {
return Textbox.findByName(this.page, { dataTestId: DataTestIdAlias.Address2 });
}
getCityInput(): Textbox {
return Textbox.findByName(this.page, { dataTestId: DataTestIdAlias.City });
}
getStateInput(): Textbox {
return Textbox.findByName(this.page, { dataTestId: DataTestIdAlias.State });
}
getZipCodeInput(): Textbox {
return Textbox.findByName(this.page, { dataTestId: DataTestIdAlias.Zip });
}
getCountryInput(): Textbox {
return Textbox.findByName(this.page, { dataTestId: DataTestIdAlias.Country });
}
getSaveProfileButton(): Button {
return Button.findByName(this.page, { name: LabelAlias.SaveProfile });
}
async needsConfirmation(): Promise<boolean> {
return await this.containsText(LabelAlias.NeedsConfirmation);
}
getLooksGoodLink(): Link {
return Link.findByName(this.page, { name: LabelAlias.LooksGood });
}
}
| all-of-us/workbench | e2e/app/page/profile-page.ts | TypeScript | bsd-3-clause | 3,249 |
// This program sends logging records directly to the server, rather
// than going through the client logging daemon.
#include "ace/SOCK_Connector.h"
#include "ace/Log_Record.h"
#include "ace/Log_Msg.h"
#include "ace/OS_NS_time.h"
#include "ace/OS_NS_stdlib.h"
#include "ace/OS_NS_unistd.h"
#include "ace/CDR_Stream.h"
static u_short LOGGER_PORT = ACE_DEFAULT_SERVER_PORT;
static const ACE_TCHAR *const LOGGER_HOST = ACE_DEFAULT_SERVER_HOST;
static const ACE_TCHAR *const DATA = ACE_TEXT ("hello world\n");
int
ACE_TMAIN (int argc, ACE_TCHAR *argv[])
{
u_short logger_port = argc > 1 ? ACE_OS::atoi (argv[1]) : LOGGER_PORT;
const ACE_TCHAR *logger_host = argc > 2 ? argv[2] : LOGGER_HOST;
ACE_SOCK_Stream logger;
ACE_SOCK_Connector connector;
ACE_INET_Addr addr (logger_port, logger_host);
ACE_Log_Record log_record (LM_DEBUG,
ACE_OS::time ((time_t *) 0),
ACE_OS::getpid ());
if (connector.connect (logger, addr) == -1)
ACE_ERROR_RETURN ((LM_ERROR, "%p\n", "open"), -1);
log_record.msg_data (DATA);
const size_t max_payload_size =
4 // type()
+ 8 // timestamp
+ 4 // process id
+ 4 // data length
+ ACE_Log_Record::MAXLOGMSGLEN // data
+ ACE_CDR::MAX_ALIGNMENT; // padding;
// Insert contents of <log_record> into payload stream.
ACE_OutputCDR payload (max_payload_size);
payload << log_record;
// Get the number of bytes used by the CDR stream.
ACE_CDR::ULong length = payload.total_length ();
// Send a header so the receiver can determine the byte order and
// size of the incoming CDR stream.
ACE_OutputCDR header (ACE_CDR::MAX_ALIGNMENT + 8);
header << ACE_OutputCDR::from_boolean (ACE_CDR_BYTE_ORDER);
// Store the size of the payload that follows
header << ACE_CDR::ULong (length);
// Use an iovec to send both buffer and payload simultaneously.
iovec iov[2];
iov[0].iov_base = header.begin ()->rd_ptr ();
iov[0].iov_len = 8;
iov[1].iov_base = payload.begin ()->rd_ptr ();
iov[1].iov_len = length;
if (logger.sendv_n (iov, 2) == -1)
ACE_ERROR_RETURN ((LM_ERROR, "%p\n", "send"), -1);
else if (logger.close () == -1)
ACE_ERROR_RETURN ((LM_ERROR, "%p\n", "close"), -1);
#if defined (ACE_WIN32)
// !!Important, Winsock is broken in that if you don't close
// down the connection before exiting main, you'll lose data.
// More over, your server might get "Access Violation" from
// within Winsock functions.
// Here we close down the connection to Logger by redirecting
// the logging destination back to stderr.
ACE_LOG_MSG->open (0, ACE_Log_Msg::STDERR, 0);
#endif /* ACE_WIN32 */
return 0;
}
| wfnex/openbras | src/ace/ACE_wrappers/netsvcs/clients/Logger/direct_logging.cpp | C++ | bsd-3-clause | 2,682 |
/******************************************************************************
* ____ _ _____ *
* / ___| / \ | ___| C++ *
* | | / _ \ | |_ Actor *
* | |___ / ___ \| _| Framework *
* \____/_/ \_|_| *
* *
* Copyright (C) 2011 - 2015 *
* Dominik Charousset <dominik.charousset (at) haw-hamburg.de> *
* *
* Distributed under the terms and conditions of the BSD 3-Clause License or *
* (at your option) under the terms and conditions of the Boost Software *
* License 1.0. See accompanying files LICENSE and LICENSE_ALTERNATIVE. *
* *
* If you did not receive a copy of the license files, see *
* http://opensource.org/licenses/BSD-3-Clause and *
* http://www.boost.org/LICENSE_1_0.txt. *
******************************************************************************/
#ifndef SOURCE_HPP
#define SOURCE_HPP
#include <QSpinBox>
#include <QProgressBar>
#include "entity.hpp"
#include "mainwindow.hpp"
class source : virtual public entity {
public:
source(environment* env, QWidget* parent, QString name);
~source() override;
void start() override;
void add_consumer(caf::actor consumer);
protected:
// Pointer to the next stage in the pipeline.
std::vector<caf::actor> consumers_;
// Pointer to the CAF stream handler to advance the stream manually.
caf::stream_manager_ptr stream_manager_;
};
#endif // SOURCE_HPP
| Neverlord/stream-simulator | include/source.hpp | C++ | bsd-3-clause | 2,011 |
<?php
namespace app\controllers;
use app\models\User;
use Yii;
use yii\base\InvalidParamException;
use yii\web\BadRequestHttpException;
use yii\web\Controller;
use yii\filters\VerbFilter;
use yii\filters\AccessControl;
use app\models\LoginForm;
use app\models\PasswordResetRequestForm;
use app\models\ResetPasswordForm;
use app\models\SignupForm;
use app\models\ContactForm;
/**
* Site controller
*/
class SiteController extends Controller
{
/**
* @inheritdoc
*/
public function behaviors()
{
return [
'access' => [
'class' => AccessControl::className(),
'only' => ['logout', 'signup'],
'rules' => [
[
'actions' => ['signup'],
'allow' => false,
],
[
'actions' => ['logout'],
'allow' => true,
'roles' => ['@'],
],
],
],
'verbs' => [
'class' => VerbFilter::className(),
'actions' => [
'logout' => ['post'],
],
],
];
}
/**
* @inheritdoc
*/
public function actions()
{
return [
'error' => [
'class' => 'yii\web\ErrorAction',
],
'captcha' => [
'class' => 'yii\captcha\CaptchaAction',
'fixedVerifyCode' => YII_ENV_TEST ? 'testme' : null,
],
];
}
/**
* Displays homepage.
*
* @return mixed
*/
public function actionIndex()
{
return $this->render('index');
}
/**
* Logs in a user.
*
* @return mixed
*/
public function actionLogin()
{
if (!Yii::$app->user->isGuest) {
return $this->goHome();
}
$model = new LoginForm();
if ($model->load(Yii::$app->request->post()) && $model->login()) {
return $this->goBack();
} else {
return $this->render('login', [
'model' => $model,
]);
}
}
/**
* Logs out the current user.
*
* @return mixed
*/
public function actionLogout()
{
Yii::$app->user->logout();
return $this->goHome();
}
/**
* Displays contact page.
*
* @return mixed
*/
public function actionContact()
{
$model = new ContactForm();
if ($model->load(Yii::$app->request->post()) && $model->validate()) {
if ($model->sendEmail(Yii::$app->params['adminEmail'])) {
Yii::$app->session->setFlash('success', 'Thank you for contacting us. We will respond to you as soon as possible.');
} else {
Yii::$app->session->setFlash('error', 'There was an error sending email.');
}
return $this->refresh();
} else {
return $this->render('contact', [
'model' => $model,
]);
}
}
/**
* Displays about page.
*
* @return mixed
*/
public function actionAbout()
{
return $this->render('about');
}
public function actionControl()
{
return $this->render('control');
}
/**
* Signs user up.
*
* @return mixed
*/
public function actionSignup()
{
$model = new SignupForm();
if ($model->load(Yii::$app->request->post())) {
if ($user = $model->signup()) {
if (Yii::$app->getUser()->login($user)) {
return $this->goHome();
}
}
}
return $this->render('signup', [
'model' => $model,
]);
}
/**
* Requests password reset.
*
* @return mixed
*/
public function actionRequestPasswordReset()
{
$model = new PasswordResetRequestForm();
if ($model->load(Yii::$app->request->post()) && $model->validate()) {
if ($model->sendEmail()) {
Yii::$app->session->setFlash('success', 'Check your email for further instructions.');
return $this->goHome();
} else {
Yii::$app->session->setFlash('error', 'Sorry, we are unable to reset password for email provided.');
}
}
return $this->render('requestPasswordResetToken', [
'model' => $model,
]);
}
/**
* Resets password.
*
* @param string $token
* @return mixed
* @throws BadRequestHttpException
*/
public function actionResetPassword($token)
{
try {
$model = new ResetPasswordForm($token);
} catch (InvalidParamException $e) {
throw new BadRequestHttpException($e->getMessage());
}
if ($model->load(Yii::$app->request->post()) && $model->validate() && $model->resetPassword()) {
Yii::$app->session->setFlash('success', 'New password was saved.');
return $this->goHome();
}
return $this->render('resetPassword', [
'model' => $model,
]);
}
public function actionTest()
{
// echo 'text';
/**
* where
* ['name'=>'value'] => WHERE name = value
* 'name = :value',[':value'=>'value'] => WHERE name = value
* [[], [] ...]
* []
*
* Yii::$app->db->createCommand('')
*/
// var_dump(User::find()->where(['id'=>'2'])->asArray()->one());
// var_dump(Yii::$app->db->createCommand('SELECT * FROM user WHERE id=:id')
// ->bindValue(':id',$_GET['id'])
// ->queryOne());
$bannedUsers=User::find()->where('id>=:value and id<:value1',[':value'=>2,':value1'=>4])->asArray()->all();
foreach($bannedUsers as $user){
echo $user['username'];
echo $user['email'].'<br>';
}
}
}
| TaciturnPerson/yii2arsenev | controllers/SiteController.php | PHP | bsd-3-clause | 6,091 |
var $ = require('jquery');
var CoreView = require('backbone/core-view');
var checkAndBuildOpts = require('builder/helpers/required-opts');
var REQUIRED_OPTS = [
'el'
];
module.exports = CoreView.extend({
events: {
'click .js-foo': '_fooHandler'
},
initialize: function (opts) {
checkAndBuildOpts(opts, REQUIRED_OPTS, this);
this._onWindowScroll = this._onWindowScroll.bind(this);
this._topBoundary = this.$el.offset().top;
this._initBinds();
},
_initBinds: function () {
this._bindScroll();
},
_onWindowScroll: function () {
this.$el.toggleClass('is-fixed', $(window).scrollTop() > this._topBoundary);
},
_unbindScroll: function () {
$(window).unbind('scroll', this._onWindowScroll);
},
_bindScroll: function () {
this._unbindScroll();
$(window).bind('scroll', this._onWindowScroll);
},
clean: function () {
this._unbindScroll();
}
});
| CartoDB/cartodb | lib/assets/javascripts/dashboard/helpers/scroll-tofixed-view.js | JavaScript | bsd-3-clause | 920 |
import os
import os.path as op
import pytest
import numpy as np
from numpy.testing import (assert_array_equal, assert_equal, assert_allclose,
assert_array_less, assert_almost_equal)
import itertools
import mne
from mne.datasets import testing
from mne.fixes import _get_img_fdata
from mne import read_trans, write_trans
from mne.io import read_info
from mne.transforms import (invert_transform, _get_trans,
rotation, rotation3d, rotation_angles, _find_trans,
combine_transforms, apply_trans, translation,
get_ras_to_neuromag_trans, _pol_to_cart,
quat_to_rot, rot_to_quat, _angle_between_quats,
_find_vector_rotation, _sph_to_cart, _cart_to_sph,
_topo_to_sph, _average_quats,
_SphericalSurfaceWarp as SphericalSurfaceWarp,
rotation3d_align_z_axis, _read_fs_xfm,
_write_fs_xfm, _quat_real, _fit_matched_points,
_quat_to_euler, _euler_to_quat,
_quat_to_affine, _compute_r2, _validate_pipeline)
from mne.utils import requires_nibabel, requires_dipy
data_path = testing.data_path(download=False)
fname = op.join(data_path, 'MEG', 'sample', 'sample_audvis_trunc-trans.fif')
fname_eve = op.join(data_path, 'MEG', 'sample',
'sample_audvis_trunc_raw-eve.fif')
subjects_dir = op.join(data_path, 'subjects')
fname_t1 = op.join(subjects_dir, 'fsaverage', 'mri', 'T1.mgz')
base_dir = op.join(op.dirname(__file__), '..', 'io', 'tests', 'data')
fname_trans = op.join(base_dir, 'sample-audvis-raw-trans.txt')
test_fif_fname = op.join(base_dir, 'test_raw.fif')
ctf_fname = op.join(base_dir, 'test_ctf_raw.fif')
hp_fif_fname = op.join(base_dir, 'test_chpi_raw_sss.fif')
def test_tps():
"""Test TPS warping."""
az = np.linspace(0., 2 * np.pi, 20, endpoint=False)
pol = np.linspace(0, np.pi, 12)[1:-1]
sph = np.array(np.meshgrid(1, az, pol, indexing='ij'))
sph.shape = (3, -1)
assert_equal(sph.shape[1], 200)
source = _sph_to_cart(sph.T)
destination = source.copy()
destination *= 2
destination[:, 0] += 1
# fit with 100 points
warp = SphericalSurfaceWarp()
assert 'no ' in repr(warp)
warp.fit(source[::3], destination[::2])
assert 'oct5' in repr(warp)
destination_est = warp.transform(source)
assert_allclose(destination_est, destination, atol=1e-3)
@testing.requires_testing_data
def test_get_trans():
"""Test converting '-trans.txt' to '-trans.fif'."""
trans = read_trans(fname)
trans = invert_transform(trans) # starts out as head->MRI, so invert
trans_2 = _get_trans(fname_trans)[0]
assert trans.__eq__(trans_2, atol=1e-5)
@testing.requires_testing_data
def test_io_trans(tmpdir):
"""Test reading and writing of trans files."""
tempdir = str(tmpdir)
os.mkdir(op.join(tempdir, 'sample'))
pytest.raises(RuntimeError, _find_trans, 'sample', subjects_dir=tempdir)
trans0 = read_trans(fname)
fname1 = op.join(tempdir, 'sample', 'test-trans.fif')
trans0.save(fname1)
assert fname1 == _find_trans('sample', subjects_dir=tempdir)
trans1 = read_trans(fname1)
# check all properties
assert trans0 == trans1
# check reading non -trans.fif files
pytest.raises(IOError, read_trans, fname_eve)
# check warning on bad filenames
fname2 = op.join(tempdir, 'trans-test-bad-name.fif')
with pytest.warns(RuntimeWarning, match='-trans.fif'):
write_trans(fname2, trans0)
def test_get_ras_to_neuromag_trans():
"""Test the coordinate transformation from ras to neuromag."""
# create model points in neuromag-like space
rng = np.random.RandomState(0)
anterior = [0, 1, 0]
left = [-1, 0, 0]
right = [.8, 0, 0]
up = [0, 0, 1]
rand_pts = rng.uniform(-1, 1, (3, 3))
pts = np.vstack((anterior, left, right, up, rand_pts))
# change coord system
rx, ry, rz, tx, ty, tz = rng.uniform(-2 * np.pi, 2 * np.pi, 6)
trans = np.dot(translation(tx, ty, tz), rotation(rx, ry, rz))
pts_changed = apply_trans(trans, pts)
# transform back into original space
nas, lpa, rpa = pts_changed[:3]
hsp_trans = get_ras_to_neuromag_trans(nas, lpa, rpa)
pts_restored = apply_trans(hsp_trans, pts_changed)
err = "Neuromag transformation failed"
assert_allclose(pts_restored, pts, atol=1e-6, err_msg=err)
def _cartesian_to_sphere(x, y, z):
"""Convert using old function."""
hypotxy = np.hypot(x, y)
r = np.hypot(hypotxy, z)
elev = np.arctan2(z, hypotxy)
az = np.arctan2(y, x)
return az, elev, r
def _sphere_to_cartesian(theta, phi, r):
"""Convert using old function."""
z = r * np.sin(phi)
rcos_phi = r * np.cos(phi)
x = rcos_phi * np.cos(theta)
y = rcos_phi * np.sin(theta)
return x, y, z
def test_sph_to_cart():
"""Test conversion between sphere and cartesian."""
# Simple test, expected value (11, 0, 0)
r, theta, phi = 11., 0., np.pi / 2.
z = r * np.cos(phi)
rsin_phi = r * np.sin(phi)
x = rsin_phi * np.cos(theta)
y = rsin_phi * np.sin(theta)
coord = _sph_to_cart(np.array([[r, theta, phi]]))[0]
assert_allclose(coord, (x, y, z), atol=1e-7)
assert_allclose(coord, (r, 0, 0), atol=1e-7)
rng = np.random.RandomState(0)
# round-trip test
coords = rng.randn(10, 3)
assert_allclose(_sph_to_cart(_cart_to_sph(coords)), coords, atol=1e-5)
# equivalence tests to old versions
for coord in coords:
sph = _cart_to_sph(coord[np.newaxis])
cart = _sph_to_cart(sph)
sph_old = np.array(_cartesian_to_sphere(*coord))
cart_old = _sphere_to_cartesian(*sph_old)
sph_old[1] = np.pi / 2. - sph_old[1] # new convention
assert_allclose(sph[0], sph_old[[2, 0, 1]], atol=1e-7)
assert_allclose(cart[0], cart_old, atol=1e-7)
assert_allclose(cart[0], coord, atol=1e-7)
def _polar_to_cartesian(theta, r):
"""Transform polar coordinates to cartesian."""
x = r * np.cos(theta)
y = r * np.sin(theta)
return x, y
def test_polar_to_cartesian():
"""Test helper transform function from polar to cartesian."""
r = 1
theta = np.pi
# expected values are (-1, 0)
x = r * np.cos(theta)
y = r * np.sin(theta)
coord = _pol_to_cart(np.array([[r, theta]]))[0]
# np.pi is an approx since pi is irrational
assert_allclose(coord, (x, y), atol=1e-7)
assert_allclose(coord, (-1, 0), atol=1e-7)
assert_allclose(coord, _polar_to_cartesian(theta, r), atol=1e-7)
rng = np.random.RandomState(0)
r = rng.randn(10)
theta = rng.rand(10) * (2 * np.pi)
polar = np.array((r, theta)).T
assert_allclose([_polar_to_cartesian(p[1], p[0]) for p in polar],
_pol_to_cart(polar), atol=1e-7)
def _topo_to_phi_theta(theta, radius):
"""Convert using old function."""
sph_phi = (0.5 - radius) * 180
sph_theta = -theta
return sph_phi, sph_theta
def test_topo_to_sph():
"""Test topo to sphere conversion."""
rng = np.random.RandomState(0)
angles = rng.rand(10) * 360
radii = rng.rand(10)
angles[0] = 30
radii[0] = 0.25
# new way
sph = _topo_to_sph(np.array([angles, radii]).T)
new = _sph_to_cart(sph)
new[:, [0, 1]] = new[:, [1, 0]] * [-1, 1]
# old way
for ii, (angle, radius) in enumerate(zip(angles, radii)):
sph_phi, sph_theta = _topo_to_phi_theta(angle, radius)
if ii == 0:
assert_allclose(_topo_to_phi_theta(angle, radius), [45, -30])
azimuth = sph_theta / 180.0 * np.pi
elevation = sph_phi / 180.0 * np.pi
assert_allclose(sph[ii], [1., azimuth, np.pi / 2. - elevation],
atol=1e-7)
r = np.ones_like(radius)
x, y, z = _sphere_to_cartesian(azimuth, elevation, r)
pos = [-y, x, z]
if ii == 0:
expected = np.array([1. / 2., np.sqrt(3) / 2., 1.])
expected /= np.sqrt(2)
assert_allclose(pos, expected, atol=1e-7)
assert_allclose(pos, new[ii], atol=1e-7)
def test_rotation():
"""Test conversion between rotation angles and transformation matrix."""
tests = [(0, 0, 1), (.5, .5, .5), (np.pi, 0, -1.5)]
for rot in tests:
x, y, z = rot
m = rotation3d(x, y, z)
m4 = rotation(x, y, z)
assert_array_equal(m, m4[:3, :3])
back = rotation_angles(m)
assert_almost_equal(actual=back, desired=rot, decimal=12)
back4 = rotation_angles(m4)
assert_almost_equal(actual=back4, desired=rot, decimal=12)
def test_rotation3d_align_z_axis():
"""Test rotation3d_align_z_axis."""
# The more complex z axis fails the assert presumably due to tolerance
#
inp_zs = [[0, 0, 1], [0, 1, 0], [1, 0, 0], [0, 0, -1],
[-0.75071668, -0.62183808, 0.22302888]]
exp_res = [[[1., 0., 0.], [0., 1., 0.], [0., 0., 1.]],
[[1., 0., 0.], [0., 0., 1.], [0., -1., 0.]],
[[0., 0., 1.], [0., 1., 0.], [-1., 0., 0.]],
[[1., 0., 0.], [0., -1., 0.], [0., 0., -1.]],
[[0.53919688, -0.38169517, -0.75071668],
[-0.38169517, 0.683832, -0.62183808],
[0.75071668, 0.62183808, 0.22302888]]]
for res, z in zip(exp_res, inp_zs):
assert_allclose(res, rotation3d_align_z_axis(z), atol=1e-7)
@testing.requires_testing_data
def test_combine():
"""Test combining transforms."""
trans = read_trans(fname)
inv = invert_transform(trans)
combine_transforms(trans, inv, trans['from'], trans['from'])
pytest.raises(RuntimeError, combine_transforms, trans, inv,
trans['to'], trans['from'])
pytest.raises(RuntimeError, combine_transforms, trans, inv,
trans['from'], trans['to'])
pytest.raises(RuntimeError, combine_transforms, trans, trans,
trans['from'], trans['to'])
def test_quaternions():
"""Test quaternion calculations."""
rots = [np.eye(3)]
for fname in [test_fif_fname, ctf_fname, hp_fif_fname]:
rots += [read_info(fname)['dev_head_t']['trans'][:3, :3]]
# nasty numerical cases
rots += [np.array([
[-0.99978541, -0.01873462, -0.00898756],
[-0.01873462, 0.62565561, 0.77987608],
[-0.00898756, 0.77987608, -0.62587152],
])]
rots += [np.array([
[0.62565561, -0.01873462, 0.77987608],
[-0.01873462, -0.99978541, -0.00898756],
[0.77987608, -0.00898756, -0.62587152],
])]
rots += [np.array([
[-0.99978541, -0.00898756, -0.01873462],
[-0.00898756, -0.62587152, 0.77987608],
[-0.01873462, 0.77987608, 0.62565561],
])]
for rot in rots:
assert_allclose(rot, quat_to_rot(rot_to_quat(rot)),
rtol=1e-5, atol=1e-5)
rot = rot[np.newaxis, np.newaxis, :, :]
assert_allclose(rot, quat_to_rot(rot_to_quat(rot)),
rtol=1e-5, atol=1e-5)
# let's make sure our angle function works in some reasonable way
for ii in range(3):
for jj in range(3):
a = np.zeros(3)
b = np.zeros(3)
a[ii] = 1.
b[jj] = 1.
expected = np.pi if ii != jj else 0.
assert_allclose(_angle_between_quats(a, b), expected, atol=1e-5)
y_180 = np.array([[-1, 0, 0], [0, 1, 0], [0, 0, -1.]])
assert_allclose(_angle_between_quats(rot_to_quat(y_180),
np.zeros(3)), np.pi)
h_180_attitude_90 = np.array([[0, 1, 0], [1, 0, 0], [0, 0, -1.]])
assert_allclose(_angle_between_quats(rot_to_quat(h_180_attitude_90),
np.zeros(3)), np.pi)
def test_vector_rotation():
"""Test basic rotation matrix math."""
x = np.array([1., 0., 0.])
y = np.array([0., 1., 0.])
rot = _find_vector_rotation(x, y)
assert_array_equal(rot,
[[0, -1, 0], [1, 0, 0], [0, 0, 1]])
quat_1 = rot_to_quat(rot)
quat_2 = rot_to_quat(np.eye(3))
assert_allclose(_angle_between_quats(quat_1, quat_2), np.pi / 2.)
def test_average_quats():
"""Test averaging of quaternions."""
sq2 = 1. / np.sqrt(2.)
quats = np.array([[0, sq2, sq2],
[0, sq2, sq2],
[0, sq2, 0],
[0, 0, sq2],
[sq2, 0, 0]], float)
# In MATLAB:
# quats = [[0, sq2, sq2, 0]; [0, sq2, sq2, 0];
# [0, sq2, 0, sq2]; [0, 0, sq2, sq2]; [sq2, 0, 0, sq2]];
expected = [quats[0],
quats[0],
[0, 0.788675134594813, 0.577350269189626],
[0, 0.657192299694123, 0.657192299694123],
[0.100406058540540, 0.616329446922803, 0.616329446922803]]
# Averaging the first two should give the same thing:
for lim, ex in enumerate(expected):
assert_allclose(_average_quats(quats[:lim + 1]), ex, atol=1e-7)
quats[1] *= -1 # same quaternion (hidden value is zero here)!
rot_0, rot_1 = quat_to_rot(quats[:2])
assert_allclose(rot_0, rot_1, atol=1e-7)
for lim, ex in enumerate(expected):
assert_allclose(_average_quats(quats[:lim + 1]), ex, atol=1e-7)
# Assert some symmetry
count = 0
extras = [[sq2, sq2, 0]] + list(np.eye(3))
for quat in np.concatenate((quats, expected, extras)):
if np.isclose(_quat_real(quat), 0., atol=1e-7): # can flip sign
count += 1
angle = _angle_between_quats(quat, -quat)
assert_allclose(angle, 0., atol=1e-7)
rot_0, rot_1 = quat_to_rot(np.array((quat, -quat)))
assert_allclose(rot_0, rot_1, atol=1e-7)
assert count == 4 + len(extras)
@testing.requires_testing_data
@pytest.mark.parametrize('subject', ('fsaverage', 'sample'))
def test_fs_xfm(subject, tmpdir):
"""Test reading and writing of Freesurfer transforms."""
fname = op.join(data_path, 'subjects', subject, 'mri', 'transforms',
'talairach.xfm')
xfm, kind = _read_fs_xfm(fname)
if subject == 'fsaverage':
assert_allclose(xfm, np.eye(4), atol=1e-5) # fsaverage is in MNI
assert kind == 'MNI Transform File'
tempdir = str(tmpdir)
fname_out = op.join(tempdir, 'out.xfm')
_write_fs_xfm(fname_out, xfm, kind)
xfm_read, kind_read = _read_fs_xfm(fname_out)
assert kind_read == kind
assert_allclose(xfm, xfm_read, rtol=1e-5, atol=1e-5)
# Some wacky one
xfm[:3] = np.random.RandomState(0).randn(3, 4)
_write_fs_xfm(fname_out, xfm, 'foo')
xfm_read, kind_read = _read_fs_xfm(fname_out)
assert kind_read == 'foo'
assert_allclose(xfm, xfm_read, rtol=1e-5, atol=1e-5)
# degenerate conditions
with open(fname_out, 'w') as fid:
fid.write('foo')
with pytest.raises(ValueError, match='Failed to find'):
_read_fs_xfm(fname_out)
_write_fs_xfm(fname_out, xfm[:2], 'foo')
with pytest.raises(ValueError, match='Could not find'):
_read_fs_xfm(fname_out)
@pytest.fixture()
def quats():
"""Make some unit quats."""
quats = np.random.RandomState(0).randn(5, 3)
quats[:, 0] = 0 # identity
quats /= 2 * np.linalg.norm(quats, axis=1, keepdims=True) # some real part
return quats
def _check_fit_matched_points(
p, x, weights, do_scale, angtol=1e-5, dtol=1e-5, stol=1e-7):
__tracebackhide__ = True
mne.coreg._ALLOW_ANALITICAL = False
try:
params = mne.coreg.fit_matched_points(
p, x, weights=weights, scale=do_scale, out='params')
finally:
mne.coreg._ALLOW_ANALITICAL = True
quat_an, scale_an = _fit_matched_points(p, x, weights, scale=do_scale)
assert len(params) == 6 + int(do_scale)
q_co = _euler_to_quat(params[:3])
translate_co = params[3:6]
angle = np.rad2deg(_angle_between_quats(quat_an[:3], q_co))
dist = np.linalg.norm(quat_an[3:] - translate_co)
assert 0 <= angle < angtol, 'angle'
assert 0 <= dist < dtol, 'dist'
if do_scale:
scale_co = params[6]
assert_allclose(scale_an, scale_co, rtol=stol, err_msg='scale')
# errs
trans = _quat_to_affine(quat_an)
trans[:3, :3] *= scale_an
weights = np.ones(1) if weights is None else weights
err_an = np.linalg.norm(
weights[:, np.newaxis] * apply_trans(trans, p) - x)
trans = mne.coreg._trans_from_params((True, True, do_scale), params)
err_co = np.linalg.norm(
weights[:, np.newaxis] * apply_trans(trans, p) - x)
if err_an > 1e-14:
assert err_an < err_co * 1.5
return quat_an, scale_an
@pytest.mark.parametrize('scaling', [0.25, 1])
@pytest.mark.parametrize('do_scale', (True, False))
def test_fit_matched_points(quats, scaling, do_scale):
"""Test analytical least-squares matched point fitting."""
if scaling != 1 and not do_scale:
return # no need to test this, it will not be good
rng = np.random.RandomState(0)
fro = rng.randn(10, 3)
translation = rng.randn(3)
for qi, quat in enumerate(quats):
to = scaling * np.dot(quat_to_rot(quat), fro.T).T + translation
for corrupted in (False, True):
# mess up a point
if corrupted:
to[0, 2] += 100
weights = np.ones(len(to))
weights[0] = 0
else:
weights = None
est, scale_est = _check_fit_matched_points(
fro, to, weights=weights, do_scale=do_scale)
assert_allclose(scale_est, scaling, rtol=1e-5)
assert_allclose(est[:3], quat, atol=1e-14)
assert_allclose(est[3:], translation, atol=1e-14)
# if we don't adjust for the corruption above, it should get worse
angle = dist = None
for weighted in (False, True):
if not weighted:
weights = None
dist_bounds = (5, 20)
if scaling == 1:
angle_bounds = (5, 95)
angtol, dtol, stol = 1, 15, 3
else:
angle_bounds = (5, 105)
angtol, dtol, stol = 20, 15, 3
else:
weights = np.ones(len(to))
weights[0] = 10 # weighted=True here means "make it worse"
angle_bounds = (angle, 180) # unweighted values as new min
dist_bounds = (dist, 100)
if scaling == 1:
# XXX this angtol is not great but there is a hard to
# identify linalg/angle calculation bug on Travis...
angtol, dtol, stol = 180, 70, 3
else:
angtol, dtol, stol = 50, 70, 3
est, scale_est = _check_fit_matched_points(
fro, to, weights=weights, do_scale=do_scale,
angtol=angtol, dtol=dtol, stol=stol)
assert not np.allclose(est[:3], quat, atol=1e-5)
assert not np.allclose(est[3:], translation, atol=1e-5)
angle = np.rad2deg(_angle_between_quats(est[:3], quat))
assert_array_less(angle_bounds[0], angle)
assert_array_less(angle, angle_bounds[1])
dist = np.linalg.norm(est[3:] - translation)
assert_array_less(dist_bounds[0], dist)
assert_array_less(dist, dist_bounds[1])
def test_euler(quats):
"""Test euler transformations."""
euler = _quat_to_euler(quats)
quats_2 = _euler_to_quat(euler)
assert_allclose(quats, quats_2, atol=1e-14)
quat_rot = quat_to_rot(quats)
euler_rot = np.array([rotation(*e)[:3, :3] for e in euler])
assert_allclose(quat_rot, euler_rot, atol=1e-14)
@requires_nibabel()
@requires_dipy()
@pytest.mark.slowtest
@testing.requires_testing_data
def test_volume_registration():
"""Test volume registration."""
import nibabel as nib
from dipy.align import resample
T1 = nib.load(fname_t1)
affine = np.eye(4)
affine[0, 3] = 10
T1_resampled = resample(moving=T1.get_fdata(),
static=T1.get_fdata(),
moving_affine=T1.affine,
static_affine=T1.affine,
between_affine=np.linalg.inv(affine))
for pipeline in ('rigids', ('translation', 'sdr')):
reg_affine, sdr_morph = mne.transforms.compute_volume_registration(
T1_resampled, T1, pipeline=pipeline, zooms=10, niter=[5])
assert_allclose(affine, reg_affine, atol=0.25)
T1_aligned = mne.transforms.apply_volume_registration(
T1_resampled, T1, reg_affine, sdr_morph)
r2 = _compute_r2(_get_img_fdata(T1_aligned), _get_img_fdata(T1))
assert 99.9 < r2
# check that all orders of the pipeline work
for pipeline_len in range(1, 5):
for pipeline in itertools.combinations(
('translation', 'rigid', 'affine', 'sdr'), pipeline_len):
_validate_pipeline(pipeline)
_validate_pipeline(list(pipeline))
with pytest.raises(ValueError, match='Steps in pipeline are out of order'):
_validate_pipeline(('sdr', 'affine'))
with pytest.raises(ValueError,
match='Steps in pipeline should not be repeated'):
_validate_pipeline(('affine', 'affine'))
| bloyl/mne-python | mne/tests/test_transforms.py | Python | bsd-3-clause | 21,423 |
/**
* CArtAgO - DEIS, University of Bologna
*
* This library is free software; you can redistribute it and/or
* modify it under the terms of the GNU Lesser General Public
* License as published by the Free Software Foundation; either
* version 2.1 of the License, or (at your option) any later version.
*
* This library 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
* Lesser General Public License for more details.
*
* You should have received a copy of the GNU Lesser General Public
* License along with this library; if not, write to the Free Software
* Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
*/
package cartago;
/**
* Unique identifier of an operation (instance)
* executed by an artifact
*
* @author aricci
*
*/
public class OpId implements java.io.Serializable {
private int id;
private ArtifactId aid;
private AgentId agentId;
private String opName;
OpId(ArtifactId aid, String opName, int id, AgentId ctxId){
this.id = id;
this.aid = aid;
this.agentId = ctxId;
this.opName = opName;
}
/**
* Get the numeric identifier of the operation id
*
* @return
*/
public int getId(){
return id;
}
/**
* Get the operation name.
*
* @return
*/
public String getOpName(){
return opName;
}
/**
* Get the id of the artifact where the operation has been executed
*
* @return
*/
public ArtifactId getArtifactId(){
return aid;
}
/**
* Get the identifier of the agent performer of the operation
*
* @return
*/
public AgentId getAgentBodyId(){
return agentId;
}
AgentId getContextId(){
return agentId;
}
public boolean equals(Object obj){
return aid.equals(((OpId)obj).aid) && ((OpId)obj).id==id;
}
public String toString(){
return "opId("+id+","+opName+","+aid+","+agentId+")";
}
}
| lsa-pucrs/jason-ros-releases | cartago-2.0.1/src/main/cartago/OpId.java | Java | bsd-3-clause | 2,026 |
<!DOCTYPE html>
<html lang="en" itemscope itemtype="https://schema.org/WebPage">
<head>
<meta charset="utf-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1">
<title>Vitess / GitHub Workflow</title>
<!-- Webfont -->
<link href='http://fonts.googleapis.com/css?family=Roboto:400,100,100italic,300,300italic,400italic,500,500italic,700,700italic,900,900italic' rel='stylesheet' type='text/css'>
<!--<link rel="shortcut icon" type="image/png" href="/favicon.png">-->
<!-- Bootstrap -->
<link href="/libs/bootstrap/css/bootstrap.min.css" rel="stylesheet">
<!-- HTML5 shim and Respond.js for IE8 support of HTML5 elements and media queries -->
<!-- WARNING: Respond.js doesn't work if you view the page via file:// -->
<!--[if lt IE 9]>
<script src="https://oss.maxcdn.com/html5shiv/3.7.2/html5shiv.min.js"></script>
<script src="https://oss.maxcdn.com/respond/1.4.2/respond.min.js"></script>
<![endif]-->
<!-- Styles -->
<link rel="stylesheet" type="text/css" href="/css/site.css" />
<!-- Font Awesome icons -->
<link href="/libs/font-awesome-4.4.0/css/font-awesome.min.css"
rel="stylesheet"
type="text/css">
<!-- jQuery (necessary for Bootstrap's JavaScript plugins) -->
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.2/jquery.min.js"></script>
<!-- Include all compiled plugins (below), or include individual files as needed -->
<script src="/libs/bootstrap/js/bootstrap.min.js"></script>
<!-- metadata -->
<meta name="og:title" content="Vitess / GitHub Workflow"/>
<meta name="og:image" content="/images/vitess_logomark_cropped.svg"/>
<meta name="og:description" content="Vitess is a database clustering system for horizontal scaling of MySQL."/>
<link rel="icon" href="/images/vitess_icon.png" type="image/png">
<script>
(function(i,s,o,g,r,a,m){i['GoogleAnalyticsObject']=r;i[r]=i[r]||function(){
(i[r].q=i[r].q||[]).push(arguments)},i[r].l=1*new Date();a=s.createElement(o),
m=s.getElementsByTagName(o)[0];a.async=1;a.src=g;m.parentNode.insertBefore(a,m)
})(window,document,'script','//www.google-analytics.com/analytics.js','ga');
ga('create', 'UA-60219601-1', 'auto');
ga('send', 'pageview');
</script>
</head>
<body class="docs" id="top_of_page">
<span id="toc-depth" data-toc-depth="h2,h3"></span>
<nav id="common-nav" class="navbar navbar-fixed-top inverse">
<div class="container">
<!-- Brand and toggle get grouped for better mobile display -->
<div class="navbar-header">
<button type="button" class="navbar-toggle collapsed" data-toggle="collapse" data-target="#navbar-collapse-1">
<span class="sr-only">Toggle navigation</span>
<span class="icon-bar"></span>
<span class="icon-bar"></span>
<span class="icon-bar"></span>
</button>
<a class="navbar-brand" href="/">
<img class="logo" src="/images/vitess_logomark_cropped.svg" alt="Vitess">
</a>
</div>
<!-- Collect the nav links, forms, and other content for toggling -->
<div class="collapse navbar-collapse" id="navbar-collapse-1">
<ul class="nav navbar-nav navbar-right" id="standard-menu-links">
<li><a href="/overview/">Overview</a></li>
<li><a href="/user-guide/introduction.html">Guides</a></li>
<li><a href="/reference/vitess-api.html">Reference</a></li>
<li><a href="http://blog.vitess.io">Blog</a></li>
<li><a href="https://github.com/youtube/vitess"><i class="fa fa-github"></i> GitHub</a></li>
<!-- Hide link to blog unless we have actual posts -->
<!-- <li><a href="/blog/" title="">Blog</a></li> -->
</ul>
<ul class="nav nav-stacked mobile-left-nav-menu" id="collapsed-left-menu">
<li class="submenu">
<h4 class="arrow-r no-top-margin">Overview</h4>
<ul style="display: none">
<li><a href="/overview/">What is Vitess</a></li>
<li><a href="/overview/scaling-mysql.html">Scaling MySQL with Vitess</a></li>
<li><a href="/overview/concepts.html">Key Concepts</a></li>
</ul>
</li>
<li class="submenu">
<h4 class="arrow-r">Getting Started</h4>
<ul style="display: none">
<li style="padding-bottom: 0"><a href="/getting-started/">Run Vitess on Kubernetes</a>
<ul style="display: block">
<li style="padding-bottom: 0"><a href="/getting-started/docker-build.html">Custom Docker Build</a></li>
</ul>
</li>
<li><a href="/getting-started/local-instance.html">Run Vitess Locally</a></li>
</ul>
</li>
<li class="submenu">
<h4 class="arrow-r">User Guide</h4>
<ul style="display: none">
<li><a href="/user-guide/introduction.html">Introduction</a>
<li><a href="/user-guide/client-libraries.html">Client Libraries</a>
<li><a href="/user-guide/backup-and-restore.html">Backing Up Data</a>
<li><a href="/user-guide/reparenting.html">Reparenting</a></li>
<li style="padding-bottom: 0"><a href="/user-guide/schema-management.html">Schema Management</a></li>
<ul style="display: block">
<li style="padding-bottom: 0"><a href="/user-guide/pivot-schema-changes.html">Pivot Schema Changes (Tutorial)</a></li>
</ul>
<li style="padding-bottom: 0"><a href="/user-guide/sharding.html">Sharding</a>
<ul style="display: block">
<li><a href="/user-guide/horizontal-sharding.html">Horizontal Sharding (Codelab)</a></li>
<li style="padding-bottom: 0"><a href="/user-guide/sharding-kubernetes.html">Sharding in Kubernetes (Codelab)</a></li>
</ul>
</li>
<li><a href="/user-guide/vitess-replication.html">Vitess and Replication</a></li>
<li><a href="/user-guide/topology-service.html">Topology Service</a></li>
<li><a href="/user-guide/transport-security-model.html">Transport Security Model</a></li>
<li style="padding-bottom: 0"><a href="/user-guide/launching.html">Launching</a>
<ul style="display: block">
<li><a href="/user-guide/scalability-philosophy.html">Scalability Philosophy</a></li>
<li><a href="/user-guide/production-planning.html">Production Planning</a></li>
<li><a href="/user-guide/server-configuration.html">Server Configuration</a></li>
<li style="padding-bottom: 0"><a href="/user-guide/troubleshooting.html">Troubleshooting</a></li>
</ul>
</li>
<li><a href="/user-guide/upgrading.html">Upgrading</a></li>
</ul>
</li>
<li class="submenu">
<h4 class="arrow-r">Reference Guides</h4>
<ul style="display: none">
<li><a href="/reference/vitess-api.html">Vitess API</a>
<li><a href="/reference/vtctl.html">vtctl Commands</a>
</ul>
</li>
<li class="submenu">
<h4 class="arrow-r">Other Resources</h4>
<ul style="display: none">
<li><a href="/resources/presentations.html">Presentations</a>
<li><a href="http://blog.vitess.io/">Blog</a>
<li><a href="/resources/roadmap.html">Roadmap</a>
</ul>
</li>
<li class="submenu">
<h4 class="arrow-r">Contributing</h4>
<ul style="display: none">
<li><a href="/contributing/">Contributing to Vitess</a>
<li><a href="/contributing/github-workflow.html">GitHub Workflow</a>
<li><a href="/contributing/code-reviews.html">Code Reviews</a>
</ul>
</li>
<div>
<form method="get" action="/search/">
<input id="search-form" name="q" type="text" placeholder="Search">
</form>
</div>
<li><a href="https://github.com/youtube/vitess" id="collapsed-left-menu-repo-link"><i class="fa fa-github"></i> GitHub</a></li>
</ul>
</div><!-- /.navbar-collapse -->
</div><!-- /.container-fluid -->
</nav>
<div id="masthead">
<div class="container">
<div class="row">
<div class="col-md-9">
<h1>GitHub Workflow</h1>
</div>
</div>
</div>
</div>
<div class="container">
<div class="row scroll-margin" id="toc-content-row">
<div class="col-md-2" id="leftCol">
<ul class="nav nav-stacked mobile-left-nav-menu" id="sidebar">
<li class="submenu">
<h4 class="arrow-r no-top-margin">Overview</h4>
<ul style="display: none">
<li><a href="/overview/">What is Vitess</a></li>
<li><a href="/overview/scaling-mysql.html">Scaling MySQL with Vitess</a></li>
<li><a href="/overview/concepts.html">Key Concepts</a></li>
</ul>
</li>
<li class="submenu">
<h4 class="arrow-r">Getting Started</h4>
<ul style="display: none">
<li style="padding-bottom: 0"><a href="/getting-started/">Run Vitess on Kubernetes</a>
<ul style="display: block">
<li style="padding-bottom: 0"><a href="/getting-started/docker-build.html">Custom Docker Build</a></li>
</ul>
</li>
<li><a href="/getting-started/local-instance.html">Run Vitess Locally</a></li>
</ul>
</li>
<li class="submenu">
<h4 class="arrow-r">User Guide</h4>
<ul style="display: none">
<li><a href="/user-guide/introduction.html">Introduction</a>
<li><a href="/user-guide/client-libraries.html">Client Libraries</a>
<li><a href="/user-guide/backup-and-restore.html">Backing Up Data</a>
<li><a href="/user-guide/reparenting.html">Reparenting</a></li>
<li style="padding-bottom: 0"><a href="/user-guide/schema-management.html">Schema Management</a></li>
<ul style="display: block">
<li style="padding-bottom: 0"><a href="/user-guide/pivot-schema-changes.html">Pivot Schema Changes (Tutorial)</a></li>
</ul>
<li style="padding-bottom: 0"><a href="/user-guide/sharding.html">Sharding</a>
<ul style="display: block">
<li><a href="/user-guide/horizontal-sharding.html">Horizontal Sharding (Codelab)</a></li>
<li style="padding-bottom: 0"><a href="/user-guide/sharding-kubernetes.html">Sharding in Kubernetes (Codelab)</a></li>
</ul>
</li>
<li><a href="/user-guide/vitess-replication.html">Vitess and Replication</a></li>
<li><a href="/user-guide/topology-service.html">Topology Service</a></li>
<li><a href="/user-guide/transport-security-model.html">Transport Security Model</a></li>
<li style="padding-bottom: 0"><a href="/user-guide/launching.html">Launching</a>
<ul style="display: block">
<li><a href="/user-guide/scalability-philosophy.html">Scalability Philosophy</a></li>
<li><a href="/user-guide/production-planning.html">Production Planning</a></li>
<li><a href="/user-guide/server-configuration.html">Server Configuration</a></li>
<li style="padding-bottom: 0"><a href="/user-guide/troubleshooting.html">Troubleshooting</a></li>
</ul>
</li>
<li><a href="/user-guide/upgrading.html">Upgrading</a></li>
</ul>
</li>
<li class="submenu">
<h4 class="arrow-r">Reference Guides</h4>
<ul style="display: none">
<li><a href="/reference/vitess-api.html">Vitess API</a>
<li><a href="/reference/vtctl.html">vtctl Commands</a>
</ul>
</li>
<li class="submenu">
<h4 class="arrow-r">Other Resources</h4>
<ul style="display: none">
<li><a href="/resources/presentations.html">Presentations</a>
<li><a href="http://blog.vitess.io/">Blog</a>
<li><a href="/resources/roadmap.html">Roadmap</a>
</ul>
</li>
<li class="submenu">
<h4 class="arrow-r">Contributing</h4>
<ul style="display: none">
<li><a href="/contributing/">Contributing to Vitess</a>
<li><a href="/contributing/github-workflow.html">GitHub Workflow</a>
<li><a href="/contributing/code-reviews.html">Code Reviews</a>
</ul>
</li>
<div>
<form method="get" action="/search/">
<input id="search-form" name="q" type="text" placeholder="Search">
</form>
</div>
</ul>
</div>
<div class="col-md-3" id="rightCol">
<div class="nav nav-stacked" id="tocSidebar">
<div id="toc"></div>
</div>
</div>
<div class="col-md-7" id="centerCol">
<div id="centerTextCol">
<h1 id="github-workflow">GitHub Workflow</h1>
<p>If you are new to Git and GitHub, we recommend to read this page. Otherwise, you may skip it.</p>
<p>Our GitHub workflow is a so called triangular workflow:</p>
<p><img src="https://cloud.githubusercontent.com/assets/1319791/8943755/5dcdcae4-354a-11e5-9f82-915914fad4f7.png" alt="visualization of the GitHub triangular workflow" style="width: 100%;"/></p>
<p><em>Image Source:</em> <a href="https://github.com/blog/2042-git-2-5-including-multiple-worktrees-and-triangular-workflows">https://github.com/blog/2042-git-2-5-including-multiple-worktrees-and-triangular-workflows</a></p>
<p>You develop and commit your changes in a clone of our upstream repository
(<code class="prettyprint">local</code>). Then you push your changes to your forked repository (<code class="prettyprint">origin</code>) and
send us a pull request. Eventually, we will merge your pull request back into
the <code class="prettyprint">upstream</code> repository.</p>
<h2 id="remotes">Remotes</h2>
<p>Since you should have cloned the repository from your fork, the <code class="prettyprint">origin</code> remote
should look like this:</p>
<div class="highlight"><pre><code class="language-text" data-lang="text">$ git remote -v
origin [email protected]:<yourname>/vitess.git (fetch)
origin [email protected]:<yourname>/vitess.git (push)
</code></pre></div>
<p>To help you keep your fork in sync with the main repo, add an <code class="prettyprint">upstream</code> remote:</p>
<div class="highlight"><pre><code class="language-text" data-lang="text">$ git remote add upstream [email protected]:youtube/vitess.git
$ git remote -v
origin [email protected]:<yourname>/vitess.git (fetch)
origin [email protected]:<yourname>/vitess.git (push)
upstream [email protected]:youtube/vitess.git (fetch)
upstream [email protected]:youtube/vitess.git (push)
</code></pre></div>
<p>Now to sync your local <code class="prettyprint">master</code> branch, do this:</p>
<div class="highlight"><pre><code class="language-text" data-lang="text">$ git checkout master
(master) $ git pull upstream master
</code></pre></div>
<p>Note: In the example output above we prefixed the prompt with <code class="prettyprint">(master)</code> to
stress the fact that the command must be run from the branch <code class="prettyprint">master</code>.</p>
<p>You can omit the <code class="prettyprint">upstream master</code> from the <code class="prettyprint">git pull</code> command when you let your
<code class="prettyprint">master</code> branch always track the main <code class="prettyprint">youtube/vitess</code> repository. To achieve
this, run this command once:</p>
<div class="highlight"><pre><code class="language-text" data-lang="text">(master) $ git branch --set-upstream-to=upstream/master
</code></pre></div>
<p>Now the following command syncs your local <code class="prettyprint">master</code> branch as well:</p>
<div class="highlight"><pre><code class="language-text" data-lang="text">(master) $ git pull
</code></pre></div>
<h2 id="topic-branches">Topic Branches</h2>
<p>Before you start working on changes, create a topic branch:</p>
<div class="highlight"><pre><code class="language-text" data-lang="text">$ git checkout master
(master) $ git pull
(master) $ git checkout -b new-feature
(new-feature) $ # You are now in the new-feature branch.
</code></pre></div>
<p>Try to commit small pieces along the way as you finish them, with an explanation
of the changes in the commit message. As you work in a package, you can run just
the unit tests for that package by running <code class="prettyprint">go test</code> from within that package.</p>
<p>When you're ready to test the whole system, run the full test suite with <code class="prettyprint">make
test</code> from the root of the Git tree.
If you haven't installed all dependencies for <code class="prettyprint">make test</code>, you can rely on the Travis CI test results as well.
These results will be linked on your pull request.</p>
<h2 id="sending-pull-requests">Sending Pull Requests</h2>
<p>Push your branch to the repository (and set it to track with <code class="prettyprint">-u</code>):</p>
<div class="highlight"><pre><code class="language-text" data-lang="text">(new-feature) $ git push -u origin new-feature
</code></pre></div>
<p>You can omit <code class="prettyprint">origin</code> and <code class="prettyprint">-u new-feature</code> parameters from the <code class="prettyprint">git push</code>
command with the following two Git configuration changes:</p>
<div class="highlight"><pre><code class="language-text" data-lang="text">$ git config remote.pushdefault origin
$ git config push.default current
</code></pre></div>
<p>The first setting saves you from typing <code class="prettyprint">origin</code> every time. And with the second
setting, Git assumes that the remote branch on the GitHub side will have the
same name as your local branch.</p>
<p>After this change, you can run <code class="prettyprint">git push</code> without arguments:</p>
<div class="highlight"><pre><code class="language-text" data-lang="text">(new-feature) $ git push
</code></pre></div>
<p>Then go to the <a href="https://github.com/youtube/vitess">repository page</a> and it
should prompt you to create a Pull Request from a branch you recently pushed.
You can also <a href="https://github.com/youtube/vitess/compare">choose a branch manually</a>.</p>
<h2 id="addressing-changes">Addressing Changes</h2>
<p>If you need to make changes in response to the reviewer's comments, just make
another commit on your branch and then push it again:</p>
<div class="highlight"><pre><code class="language-text" data-lang="text">$ git checkout new-feature
(new-feature) $ git commit
(new-feature) $ git push
</code></pre></div>
<p>That is because a pull request always mirrors all commits from your topic branch which are not in the master branch.</p>
<p>After you merge, close the issue (if it wasn't automatically closed) and delete
the topic branch.</p>
</div>
</div>
</div>
</div>
<div class="page-spacer"></div>
<footer role="contentinfo" id="site-footer">
<nav role="navigation" class="menu bottom-menu">
<a href="https://groups.google.com/forum/#!forum/vitess" target="_blank">Contact: [email protected]</a> <b>·</b>
<a href="https://groups.google.com/forum/#!forum/vitess-announce" target="_blank">Announcements</a> <b>·</b>
© 2016 <a href="/">Vitess</a> powered by <a href="https://developers.google.com/open-source/">Google Inc</a>
</nav>
</footer>
<!-- jQuery (necessary for Bootstrap's JavaScript plugins) -->
<!-- <script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.2/jquery.min.js"></script> -->
<!-- Include all compiled plugins (below), or include individual files as needed -->
<!--
<script src="/libs/bootstrap/js/bootstrap.min.js"></script>
-->
<!-- Include the common site javascript -->
<script src="/js/common.js" type="text/javascript" charset="utf-8"></script>
</body>
</html>
| mapbased/vitess | docs/contributing/github-workflow.html | HTML | bsd-3-clause | 20,308 |
# encoding: UTF-8
# This file is auto-generated from the current state of the database. Instead
# of editing this file, please use the migrations feature of Active Record to
# incrementally modify your database, and then regenerate this schema definition.
#
# Note that this schema.rb definition is the authoritative source for your
# database schema. If you need to create the application database on another
# system, you should be using db:schema:load, not running all the migrations
# from scratch. The latter is a flawed and unsustainable approach (the more migrations
# you'll amass, the slower it'll run and the greater likelihood for issues).
#
# It's strongly recommended to check this file into your version control system.
ActiveRecord::Schema.define(:version => 20131203141255) do
create_table "alchemy_attachments", :force => true do |t|
t.string "name"
t.string "file_name"
t.string "file_mime_type"
t.integer "file_size"
t.integer "creator_id"
t.integer "updater_id"
t.datetime "created_at", :null => false
t.datetime "updated_at", :null => false
t.text "cached_tag_list"
t.string "file_uid"
end
add_index "alchemy_attachments", ["file_uid"], :name => "index_alchemy_attachments_on_file_uid"
create_table "alchemy_cells", :force => true do |t|
t.integer "page_id"
t.string "name"
t.datetime "created_at", :null => false
t.datetime "updated_at", :null => false
end
create_table "alchemy_contents", :force => true do |t|
t.string "name"
t.string "essence_type"
t.integer "essence_id"
t.integer "element_id"
t.integer "position"
t.datetime "created_at", :null => false
t.datetime "updated_at", :null => false
t.integer "creator_id"
t.integer "updater_id"
end
add_index "alchemy_contents", ["element_id", "position"], :name => "index_contents_on_element_id_and_position"
create_table "alchemy_elements", :force => true do |t|
t.string "name"
t.integer "position"
t.integer "page_id"
t.boolean "public", :default => true
t.boolean "folded", :default => false
t.boolean "unique", :default => false
t.datetime "created_at", :null => false
t.datetime "updated_at", :null => false
t.integer "creator_id"
t.integer "updater_id"
t.integer "cell_id"
t.text "cached_tag_list"
end
add_index "alchemy_elements", ["page_id", "position"], :name => "index_elements_on_page_id_and_position"
create_table "alchemy_elements_alchemy_pages", :id => false, :force => true do |t|
t.integer "element_id"
t.integer "page_id"
end
create_table "alchemy_essence_booleans", :force => true do |t|
t.boolean "value"
t.datetime "created_at", :null => false
t.datetime "updated_at", :null => false
t.integer "creator_id"
t.integer "updater_id"
end
add_index "alchemy_essence_booleans", ["value"], :name => "index_alchemy_essence_booleans_on_value"
create_table "alchemy_essence_dates", :force => true do |t|
t.datetime "date"
t.integer "creator_id"
t.integer "updater_id"
t.datetime "created_at", :null => false
t.datetime "updated_at", :null => false
end
create_table "alchemy_essence_files", :force => true do |t|
t.integer "attachment_id"
t.string "title"
t.string "css_class"
t.integer "creator_id"
t.integer "updater_id"
t.datetime "created_at", :null => false
t.datetime "updated_at", :null => false
end
create_table "alchemy_essence_htmls", :force => true do |t|
t.text "source"
t.integer "creator_id"
t.integer "updater_id"
t.datetime "created_at", :null => false
t.datetime "updated_at", :null => false
end
create_table "alchemy_essence_links", :force => true do |t|
t.string "link"
t.string "link_title"
t.string "link_target"
t.string "link_class_name"
t.datetime "created_at", :null => false
t.datetime "updated_at", :null => false
t.integer "creator_id"
t.integer "updater_id"
end
create_table "alchemy_essence_pictures", :force => true do |t|
t.integer "picture_id"
t.string "caption"
t.string "title"
t.string "alt_tag"
t.string "link"
t.string "link_class_name"
t.string "link_title"
t.string "css_class"
t.string "link_target"
t.integer "creator_id"
t.integer "updater_id"
t.datetime "created_at", :null => false
t.datetime "updated_at", :null => false
t.string "crop_from"
t.string "crop_size"
t.string "render_size"
end
create_table "alchemy_essence_richtexts", :force => true do |t|
t.text "body"
t.text "stripped_body"
t.boolean "do_not_index", :default => false
t.boolean "public"
t.integer "creator_id"
t.integer "updater_id"
t.datetime "created_at", :null => false
t.datetime "updated_at", :null => false
end
create_table "alchemy_essence_selects", :force => true do |t|
t.string "value"
t.datetime "created_at", :null => false
t.datetime "updated_at", :null => false
t.integer "creator_id"
t.integer "updater_id"
end
add_index "alchemy_essence_selects", ["value"], :name => "index_alchemy_essence_selects_on_value"
create_table "alchemy_essence_texts", :force => true do |t|
t.text "body"
t.string "link"
t.string "link_title"
t.string "link_class_name"
t.boolean "public", :default => false
t.boolean "do_not_index", :default => false
t.string "link_target"
t.integer "creator_id"
t.integer "updater_id"
t.datetime "created_at", :null => false
t.datetime "updated_at", :null => false
end
create_table "alchemy_folded_pages", :force => true do |t|
t.integer "page_id"
t.integer "user_id"
t.boolean "folded", :default => false
end
create_table "alchemy_languages", :force => true do |t|
t.string "name"
t.string "language_code"
t.string "frontpage_name"
t.string "page_layout", :default => "intro"
t.boolean "public", :default => false
t.datetime "created_at", :null => false
t.datetime "updated_at", :null => false
t.integer "creator_id"
t.integer "updater_id"
t.boolean "default", :default => false
t.string "country_code", :default => "", :null => false
t.integer "site_id"
end
add_index "alchemy_languages", ["language_code", "country_code"], :name => "index_alchemy_languages_on_language_code_and_country_code"
add_index "alchemy_languages", ["language_code"], :name => "index_alchemy_languages_on_language_code"
add_index "alchemy_languages", ["site_id"], :name => "index_alchemy_languages_on_site_id"
create_table "alchemy_legacy_page_urls", :force => true do |t|
t.string "urlname", :null => false
t.integer "page_id", :null => false
t.datetime "created_at", :null => false
t.datetime "updated_at", :null => false
end
add_index "alchemy_legacy_page_urls", ["urlname"], :name => "index_alchemy_legacy_page_urls_on_urlname"
create_table "alchemy_pages", :force => true do |t|
t.string "name"
t.string "urlname"
t.string "title"
t.string "language_code"
t.boolean "language_root"
t.string "page_layout"
t.text "meta_keywords"
t.text "meta_description"
t.integer "lft"
t.integer "rgt"
t.integer "parent_id"
t.integer "depth"
t.boolean "visible", :default => false
t.boolean "public", :default => false
t.boolean "locked", :default => false
t.integer "locked_by"
t.boolean "restricted", :default => false
t.boolean "robot_index", :default => true
t.boolean "robot_follow", :default => true
t.boolean "sitemap", :default => true
t.boolean "layoutpage", :default => false
t.datetime "created_at", :null => false
t.datetime "updated_at", :null => false
t.integer "creator_id"
t.integer "updater_id"
t.integer "language_id"
t.text "cached_tag_list"
end
add_index "alchemy_pages", ["language_id"], :name => "index_pages_on_language_id"
add_index "alchemy_pages", ["parent_id", "lft"], :name => "index_pages_on_parent_id_and_lft"
add_index "alchemy_pages", ["urlname"], :name => "index_pages_on_urlname"
create_table "alchemy_pictures", :force => true do |t|
t.string "name"
t.string "image_file_name"
t.integer "image_file_width"
t.integer "image_file_height"
t.datetime "created_at", :null => false
t.datetime "updated_at", :null => false
t.integer "creator_id"
t.integer "updater_id"
t.string "upload_hash"
t.text "cached_tag_list"
t.string "image_file_uid"
t.integer "image_file_size"
end
create_table "alchemy_sites", :force => true do |t|
t.string "host"
t.string "name"
t.datetime "created_at", :null => false
t.datetime "updated_at", :null => false
t.boolean "public", :default => false
t.text "aliases"
t.boolean "redirect_to_primary_host"
end
add_index "alchemy_sites", ["host", "public"], :name => "alchemy_sites_public_hosts_idx"
add_index "alchemy_sites", ["host"], :name => "index_alchemy_sites_on_host"
create_table "alchemy_users", :force => true do |t|
t.string "firstname"
t.string "lastname"
t.string "login"
t.string "email"
t.string "gender"
t.string "roles", :default => "registered"
t.string "language"
t.string "encrypted_password", :limit => 128, :default => "", :null => false
t.string "password_salt", :limit => 128, :default => "", :null => false
t.integer "sign_in_count", :default => 0, :null => false
t.integer "failed_attempts", :default => 0, :null => false
t.datetime "last_request_at"
t.datetime "current_sign_in_at"
t.datetime "last_sign_in_at"
t.string "current_sign_in_ip"
t.string "last_sign_in_ip"
t.datetime "created_at", :null => false
t.datetime "updated_at", :null => false
t.integer "creator_id"
t.integer "updater_id"
t.text "cached_tag_list"
t.string "reset_password_token"
t.datetime "reset_password_sent_at"
end
add_index "alchemy_users", ["email"], :name => "index_alchemy_users_on_email", :unique => true
add_index "alchemy_users", ["login"], :name => "index_alchemy_users_on_login", :unique => true
add_index "alchemy_users", ["reset_password_token"], :name => "index_alchemy_users_on_reset_password_token", :unique => true
add_index "alchemy_users", ["roles"], :name => "index_alchemy_users_on_roles"
create_table "events", :force => true do |t|
t.string "name"
t.string "hidden_name"
t.datetime "starts_at"
t.datetime "ends_at"
t.text "description"
t.decimal "entrance_fee", :precision => 6, :scale => 2
t.boolean "published"
t.integer "location_id"
t.datetime "created_at", :null => false
t.datetime "updated_at", :null => false
end
create_table "locations", :force => true do |t|
t.string "name"
t.datetime "created_at", :null => false
t.datetime "updated_at", :null => false
end
create_table "taggings", :force => true do |t|
t.integer "tag_id"
t.integer "taggable_id"
t.string "taggable_type"
t.integer "tagger_id"
t.string "tagger_type"
t.string "context"
t.datetime "created_at"
end
add_index "taggings", ["tag_id"], :name => "index_taggings_on_tag_id"
add_index "taggings", ["taggable_id", "taggable_type", "context"], :name => "index_taggings_on_taggable_id_and_taggable_type_and_context"
create_table "tags", :force => true do |t|
t.string "name"
end
end
| magiclabs/alchemy-oauth | spec/dummy/db/schema.rb | Ruby | bsd-3-clause | 12,537 |
package team.gif;
import edu.wpi.first.wpilibj.Joystick;
import edu.wpi.first.wpilibj.buttons.Button;
import edu.wpi.first.wpilibj.buttons.DigitalIOButton;
import edu.wpi.first.wpilibj.buttons.JoystickButton;
import team.gif.commands.*;
public class OI {
public static final Joystick leftStick = new Joystick(1);
public static final rightStick = new Joystick(2);
public static final auxStick = new Joystick(3);
private final Button leftTrigger = new JoystickButton(leftStick, 1);
private final Button right2 = new JoystickButton(rightStick, 2);
private final Button right3 = new JoystickButton(rightStick, 3);
private final Button right6 = new JoystickButton(rightStick, 6);
private final Button right7 = new JoystickButton(rightStick, 7);
public static final Button auxTrigger = new JoystickButton(rightStick, 1);
public OI() {
leftTrigger.whileHeld(new ShifterHigh());
right2.whileHeld(new CollectorReceive());
right2.whenPressed(new EarsOpen());
right3.whileHeld(new CollectorPass());
right3.whenPressed(new EarsOpen());
right3.whenReleased(new CollectorStandby());
right3.whenReleased(new EarsClosed());
right6.whileHeld(new BumperUp());
right7.whileHeld(new CollectorRaise());
}
}
| Team2338/Fumper | src/team/gif/OI.java | Java | bsd-3-clause | 1,352 |
<?php
namespace app\modules\currency\models\ar;
/**
* This is the model class for table "currency".
*
* @property integer $id
* @property string $code
* @property string $short_name
* @property string $sign
*/
class Currency extends \app\modules\core\db\ActiveRecord
{
const EUR = 'EUR';
const RUB = 'RUB';
const UAH = 'UAH';
const USD = 'USD';
/**
* @inheritdoc
*/
public static function tableName()
{
return 'currency';
}
/**
* @inheritdoc
*/
public function rules()
{
return [
[['code', 'short_name'], 'required'],
[['code'], 'string', 'max' => 3],
[['sign'], 'string', 'max' => 12],
[['short_name'], 'string', 'max' => 8],
];
}
/**
* @inheritdoc
*/
public function attributeLabels()
{
return [
'id' => 'ID',
'code' => 'Код',
];
}
/**
* @return \yii\db\ActiveQuery
*/
public function getRates()
{
return $this->hasMany(CurrencyRate::className(), ['src_id' => 'id']);
}
/**
* Returns currency symbol by its code.
* @param string $code
* @return string mixed
*/
public static function getSignByCode($code)
{
$signs = [self::UAH => '₴', self::USD => '$', self::EUR => '€', self::RUB => '₽'];
return $signs[$code];
}
/**
* Returns full currency name in prepositional case.
* @param string $code
* @return string
*/
public static function getFullPrepositionalName($code)
{
$signs = [self::UAH => 'гривнах', self::USD => 'долларах', self::EUR => 'евро', self::RUB => 'рублях'];
return $signs[$code];
}
} | roman444uk/adverts | modules/currency/models/ar/Currency.php | PHP | bsd-3-clause | 1,794 |
from optparse import make_option
from django.core.management.base import BaseCommand, CommandError
from brambling.utils.payment import dwolla_update_tokens
class Command(BaseCommand):
option_list = BaseCommand.option_list + (
make_option(
'--days',
action='store',
dest='days',
default=15,
help='Number of days ahead of time to update refresh tokens.'),
)
def handle(self, *args, **options):
try:
days = int(options['days'])
except ValueError:
raise CommandError("Days must be an integer value.")
self.stdout.write("Updating dwolla tokens...")
self.stdout.flush()
count, test_count = dwolla_update_tokens(days)
self.stdout.write("Test tokens updated: {}".format(count))
self.stdout.write("Live tokens updated: {}".format(test_count))
self.stdout.flush()
| j-po/django-brambling | brambling/management/commands/update_tokens.py | Python | bsd-3-clause | 931 |
# -*- coding: utf-8 -*-
"""
.. _tut-set-eeg-ref:
Setting the EEG reference
=========================
This tutorial describes how to set or change the EEG reference in MNE-Python.
.. contents:: Page contents
:local:
:depth: 2
As usual we'll start by importing the modules we need, loading some
:ref:`example data <sample-dataset>`, and cropping it to save memory. Since
this tutorial deals specifically with EEG, we'll also restrict the dataset to
just a few EEG channels so the plots are easier to see:
"""
import os
import mne
sample_data_folder = mne.datasets.sample.data_path()
sample_data_raw_file = os.path.join(sample_data_folder, 'MEG', 'sample',
'sample_audvis_raw.fif')
raw = mne.io.read_raw_fif(sample_data_raw_file, verbose=False)
raw.crop(tmax=60).load_data()
raw.pick(['EEG 0{:02}'.format(n) for n in range(41, 60)])
###############################################################################
# Background
# ^^^^^^^^^^
#
# EEG measures a voltage (difference in electric potential) between each
# electrode and a reference electrode. This means that whatever signal is
# present at the reference electrode is effectively subtracted from all the
# measurement electrodes. Therefore, an ideal reference signal is one that
# captures *none* of the brain-specific fluctuations in electric potential,
# while capturing *all* of the environmental noise/interference that is being
# picked up by the measurement electrodes.
#
# In practice, this means that the reference electrode is often placed in a
# location on the subject's body and close to their head (so that any
# environmental interference affects the reference and measurement electrodes
# similarly) but as far away from the neural sources as possible (so that the
# reference signal doesn't pick up brain-based fluctuations). Typical reference
# locations are the subject's earlobe, nose, mastoid process, or collarbone.
# Each of these has advantages and disadvantages regarding how much brain
# signal it picks up (e.g., the mastoids pick up a fair amount compared to the
# others), and regarding the environmental noise it picks up (e.g., earlobe
# electrodes may shift easily, and have signals more similar to electrodes on
# the same side of the head).
#
# Even in cases where no electrode is specifically designated as the reference,
# EEG recording hardware will still treat one of the scalp electrodes as the
# reference, and the recording software may or may not display it to you (it
# might appear as a completely flat channel, or the software might subtract out
# the average of all signals before displaying, making it *look like* there is
# no reference).
#
#
# Setting or changing the reference channel
# ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
#
# If you want to recompute your data with a different reference than was used
# when the raw data were recorded and/or saved, MNE-Python provides the
# :meth:`~mne.io.Raw.set_eeg_reference` method on :class:`~mne.io.Raw` objects
# as well as the :func:`mne.add_reference_channels` function. To use an
# existing channel as the new reference, use the
# :meth:`~mne.io.Raw.set_eeg_reference` method; you can also designate multiple
# existing electrodes as reference channels, as is sometimes done with mastoid
# references:
# code lines below are commented out because the sample data doesn't have
# earlobe or mastoid channels, so this is just for demonstration purposes:
# use a single channel reference (left earlobe)
# raw.set_eeg_reference(ref_channels=['A1'])
# use average of mastoid channels as reference
# raw.set_eeg_reference(ref_channels=['M1', 'M2'])
###############################################################################
# If a scalp electrode was used as reference but was not saved alongside the
# raw data (reference channels often aren't), you may wish to add it back to
# the dataset before re-referencing. For example, if your EEG system recorded
# with channel ``Fp1`` as the reference but did not include ``Fp1`` in the data
# file, using :meth:`~mne.io.Raw.set_eeg_reference` to set (say) ``Cz`` as the
# new reference will then subtract out the signal at ``Cz`` *without restoring
# the signal at* ``Fp1``. In this situation, you can add back ``Fp1`` as a flat
# channel prior to re-referencing using :func:`~mne.add_reference_channels`.
# (Since our example data doesn't use the `10-20 electrode naming system`_, the
# example below adds ``EEG 999`` as the missing reference, then sets the
# reference to ``EEG 050``.) Here's how the data looks in its original state:
raw.plot()
###############################################################################
# By default, :func:`~mne.add_reference_channels` returns a copy, so we can go
# back to our original ``raw`` object later. If you wanted to alter the
# existing :class:`~mne.io.Raw` object in-place you could specify
# ``copy=False``.
# add new reference channel (all zero)
raw_new_ref = mne.add_reference_channels(raw, ref_channels=['EEG 999'])
raw_new_ref.plot()
###############################################################################
# .. KEEP THESE BLOCKS SEPARATE SO FIGURES ARE BIG ENOUGH TO READ
# set reference to `EEG 050`
raw_new_ref.set_eeg_reference(ref_channels=['EEG 050'])
raw_new_ref.plot()
###############################################################################
# Notice that the new reference (``EEG 050``) is now flat, while the original
# reference channel that we added back to the data (``EEG 999``) has a non-zero
# signal. Notice also that ``EEG 053`` (which is marked as "bad" in
# ``raw.info['bads']``) is not affected by the re-referencing.
#
#
# Setting average reference
# ^^^^^^^^^^^^^^^^^^^^^^^^^
#
# To set a "virtual reference" that is the average of all channels, you can use
# :meth:`~mne.io.Raw.set_eeg_reference` with ``ref_channels='average'``. Just
# as above, this will not affect any channels marked as "bad", nor will it
# include bad channels when computing the average. However, it does modify the
# :class:`~mne.io.Raw` object in-place, so we'll make a copy first so we can
# still go back to the unmodified :class:`~mne.io.Raw` object later:
# sphinx_gallery_thumbnail_number = 4
# use the average of all channels as reference
raw_avg_ref = raw.copy().set_eeg_reference(ref_channels='average')
raw_avg_ref.plot()
###############################################################################
# Creating the average reference as a projector
# ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
#
# If using an average reference, it is possible to create the reference as a
# :term:`projector` rather than subtracting the reference from the data
# immediately by specifying ``projection=True``:
raw.set_eeg_reference('average', projection=True)
print(raw.info['projs'])
###############################################################################
# Creating the average reference as a projector has a few advantages:
#
# 1. It is possible to turn projectors on or off when plotting, so it is easy
# to visualize the effect that the average reference has on the data.
#
# 2. If additional channels are marked as "bad" or if a subset of channels are
# later selected, the projector will be re-computed to take these changes
# into account (thus guaranteeing that the signal is zero-mean).
#
# 3. If there are other unapplied projectors affecting the EEG channels (such
# as SSP projectors for removing heartbeat or blink artifacts), EEG
# re-referencing cannot be performed until those projectors are either
# applied or removed; adding the EEG reference as a projector is not subject
# to that constraint. (The reason this wasn't a problem when we applied the
# non-projector average reference to ``raw_avg_ref`` above is that the
# empty-room projectors included in the sample data :file:`.fif` file were
# only computed for the magnetometers.)
for title, proj in zip(['Original', 'Average'], [False, True]):
fig = raw.plot(proj=proj, n_channels=len(raw))
# make room for title
fig.subplots_adjust(top=0.9)
fig.suptitle('{} reference'.format(title), size='xx-large', weight='bold')
###############################################################################
# EEG reference and source modeling
# ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
#
# If you plan to perform source modeling (either with EEG or combined EEG/MEG
# data), it is **strongly recommended** to use the
# average-reference-as-projection approach. It is important to use an average
# reference because using a specific
# reference sensor (or even an average of a few sensors) spreads the forward
# model error from the reference sensor(s) into all sensors, effectively
# amplifying the importance of the reference sensor(s) when computing source
# estimates. In contrast, using the average of all EEG channels as reference
# spreads the forward modeling error evenly across channels, so no one channel
# is weighted more strongly during source estimation. See also this `FieldTrip
# FAQ on average referencing`_ for more information.
#
# The main reason for specifying the average reference as a projector was
# mentioned in the previous section: an average reference projector adapts if
# channels are dropped, ensuring that the signal will always be zero-mean when
# the source modeling is performed. In contrast, applying an average reference
# by the traditional subtraction method offers no such guarantee.
#
# For these reasons, when performing inverse imaging, *MNE-Python will
# automatically average-reference the EEG channels if they are present and no
# reference strategy has been specified*. If you want to perform inverse
# imaging and do not want to use an average reference (and hence you accept the
# risks presented in the previous paragraphs), you can force MNE-Python to
# relax its average reference requirement by passing an empty list to
# :meth:`~mne.io.Raw.set_eeg_reference` (i.e., by calling
# ``raw.set_eeg_reference(ref_channels=[])``) prior to performing inverse
# imaging.
#
#
# .. LINKS
#
# .. _`FieldTrip FAQ on average referencing`:
# http://www.fieldtriptoolbox.org/faq/why_should_i_use_an_average_reference_for_eeg_source_reconstruction/
# .. _`10-20 electrode naming system`:
# https://en.wikipedia.org/wiki/10%E2%80%9320_system_(EEG)
| mne-tools/mne-tools.github.io | 0.19/_downloads/0162af27293b0c7e7c35ef85531280ea/plot_55_setting_eeg_reference.py | Python | bsd-3-clause | 10,338 |
///////////////////////////////////////////////////////////////////////////////
// Copyright (C) 2013, PAL Robotics S.L.
//
// 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.
// * Neither the name of hiDOF, Inc. nor the names of its
// contributors may 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.
//////////////////////////////////////////////////////////////////////////////
/// \author Adolfo Rodriguez Tsouroukdissian
#include <string>
#include <gtest/gtest.h>
#include <ros/console.h>
#include <hardware_interface/posvelacc_command_interface.h>
using std::string;
using namespace hardware_interface;
TEST(PosVelAccCommandHandleTest, HandleConstruction)
{
string name = "name1";
double pos, vel, eff;
double cmd_pos, cmd_vel, cmd_acc;
EXPECT_NO_THROW(PosVelAccJointHandle tmp(JointStateHandle(name, &pos, &vel, &eff), &cmd_pos, &cmd_vel, &cmd_acc));
EXPECT_THROW(PosVelAccJointHandle tmp(JointStateHandle(name, &pos, &vel, &eff), nullptr, &cmd_vel, &cmd_acc), HardwareInterfaceException);
EXPECT_THROW(PosVelAccJointHandle tmp(JointStateHandle(name, &pos, &vel, &eff), &cmd_pos, nullptr, &cmd_acc), HardwareInterfaceException);
EXPECT_THROW(PosVelAccJointHandle tmp(JointStateHandle(name, &pos, &vel, &eff), &cmd_pos, &cmd_vel, nullptr), HardwareInterfaceException);
// Print error messages
// Requires manual output inspection, but exception message should be descriptive
try {PosVelAccJointHandle tmp(JointStateHandle(name, &pos, &vel, &eff), nullptr, nullptr, nullptr);}
catch(const HardwareInterfaceException& e) {ROS_ERROR_STREAM(e.what());}
}
#ifndef NDEBUG // NOTE: This test validates assertion triggering, hence only gets compiled in debug mode
TEST(JointStateHandleTest, AssertionTriggering)
{
PosVelAccJointHandle h;
// Data with invalid pointers should trigger an assertion
EXPECT_DEATH(h.getPosition(), ".*");
EXPECT_DEATH(h.getVelocity(), ".*");
EXPECT_DEATH(h.getEffort(), ".*");
EXPECT_DEATH(h.getCommandPosition(), ".*");
EXPECT_DEATH(h.getCommandVelocity(), ".*");
EXPECT_DEATH(h.getCommandAcceleration(), ".*");
EXPECT_DEATH(h.setCommandPosition(2.0), ".*");
EXPECT_DEATH(h.setCommandVelocity(3.0), ".*");
EXPECT_DEATH(h.setCommandAcceleration(4.0), ".*");
EXPECT_DEATH(h.setCommand(1.0, 2.0, 3.0), ".*");
}
#endif // NDEBUG
class PosVelAccCommandInterfaceTest : public ::testing::Test
{
protected:
double pos1 = {1.0}, vel1 = {2.0}, eff1 = {3.0}, cmd_pos1 = {0.0}, cmd_vel1 = {0.0}, cmd_acc1 = {0.0};
double pos2 = {4.0}, vel2 = {5.0}, eff2 = {6.0}, cmd_pos2 = {0.0}, cmd_vel2 = {0.0}, cmd_acc2 = {0.0};
string name1 = {"name_1"};
string name2 = {"name_2"};
JointStateHandle hs1 = {name1, &pos1, &vel1, &eff1};
JointStateHandle hs2 = {name2, &pos2, &vel2, &eff2};
PosVelAccJointHandle hc1 = {hs1, &cmd_pos1, &cmd_vel1, &cmd_acc1};
PosVelAccJointHandle hc2 = {hs2, &cmd_pos2, &cmd_vel2, &cmd_acc2};
};
TEST_F(PosVelAccCommandInterfaceTest, ExcerciseApi)
{
PosVelAccJointInterface iface;
iface.registerHandle(hc1);
iface.registerHandle(hc2);
// Get handles
EXPECT_NO_THROW(iface.getHandle(name1));
EXPECT_NO_THROW(iface.getHandle(name2));
PosVelAccJointHandle hc1_tmp = iface.getHandle(name1);
EXPECT_EQ(name1, hc1_tmp.getName());
EXPECT_DOUBLE_EQ(pos1, hc1_tmp.getPosition());
EXPECT_DOUBLE_EQ(vel1, hc1_tmp.getVelocity());
EXPECT_DOUBLE_EQ(eff1, hc1_tmp.getEffort());
EXPECT_DOUBLE_EQ(cmd_pos1, hc1_tmp.getCommandPosition());
EXPECT_DOUBLE_EQ(cmd_vel1, hc1_tmp.getCommandVelocity());
EXPECT_DOUBLE_EQ(cmd_acc1, hc1_tmp.getCommandAcceleration());
const double new_cmd_pos1 = -1.0, new_cmd_vel1 = -2.0, new_cmd_acc1 = -3.0;
hc1_tmp.setCommand(new_cmd_pos1, new_cmd_vel1, new_cmd_acc1);
EXPECT_DOUBLE_EQ(new_cmd_pos1, hc1_tmp.getCommandPosition());
EXPECT_DOUBLE_EQ(new_cmd_vel1, hc1_tmp.getCommandVelocity());
EXPECT_DOUBLE_EQ(new_cmd_acc1, hc1_tmp.getCommandAcceleration());
PosVelAccJointHandle hc2_tmp = iface.getHandle(name2);
EXPECT_EQ(name2, hc2_tmp.getName());
EXPECT_DOUBLE_EQ(pos2, hc2_tmp.getPosition());
EXPECT_DOUBLE_EQ(vel2, hc2_tmp.getVelocity());
EXPECT_DOUBLE_EQ(eff2, hc2_tmp.getEffort());
EXPECT_DOUBLE_EQ(cmd_pos2, hc2_tmp.getCommandPosition());
EXPECT_DOUBLE_EQ(cmd_vel2, hc2_tmp.getCommandVelocity());
EXPECT_DOUBLE_EQ(cmd_acc2, hc2_tmp.getCommandAcceleration());
const double new_cmd_pos2 = -1.0, new_cmd_vel2 = -2.0, new_cmd_acc2 = -3.0;
hc2_tmp.setCommand(new_cmd_pos2, new_cmd_vel2, new_cmd_acc2);
EXPECT_DOUBLE_EQ(new_cmd_pos2, hc2_tmp.getCommandPosition());
EXPECT_DOUBLE_EQ(new_cmd_vel2, hc2_tmp.getCommandVelocity());
EXPECT_DOUBLE_EQ(new_cmd_acc2, hc2_tmp.getCommandAcceleration());
// This interface claims resources
EXPECT_EQ(2, iface.getClaims().size());
// Print error message
// Requires manual output inspection, but exception message should contain the interface name (not its base clase)
try {iface.getHandle("unknown_name");}
catch(const HardwareInterfaceException& e) {ROS_ERROR_STREAM(e.what());}
}
int main(int argc, char** argv)
{
testing::InitGoogleTest(&argc, argv);
return RUN_ALL_TESTS();
}
| ros-controls/ros_control | hardware_interface/test/posvelacc_command_interface_test.cpp | C++ | bsd-3-clause | 6,470 |
/*
* Copyright Ekagra and SemanticBits, LLC
*
* Distributed under the OSI-approved BSD 3-Clause License.
* See http://ncip.github.com/clinical-connector/LICENSE.txt for details.
*/
package gov.nih.nci.cdmsconnector.c3d.service.globus.resource;
import gov.nih.nci.cdmsconnector.c3d.common.C3DGridServiceConstants;
import gov.nih.nci.cdmsconnector.c3d.stubs.C3DGridServiceResourceProperties;
import org.apache.axis.components.uuid.UUIDGen;
import org.apache.axis.components.uuid.UUIDGenFactory;
import org.apache.commons.logging.Log;
import org.apache.commons.logging.LogFactory;
import org.globus.wsrf.InvalidResourceKeyException;
import org.globus.wsrf.PersistenceCallback;
import org.globus.wsrf.Resource;
import org.globus.wsrf.ResourceException;
import org.globus.wsrf.ResourceKey;
import org.globus.wsrf.ResourceContext;
import gov.nih.nci.cagrid.introduce.servicetools.SingletonResourceHomeImpl;
import org.globus.wsrf.jndi.Initializable;
/**
* DO NOT EDIT: This class is autogenerated!
*
* This class implements the resource home for the resource type represented
* by this service.
*
* @created by Introduce Toolkit version 1.2
*
*/
public class C3DGridServiceResourceHome extends SingletonResourceHomeImpl implements Initializable {
static final Log logger = LogFactory.getLog(C3DGridServiceResourceHome.class);
private static final UUIDGen UUIDGEN = UUIDGenFactory.getUUIDGen();
public Resource createSingleton() {
logger.info("Creating a single resource.");
try {
C3DGridServiceResourceProperties props = new C3DGridServiceResourceProperties();
C3DGridServiceResource resource = new C3DGridServiceResource();
if (resource instanceof PersistenceCallback) {
//try to load the resource if it was persisted
try{
((PersistenceCallback) resource).load(null);
} catch (InvalidResourceKeyException ex){
//persisted singleton resource was not found so we will just create a new one
resource.initialize(props, C3DGridServiceConstants.RESOURCE_PROPERTY_SET, UUIDGEN.nextUUID());
}
} else {
resource.initialize(props, C3DGridServiceConstants.RESOURCE_PROPERTY_SET, UUIDGEN.nextUUID());
}
return resource;
} catch (Exception e) {
logger.error("Exception when creating the resource",e);
return null;
}
}
public Resource find(ResourceKey key) throws ResourceException {
C3DGridServiceResource resource = (C3DGridServiceResource) super.find(key);
return resource;
}
/**
* Initialze the singleton resource, when the home is initialized.
*/
public void initialize() throws Exception {
logger.info("Attempting to initialize resource.");
Resource resource = find(null);
if (resource == null) {
logger.error("Unable to initialize resource!");
} else {
logger.info("Successfully initialized resource.");
}
}
/**
* Get the resouce that is being addressed in this current context
*/
public C3DGridServiceResource getAddressedResource() throws Exception {
C3DGridServiceResource thisResource;
thisResource = (C3DGridServiceResource) ResourceContext.getResourceContext().getResource();
return thisResource;
}
}
| NCIP/clinical-connector | software/C3DGridService/src/gov/nih/nci/cdmsconnector/c3d/service/globus/resource/C3DGridServiceResourceHome.java | Java | bsd-3-clause | 3,275 |
// Copyright 2012 The Go Authors. All rights reserved.
// Use of this source code is governed by a BSD-style
// license that can be found in the LICENSE file.
(function() {
"use strict";
var runFunc;
var count = 0;
function getId() {
return "code" + (count++);
}
function text(node) {
var s = "";
for (var i = 0; i < node.childNodes.length; i++) {
var n = node.childNodes[i];
if (n.nodeType === 1 && n.tagName === "SPAN" && n.className != "number") {
var innerText = n.innerText === undefined ? "textContent" : "innerText";
s += n[innerText] + "\n";
continue;
}
if (n.nodeType === 1 && n.tagName !== "BUTTON") {
s += text(n);
}
}
return s;
}
function init(code) {
var id = getId();
var output = document.createElement('div');
var outpre = document.createElement('pre');
var stopFunc;
function onKill() {
if (stopFunc) {
stopFunc();
}
}
function onRun(e) {
onKill();
outpre.innerHTML = "";
output.style.display = "block";
run.style.display = "none";
var options = {Race: e.shiftKey};
stopFunc = runFunc(text(code), outpre, options);
}
function onClose() {
onKill();
output.style.display = "none";
run.style.display = "inline-block";
}
var run = document.createElement('button');
run.innerHTML = 'Run';
run.className = 'run';
run.addEventListener("click", onRun, false);
var run2 = document.createElement('button');
run2.className = 'run';
run2.innerHTML = 'Run';
run2.addEventListener("click", onRun, false);
var kill = document.createElement('button');
kill.className = 'kill';
kill.innerHTML = 'Kill';
kill.addEventListener("click", onKill, false);
var close = document.createElement('button');
close.className = 'close';
close.innerHTML = 'Close';
close.addEventListener("click", onClose, false);
var button = document.createElement('div');
button.classList.add('buttons');
button.appendChild(run);
// Hack to simulate insertAfter
code.parentNode.insertBefore(button, code.nextSibling);
var buttons = document.createElement('div');
buttons.classList.add('buttons');
buttons.appendChild(run2);
buttons.appendChild(kill);
buttons.appendChild(close);
output.classList.add('output');
output.appendChild(buttons);
output.appendChild(outpre);
output.style.display = "none";
code.parentNode.insertBefore(output, button.nextSibling);
}
var play = document.querySelectorAll('div.playground');
for (var i = 0; i < play.length; i++) {
init(play[i]);
}
if (play.length > 0) {
if (window.connectPlayground) {
runFunc = window.connectPlayground("ws://" + window.location.host + "/socket");
} else {
// If this message is logged,
// we have neglected to include socket.js or playground.js.
console.log("No playground transport available.");
}
}
})();
| bketelsen/gablog | static/play/play.js | JavaScript | bsd-3-clause | 3,040 |
collectd-activemq-python
========================
Python-based plugin to put simple [ActiveMQ] (http://activemq.apache.org/) stats to [collectd](http://collectd.org)
Data captured includes:
* Queue name
* Number of messages in queue
* Number of consumers
* Counter of enqueued messages
* Counter of dequeued messages
[powdahoud's redis-collectd-plugin] (https://github.com/powdahound/redis-collectd-plugin/) was used as template,
[kipsnak's Perl ActiveMQ Munin plugin] (https://github.com/kipsnak/munin-activemq-plugin) - as inspiration. :)
Install
-------
1. Place activemq_info.py in /usr/lib/collectd/plugins/python
2. Configure the plugin (see below).
3. Restart collectd.
Configuration
-------------
Add the following to your collectd config
<LoadPlugin python>
Globals true
</LoadPlugin>
<Plugin python>
ModulePath "/usr/lib/collectd/plugins/python"
Import "activemq_info"
<Module activemq_info>Up
Host "localhost"
Port 8161
</Module>
</Plugin>
Optional attributes can be set to configure http auth or webadmin root path:
<Module activemq_info>
Host "localhost"
Port 8161
User "jdoe"
Pass "123qwerty"
Webadmin "amq-admin"
</Module>
_It will access http://localhost:8161/amq-admin/xml/queues.jsp and authenticate with jdoe/123qwerty_
Dependencies
------------
[Python-requests](http://www.python-requests.org/en/latest/) module is required. Please install it with `pip install requests` or use your package manager to install `python-requests` package or similar.
License
-------
MIT
| motech-implementations/nms-deployment | files/collectd/activemq/collectd-activemq-python/README.md | Markdown | bsd-3-clause | 1,624 |
/*
* sound/pas2_mixer.c
*
* Mixer routines for the Pro Audio Spectrum cards.
*
* Copyright by Hannu Savolainen 1993
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions are
* met: 1. Redistributions of source code must retain the above copyright
* notice, this list of conditions and the following disclaimer. 2.
* 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.
*
* THIS SOFTWARE IS PROVIDED BY THE AUTHOR 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 AUTHOR 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.
*
*/
#define _PAS2_MIXER_C_
#include <i386/isa/sound/sound_config.h>
#if defined(CONFIG_PAS)
#include <i386/isa/sound/pas_hw.h>
#define TRACE(what) /* (what) */
extern int translat_code;
extern char pas_model;
extern sound_os_info *pas_osp;
static int rec_devices = (SOUND_MASK_MIC); /* Default recording source */
static int mode_control = 0;
#define POSSIBLE_RECORDING_DEVICES (SOUND_MASK_SYNTH | SOUND_MASK_SPEAKER | SOUND_MASK_LINE | SOUND_MASK_MIC | \
SOUND_MASK_CD | SOUND_MASK_ALTPCM)
#define SUPPORTED_MIXER_DEVICES (SOUND_MASK_SYNTH | SOUND_MASK_PCM | SOUND_MASK_SPEAKER | SOUND_MASK_LINE | SOUND_MASK_MIC | \
SOUND_MASK_CD | SOUND_MASK_ALTPCM | SOUND_MASK_IMIX | \
SOUND_MASK_VOLUME | SOUND_MASK_BASS | SOUND_MASK_TREBLE | SOUND_MASK_RECLEV | \
SOUND_MASK_MUTE | SOUND_MASK_ENHANCE | SOUND_MASK_LOUD)
static u_short levels[SOUND_MIXER_NRDEVICES] =
{
0x3232, /* Master Volume */
0x3232, /* Bass */
0x3232, /* Treble */
0x5050, /* FM */
0x4b4b, /* PCM */
0x3232, /* PC Speaker */
0x4b4b, /* Ext Line */
0x4b4b, /* Mic */
0x4b4b, /* CD */
0x6464, /* Recording monitor */
0x4b4b, /* SB PCM */
0x6464 /* Recording level */
};
void
mix_write(u_char data, int ioaddr)
{
/*
* The Revision D cards have a problem with their MVA508 interface.
* The kludge-o-rama fix is to make a 16-bit quantity with identical
* LSB and MSBs out of the output byte and to do a 16-bit out to the
* mixer port - 1. We need to do this because it isn't timing problem
* but chip access sequence problem.
*/
if (pas_model == PAS_16D) {
outw((ioaddr ^ translat_code) - 1, data | (data << 8));
outb(0, 0x80);
} else
pas_write(data, ioaddr);
}
static int
mixer_output(int right_vol, int left_vol, int div, int bits,
int mixer)
{ /* Input or output mixer */
int left = left_vol * div / 100;
int right = right_vol * div / 100;
if (bits & P_M_MV508_MIXER) { /* Select input or output mixer */
left |= mixer;
right |= mixer;
}
if (bits == P_M_MV508_BASS || bits == P_M_MV508_TREBLE) { /* Bass and treble are
* mono devices */
mix_write(P_M_MV508_ADDRESS | bits, PARALLEL_MIXER);
mix_write(left, PARALLEL_MIXER);
right_vol = left_vol;
} else {
mix_write(P_M_MV508_ADDRESS | P_M_MV508_LEFT | bits, PARALLEL_MIXER);
mix_write(left, PARALLEL_MIXER);
mix_write(P_M_MV508_ADDRESS | P_M_MV508_RIGHT | bits, PARALLEL_MIXER);
mix_write(right, PARALLEL_MIXER);
}
return (left_vol | (right_vol << 8));
}
static void
set_mode(int new_mode)
{
mix_write(P_M_MV508_ADDRESS | P_M_MV508_MODE, PARALLEL_MIXER);
mix_write(new_mode, PARALLEL_MIXER);
mode_control = new_mode;
}
static int
pas_mixer_set(int whichDev, u_int level)
{
int left, right, devmask, changed, i, mixer = 0;
TRACE(printf("static int pas_mixer_set(int whichDev = %d, u_int level = %X)\n", whichDev, level));
left = level & 0x7f;
right = (level & 0x7f00) >> 8;
if (whichDev < SOUND_MIXER_NRDEVICES)
if ((1 << whichDev) & rec_devices)
mixer = P_M_MV508_INPUTMIX;
else
mixer = P_M_MV508_OUTPUTMIX;
switch (whichDev) {
case SOUND_MIXER_VOLUME: /* Master volume (0-63) */
levels[whichDev] = mixer_output(right, left, 63, P_M_MV508_MASTER_A, 0);
break;
/*
* Note! Bass and Treble are mono devices. Will use just the
* left channel.
*/
case SOUND_MIXER_BASS: /* Bass (0-12) */
levels[whichDev] = mixer_output(right, left, 12, P_M_MV508_BASS, 0);
break;
case SOUND_MIXER_TREBLE: /* Treble (0-12) */
levels[whichDev] = mixer_output(right, left, 12, P_M_MV508_TREBLE, 0);
break;
case SOUND_MIXER_SYNTH:/* Internal synthesizer (0-31) */
levels[whichDev] = mixer_output(right, left, 31, P_M_MV508_MIXER | P_M_MV508_FM, mixer);
break;
case SOUND_MIXER_PCM: /* PAS PCM (0-31) */
levels[whichDev] = mixer_output(right, left, 31, P_M_MV508_MIXER | P_M_MV508_PCM, mixer);
break;
case SOUND_MIXER_ALTPCM: /* SB PCM (0-31) */
levels[whichDev] = mixer_output(right, left, 31, P_M_MV508_MIXER | P_M_MV508_SB, mixer);
break;
case SOUND_MIXER_SPEAKER: /* PC speaker (0-31) */
levels[whichDev] = mixer_output(right, left, 31, P_M_MV508_MIXER | P_M_MV508_SPEAKER, mixer);
break;
case SOUND_MIXER_LINE: /* External line (0-31) */
levels[whichDev] = mixer_output(right, left, 31, P_M_MV508_MIXER | P_M_MV508_LINE, mixer);
break;
case SOUND_MIXER_CD: /* CD (0-31) */
levels[whichDev] = mixer_output(right, left, 31, P_M_MV508_MIXER | P_M_MV508_CDROM, mixer);
break;
case SOUND_MIXER_MIC: /* External microphone (0-31) */
levels[whichDev] = mixer_output(right, left, 31, P_M_MV508_MIXER | P_M_MV508_MIC, mixer);
break;
case SOUND_MIXER_IMIX: /* Recording monitor (0-31) (Output mixer
* only) */
levels[whichDev] = mixer_output(right, left, 31, P_M_MV508_MIXER | P_M_MV508_IMIXER,
P_M_MV508_OUTPUTMIX);
break;
case SOUND_MIXER_RECLEV: /* Recording level (0-15) */
levels[whichDev] = mixer_output(right, left, 15, P_M_MV508_MASTER_B, 0);
break;
case SOUND_MIXER_MUTE:
return 0;
break;
case SOUND_MIXER_ENHANCE:
i = 0;
level &= 0x7f;
if (level)
i = (level / 20) - 1;
mode_control &= ~P_M_MV508_ENHANCE_BITS;
mode_control |= P_M_MV508_ENHANCE_BITS;
set_mode(mode_control);
if (i)
i = (i + 1) * 20;
return i;
break;
case SOUND_MIXER_LOUD:
mode_control &= ~P_M_MV508_LOUDNESS;
if (level)
mode_control |= P_M_MV508_LOUDNESS;
set_mode(mode_control);
return !!level; /* 0 or 1 */
break;
case SOUND_MIXER_RECSRC:
devmask = level & POSSIBLE_RECORDING_DEVICES;
changed = devmask ^ rec_devices;
rec_devices = devmask;
for (i = 0; i < SOUND_MIXER_NRDEVICES; i++)
if (changed & (1 << i)) {
pas_mixer_set(i, levels[i]);
}
return rec_devices;
break;
default:
return -(EINVAL);
}
return (levels[whichDev]);
}
/*****/
static void
pas_mixer_reset(void)
{
int foo;
TRACE(printf("pas2_mixer.c: void pas_mixer_reset(void)\n"));
for (foo = 0; foo < SOUND_MIXER_NRDEVICES; foo++)
pas_mixer_set(foo, levels[foo]);
set_mode(P_M_MV508_LOUDNESS | P_M_MV508_ENHANCE_40);
}
static int
pas_mixer_ioctl(int dev, u_int cmd, ioctl_arg arg)
{
TRACE(printf("pas2_mixer.c: int pas_mixer_ioctl(u_int cmd = %X, u_int arg = %X)\n", cmd, arg));
if (((cmd >> 8) & 0xff) == 'M') {
if (cmd & IOC_IN)
return *(int *) arg = pas_mixer_set(cmd & 0xff, (*(int *) arg));
else { /* Read parameters */
switch (cmd & 0xff) {
case SOUND_MIXER_RECSRC:
return *(int *) arg = rec_devices;
break;
case SOUND_MIXER_STEREODEVS:
return *(int *) arg = SUPPORTED_MIXER_DEVICES & ~(SOUND_MASK_BASS | SOUND_MASK_TREBLE);
break;
case SOUND_MIXER_DEVMASK:
return *(int *) arg = SUPPORTED_MIXER_DEVICES;
break;
case SOUND_MIXER_RECMASK:
return *(int *) arg = POSSIBLE_RECORDING_DEVICES & SUPPORTED_MIXER_DEVICES;
break;
case SOUND_MIXER_CAPS:
return *(int *) arg = 0; /* No special
* capabilities */
break;
case SOUND_MIXER_MUTE:
return *(int *) arg = 0; /* No mute yet */
break;
case SOUND_MIXER_ENHANCE:
if (!(mode_control & P_M_MV508_ENHANCE_BITS))
return *(int *) arg = 0;
return *(int *) arg = ((mode_control & P_M_MV508_ENHANCE_BITS) + 1) * 20;
break;
case SOUND_MIXER_LOUD:
if (mode_control & P_M_MV508_LOUDNESS)
return *(int *) arg = 1;
return *(int *) arg = 0;
break;
default:
return *(int *) arg = levels[cmd & 0xff];
}
}
}
return -(EINVAL);
}
static struct mixer_operations pas_mixer_operations =
{
"Pro Audio Spectrum 16",
pas_mixer_ioctl
};
int
pas_init_mixer(void)
{
pas_mixer_reset();
if (num_mixers < MAX_MIXER_DEV)
mixer_devs[num_mixers++] = &pas_mixer_operations;
return 1;
}
#endif
| MarginC/kame | freebsd3/sys/i386/isa/sound/pas2_mixer.c | C | bsd-3-clause | 9,208 |
<?php
namespace tests\models;
use yii\db\ActiveRecord;
/**
* Post
*
* @property integer $id
* @property string $title
* @property string $body
*
* @property string $tagNames
* @property array $imageNames
*
* @property Tag[] $tags
* @property Image[] $images
*/
class Post extends ActiveRecord
{
/**
* @inheritdoc
*/
public static function tableName()
{
return 'post';
}
/**
* @inheritdoc
*/
public function rules()
{
return [
[['title', 'body'], 'required'],
];
}
/**
* @inheritdoc
*/
public function transactions()
{
return [
self::SCENARIO_DEFAULT => self::OP_ALL,
];
}
/**
* @return \yii\db\ActiveQuery
*/
public function getTags()
{
return $this->hasMany(Tag::className(), ['id' => 'tag_id'])
->viaTable('post_tag', ['post_id' => 'id']);
}
/**
* @return \yii\db\ActiveQuery
*/
public function getImages()
{
return $this->hasMany(Image::className(), ['post_id' => 'id']);
}
}
| LAV45/yii2-target-behavior | tests/models/Post.php | PHP | bsd-3-clause | 1,120 |
/*******************************************************************************
* Caleydo - Visualization for Molecular Biology - http://caleydo.org
* Copyright (c) The Caleydo Team. All rights reserved.
* Licensed under the new BSD license, available at http://caleydo.org/license
*******************************************************************************/
package org.caleydo.view.relationshipexplorer.ui.collection;
import java.util.HashSet;
import java.util.Set;
import org.caleydo.core.data.datadomain.ATableBasedDataDomain;
import org.caleydo.core.data.perspective.table.TablePerspective;
import org.caleydo.core.data.perspective.variable.Perspective;
import org.caleydo.core.data.virtualarray.VirtualArray;
import org.caleydo.core.id.IDCategory;
import org.caleydo.core.id.IDType;
import org.caleydo.view.relationshipexplorer.ui.ConTourElement;
import org.caleydo.view.relationshipexplorer.ui.collection.idprovider.IElementIDProvider;
import org.caleydo.view.relationshipexplorer.ui.column.factory.ColumnFactories;
import org.caleydo.view.relationshipexplorer.ui.column.factory.IColumnFactory;
import org.caleydo.view.relationshipexplorer.ui.detail.parcoords.ParallelCoordinatesDetailViewFactory;
import com.google.common.collect.Sets;
/**
* @author Christian
*
*/
public class TabularDataCollection extends AEntityCollection {
protected final ATableBasedDataDomain dataDomain;
protected final IDCategory itemIDCategory;
protected final TablePerspective tablePerspective;
protected final IDType itemIDType;
protected final VirtualArray va;
protected final Perspective dimensionPerspective;
protected final IDType mappingIDType;
public TabularDataCollection(TablePerspective tablePerspective, IDCategory itemIDCategory,
IElementIDProvider elementIDProvider, ConTourElement relationshipExplorer) {
super(relationshipExplorer);
dataDomain = tablePerspective.getDataDomain();
this.itemIDCategory = itemIDCategory;
this.tablePerspective = tablePerspective;
this.mappingIDType = dataDomain.getDatasetDescriptionIDType(itemIDCategory);
if (dataDomain.getDimensionIDCategory() == itemIDCategory) {
va = tablePerspective.getDimensionPerspective().getVirtualArray();
itemIDType = tablePerspective.getDimensionPerspective().getIdType();
dimensionPerspective = tablePerspective.getRecordPerspective();
} else {
va = tablePerspective.getRecordPerspective().getVirtualArray();
itemIDType = tablePerspective.getRecordPerspective().getIdType();
dimensionPerspective = tablePerspective.getDimensionPerspective();
}
if (elementIDProvider == null)
elementIDProvider = getDefaultElementIDProvider(va);
allElementIDs.addAll(elementIDProvider.getElementIDs());
filteredElementIDs.addAll(allElementIDs);
setLabel(dataDomain.getLabel());
detailViewFactory = new ParallelCoordinatesDetailViewFactory();
}
@Override
public IDType getBroadcastingIDType() {
return itemIDType;
}
@Override
protected Set<Object> getBroadcastIDsFromElementID(Object elementID) {
return Sets.newHashSet(elementID);
}
@Override
protected Set<Object> getElementIDsFromBroadcastID(Object broadcastingID) {
return Sets.newHashSet(broadcastingID);
}
@Override
protected IColumnFactory getDefaultColumnFactory() {
return ColumnFactories.createDefaultTabularDataColumnFactory();
}
/**
* @return the dataDomain, see {@link #dataDomain}
*/
public ATableBasedDataDomain getDataDomain() {
return dataDomain;
}
/**
* @return the perspective, see {@link #dimensionPerspective}
*/
public Perspective getDimensionPerspective() {
return dimensionPerspective;
}
/**
* @return the itemIDCategory, see {@link #itemIDCategory}
*/
public IDCategory getItemIDCategory() {
return itemIDCategory;
}
/**
* @return the itemIDType, see {@link #itemIDType}
*/
public IDType getItemIDType() {
return itemIDType;
}
@Override
public IDType getMappingIDType() {
return mappingIDType;
}
/**
* @return the tablePerspective, see {@link #tablePerspective}
*/
public TablePerspective getTablePerspective() {
return tablePerspective;
}
/**
* @return the va, see {@link #va}
*/
public VirtualArray getVa() {
return va;
}
public static IElementIDProvider getDefaultElementIDProvider(final VirtualArray va) {
return new IElementIDProvider() {
@Override
public Set<Object> getElementIDs() {
return new HashSet<Object>(va.getIDs());
}
};
}
@Override
public String getText(Object elementID) {
return elementID.toString();
}
}
| Caleydo/org.caleydo.view.contour | src/main/java/org/caleydo/view/relationshipexplorer/ui/collection/TabularDataCollection.java | Java | bsd-3-clause | 4,540 |
Language provider interface
===========================
This package provides interface for language provider for accessing application languages from any storage for Yii2 Framework.
It's allows to you create multi-language modules for using in Yii2 based application.
As example of integration to module you can see [yii2-email-template](https://github.com/yiimaker/yii2-email-templates) extension.
[](CHANGELOG.md)
[](https://packagist.org/packages/motion/yii2-language-provider)
[](https://packagist.org/packages/motion/yii2-language-provider)
[](https://travis-ci.org/motion-web-production/yii2-language-provider)
[](https://scrutinizer-ci.com/g/motion-web-production/yii2-language-provider/?branch=master)
From the box you can use:
* [Config language provider](#config-language-provider)
* [Database language provider](#database-language-provider)
If you want to create your implementation of language provider you should implement interface
`motion\i18n\LanguageProviderInterface`.
Installation
------------
The preferred way to install this extension is through [composer](http://getcomposer.org/download/).
Either run
```
$ composer require motion/yii2-language-provider
```
or add
```
"motion/yii2-language-provider": "~2.1"
```
to the `require` section of your `composer.json`.
Usage
-----
### Config language provider
|Option |Description |Type |Default |
|------------------|--------------------------------------------------|------|----------|
|languages |Should contains list of application languages. |array |`[]` |
|defaultLanguage |Should contains default application language. |array |`[]` |
#### Example
```php
$config = [
'languages' => [
[
'label' => 'English',
'locale' => 'en',
],
[
'label' => 'Ukrainian',
'locale' => 'uk',
],
[
'label' => 'Russian',
'locale' => 'ru',
],
],
'defaultLanguage' => [
'label' => 'English',
'locale' => 'en',
],
];
$provider = new \motion\i18n\ConfigLanguageProvider($config);
$provider->getLanguages(); // returns list of languages
$provider->getDefaultLanguage(); // returns default language
$provider->getLanguageLabel('en'); // returns language label by locale (`English`)
```
### Database language provider
|Option |Description |Type |Default |
|---------------|----------------------------------------------------|---------------------------------------|---------------|
|db |Database connection instance. |string, array, `\yii\db\Connection` |`db` |
|tableName |Name of language entity in database. |string |`language` |
|localeField |Name of locale field in language entity. |string |`locale` |
|labelField |Name of label field in language entity. |string |`label` |
|defaultField |Name of field in table with default language flag. |string |`is_default` |
#### Example
```php
$config = [
'db' => 'secondDb',
'labelField' => 'title',
];
$provider = new \motion\i18n\DbLanguageProvider($config);
$provider->getLanguages(); // returns list of languages
$provider->getDefaultLanguage(); // returns default language
$provider->getLanguageLabel('uk'); // returns language label by locale
```
Tests
-----
You can run tests with composer command
```
$ composer test
```
or using following command
```
$ codecept build && codecept run
```
Licence
-------
[](LICENSE)
This project is released under the terms of the BSD-3-Clause [license](LICENSE).
Copyright (c) 2017-2018, Motion Web Production
| motion-web-production/yii2-language-provider | README.md | Markdown | bsd-3-clause | 4,566 |
<?php
namespace backend\models\base;
use Yii;
/**
* This is the base model class for table "auth_item_child".
*
* @property string $parent
* @property string $child
*
* @property \backend\models\AuthItem $parent0
* @property \backend\models\AuthItem $child0
*/
class AuthItemChild extends \yii\db\ActiveRecord
{
use \mootensai\relation\RelationTrait;
/**
* @inheritdoc
*/
public function rules()
{
return [
[['parent', 'child'], 'required'],
[['parent', 'child'], 'string', 'max' => 64]
];
}
/**
* @inheritdoc
*/
public static function tableName()
{
return 'auth_item_child';
}
/**
* @inheritdoc
*/
public function attributeLabels()
{
return [
'parent' => 'Parent',
'child' => 'Child',
];
}
/**
* @return \yii\db\ActiveQuery
*/
public function getParent0()
{
return $this->hasOne(\backend\models\AuthItem::className(), ['name' => 'parent']);
}
/**
* @return \yii\db\ActiveQuery
*/
public function getChild0()
{
return $this->hasOne(\backend\models\AuthItem::className(), ['name' => 'child']);
}
/**
* @inheritdoc
* @return \app\models\AuthItemChildQuery the active query used by this AR class.
*/
public static function find()
{
return new \app\models\AuthItemChildQuery(get_called_class());
}
}
| derilawlinda/panbum | backend/models/base/AuthItemChild.php | PHP | bsd-3-clause | 1,569 |
var PgQuery = require('bindings')('pg-query');
module.exports = {
parse: function(query) {
var result = PgQuery.parse(query);
if (result.query) {
result.query = JSON.parse(result.query);
}
if (result.error) {
var err = new Error(result.error.message);
err.fileName = result.error.fileName;
err.lineNumber = result.error.lineNumber;
err.cursorPosition = result.error.cursorPosition;
err.functionName = result.error.functionName;
err.context = result.error.context;
result.error = err;
}
return result;
}
};
| zhm/node-pg-query-native | index.js | JavaScript | bsd-3-clause | 588 |
// Replacement for jquery.ui.accordion to avoid dealing with
// jquery.ui theming.
//
// Usage: $('#container').squeezebox(options);
// where the direct child elements of '#container' are
// sequential pairs of header/panel elements, and options
// is an optional object with any of the following properties:
//
// activeHeaderClass: Class name to apply to the active header
// headerSelector: Selector for the header elements
// nextPanelSelector: Selector for the next panel from a header
// speed: Animation speed
(function($) {
$.fn.squeezebox = function(options) {
// Default options.
options = $.extend({
activeHeaderClass: 'squeezebox-header-on',
headerSelector: '> *:even',
nextPanelSelector: ':first',
speed: 500
}, options);
var headers = this.find(options.headerSelector);
// When a header is clicked, iterate through each of the
// headers, getting their corresponding panels, and opening
// the panel for the header that was clicked (slideDown),
// closing the others (slideUp).
headers.click(function() {
var clicked = this;
$.each(headers, function(i, header) {
var panel = $(header).next(options.nextPanelSelector);
if (clicked == header) {
panel.slideDown(options.speed);
$(header).addClass(options.activeHeaderClass);
} else {
panel.slideUp(options.speed);
$(header).removeClass(options.activeHeaderClass);
}
});
});
};
})(jQuery); | stephenmcd/jquery-squeezebox | jquery.squeezebox.js | JavaScript | bsd-3-clause | 1,697 |
<?php
namespace console\controllers;
use Yii;
use yii\console\Controller;
class RbacController extends Controller
{
public function actionInit()
{
$auth = Yii::$app->authManager;
////////////////////////////////////////////////////////////////////////////
$org = $auth->createRole('org');
$auth->add($org);
$adviser = $auth->createRole('adviser');
$auth->add($adviser);
$osa = $auth->createRole('osa');
$auth->add($osa);
$auth->addChild($osa, $adviser);
$auth->addChild($osa, $org);
$admin = $auth->createRole('admin');
$auth->add($admin);
///////////////////////////////////////////////////////////////////////////
$index_organizations = $auth->createPermission('indexOrganizations');
$index_organizations->description = 'view the list of organizations';
$auth->add($index_organizations);
$create_organization = $auth->createPermission('createOrganization');
$create_organization->description = 'creates an organization';
$auth->add($create_organization);
$delete_organization = $auth->createPermission('deleteOrganization');
$delete_organization->description = 'deletes an organization';
$auth->add($delete_organization);
$view_organization = $auth->createPermission('viewOrganization');
$view_organization->description = 'views the details of an organization';
$auth->add($view_organization);
$view_own_organization = $auth->createPermission('viewOwnOrganization');
$view_own_organization->description = 'views the details of own organization';
$auth->add($view_own_organization);
$auth->addChild($org, $view_own_organization);
$auth->addChild($osa, $index_organizations);
$auth->addChild($osa, $create_organization);
$auth->addChild($osa, $delete_organization);
$auth->addChild($osa, $view_organization);
////////////////////////////////////////////////////////////////////////////
$auth->assign($org, 4);
$auth->assign($adviser, 3);
$auth->assign($osa, 2);
$auth->assign($admin, 1);
}
} | xiandalisay/yii2advanced | console/controllers/RbacController.php | PHP | bsd-3-clause | 2,201 |
import base64
import json
from twisted.internet.defer import inlineCallbacks, DeferredQueue, returnValue
from twisted.web.http_headers import Headers
from twisted.web import http
from twisted.web.server import NOT_DONE_YET
from vumi.config import ConfigContext
from vumi.message import TransportUserMessage, TransportEvent
from vumi.tests.helpers import VumiTestCase
from vumi.tests.utils import MockHttpServer, LogCatcher
from vumi.transports.vumi_bridge.client import StreamingClient
from vumi.utils import http_request_full
from go.apps.http_api.resource import (
StreamResourceMixin, StreamingConversationResource)
from go.apps.tests.helpers import AppWorkerHelper
from go.apps.http_api.vumi_app import StreamingHTTPWorker
class TestStreamingHTTPWorker(VumiTestCase):
@inlineCallbacks
def setUp(self):
self.app_helper = self.add_helper(AppWorkerHelper(StreamingHTTPWorker))
self.config = {
'health_path': '/health/',
'web_path': '/foo',
'web_port': 0,
'metrics_prefix': 'metrics_prefix.',
'conversation_cache_ttl': 0,
}
self.app = yield self.app_helper.get_app_worker(self.config)
self.addr = self.app.webserver.getHost()
self.url = 'http://%s:%s%s' % (
self.addr.host, self.addr.port, self.config['web_path'])
conv_config = {
'http_api': {
'api_tokens': [
'token-1',
'token-2',
'token-3',
],
'metric_store': 'metric_store',
}
}
conversation = yield self.app_helper.create_conversation(
config=conv_config)
yield self.app_helper.start_conversation(conversation)
self.conversation = yield self.app_helper.get_conversation(
conversation.key)
self.auth_headers = {
'Authorization': ['Basic ' + base64.b64encode('%s:%s' % (
conversation.user_account.key, 'token-1'))],
}
self.client = StreamingClient()
# Mock server to test HTTP posting of inbound messages & events
self.mock_push_server = MockHttpServer(self.handle_request)
yield self.mock_push_server.start()
self.add_cleanup(self.mock_push_server.stop)
self.push_calls = DeferredQueue()
self._setup_wait_for_request()
self.add_cleanup(self._wait_for_requests)
def _setup_wait_for_request(self):
# Hackery to wait for the request to finish
self._req_state = {
'queue': DeferredQueue(),
'expected': 0,
}
orig_track = StreamingConversationResource.track_request
orig_release = StreamingConversationResource.release_request
def track_wrapper(*args, **kw):
self._req_state['expected'] += 1
return orig_track(*args, **kw)
def release_wrapper(*args, **kw):
return orig_release(*args, **kw).addCallback(
self._req_state['queue'].put)
self.patch(
StreamingConversationResource, 'track_request', track_wrapper)
self.patch(
StreamingConversationResource, 'release_request', release_wrapper)
@inlineCallbacks
def _wait_for_requests(self):
while self._req_state['expected'] > 0:
yield self._req_state['queue'].get()
self._req_state['expected'] -= 1
def handle_request(self, request):
self.push_calls.put(request)
return NOT_DONE_YET
@inlineCallbacks
def pull_message(self, count=1):
url = '%s/%s/messages.json' % (self.url, self.conversation.key)
messages = DeferredQueue()
errors = DeferredQueue()
receiver = self.client.stream(
TransportUserMessage, messages.put, errors.put, url,
Headers(self.auth_headers))
received_messages = []
for msg_id in range(count):
yield self.app_helper.make_dispatch_inbound(
'in %s' % (msg_id,), message_id=str(msg_id),
conv=self.conversation)
recv_msg = yield messages.get()
received_messages.append(recv_msg)
receiver.disconnect()
returnValue((receiver, received_messages))
def assert_bad_request(self, response, reason):
self.assertEqual(response.code, http.BAD_REQUEST)
self.assertEqual(
response.headers.getRawHeaders('content-type'),
['application/json; charset=utf-8'])
data = json.loads(response.delivered_body)
self.assertEqual(data, {
"success": False,
"reason": reason,
})
@inlineCallbacks
def test_proxy_buffering_headers_off(self):
# This is the default, but we patch it anyway to make sure we're
# testing the right thing should the default change.
self.patch(StreamResourceMixin, 'proxy_buffering', False)
receiver, received_messages = yield self.pull_message()
headers = receiver._response.headers
self.assertEqual(headers.getRawHeaders('x-accel-buffering'), ['no'])
@inlineCallbacks
def test_proxy_buffering_headers_on(self):
self.patch(StreamResourceMixin, 'proxy_buffering', True)
receiver, received_messages = yield self.pull_message()
headers = receiver._response.headers
self.assertEqual(headers.getRawHeaders('x-accel-buffering'), ['yes'])
@inlineCallbacks
def test_content_type(self):
receiver, received_messages = yield self.pull_message()
headers = receiver._response.headers
self.assertEqual(
headers.getRawHeaders('content-type'),
['application/json; charset=utf-8'])
@inlineCallbacks
def test_messages_stream(self):
url = '%s/%s/messages.json' % (self.url, self.conversation.key)
messages = DeferredQueue()
errors = DeferredQueue()
receiver = self.client.stream(
TransportUserMessage, messages.put, errors.put, url,
Headers(self.auth_headers))
msg1 = yield self.app_helper.make_dispatch_inbound(
'in 1', message_id='1', conv=self.conversation)
msg2 = yield self.app_helper.make_dispatch_inbound(
'in 2', message_id='2', conv=self.conversation)
rm1 = yield messages.get()
rm2 = yield messages.get()
receiver.disconnect()
# Sometimes messages arrive out of order if we're hitting real redis.
rm1, rm2 = sorted([rm1, rm2], key=lambda m: m['message_id'])
self.assertEqual(msg1['message_id'], rm1['message_id'])
self.assertEqual(msg2['message_id'], rm2['message_id'])
self.assertEqual(errors.size, None)
@inlineCallbacks
def test_events_stream(self):
url = '%s/%s/events.json' % (self.url, self.conversation.key)
events = DeferredQueue()
errors = DeferredQueue()
receiver = yield self.client.stream(TransportEvent, events.put,
events.put, url,
Headers(self.auth_headers))
msg1 = yield self.app_helper.make_stored_outbound(
self.conversation, 'out 1', message_id='1')
ack1 = yield self.app_helper.make_dispatch_ack(
msg1, conv=self.conversation)
msg2 = yield self.app_helper.make_stored_outbound(
self.conversation, 'out 2', message_id='2')
ack2 = yield self.app_helper.make_dispatch_ack(
msg2, conv=self.conversation)
ra1 = yield events.get()
ra2 = yield events.get()
receiver.disconnect()
# Sometimes messages arrive out of order if we're hitting real redis.
if ra1['event_id'] != ack1['event_id']:
ra1, ra2 = ra2, ra1
self.assertEqual(ack1['event_id'], ra1['event_id'])
self.assertEqual(ack2['event_id'], ra2['event_id'])
self.assertEqual(errors.size, None)
@inlineCallbacks
def test_missing_auth(self):
url = '%s/%s/messages.json' % (self.url, self.conversation.key)
queue = DeferredQueue()
receiver = self.client.stream(
TransportUserMessage, queue.put, queue.put, url)
response = yield receiver.get_response()
self.assertEqual(response.code, http.UNAUTHORIZED)
self.assertEqual(response.headers.getRawHeaders('www-authenticate'), [
'basic realm="Conversation Realm"'])
@inlineCallbacks
def test_invalid_auth(self):
url = '%s/%s/messages.json' % (self.url, self.conversation.key)
queue = DeferredQueue()
headers = Headers({
'Authorization': ['Basic %s' % (base64.b64encode('foo:bar'),)],
})
receiver = self.client.stream(
TransportUserMessage, queue.put, queue.put, url, headers)
response = yield receiver.get_response()
self.assertEqual(response.code, http.UNAUTHORIZED)
self.assertEqual(response.headers.getRawHeaders('www-authenticate'), [
'basic realm="Conversation Realm"'])
@inlineCallbacks
def test_send_to(self):
msg = {
'to_addr': '+2345',
'content': 'foo',
'message_id': 'evil_id',
}
# TaggingMiddleware.add_tag_to_msg(msg, self.tag)
url = '%s/%s/messages.json' % (self.url, self.conversation.key)
response = yield http_request_full(url, json.dumps(msg),
self.auth_headers, method='PUT')
self.assertEqual(
response.headers.getRawHeaders('content-type'),
['application/json; charset=utf-8'])
self.assertEqual(response.code, http.OK)
put_msg = json.loads(response.delivered_body)
[sent_msg] = self.app_helper.get_dispatched_outbound()
self.assertEqual(sent_msg['to_addr'], sent_msg['to_addr'])
self.assertEqual(sent_msg['helper_metadata'], {
'go': {
'conversation_key': self.conversation.key,
'conversation_type': 'http_api',
'user_account': self.conversation.user_account.key,
},
})
# We do not respect the message_id that's been given.
self.assertNotEqual(sent_msg['message_id'], msg['message_id'])
self.assertEqual(sent_msg['message_id'], put_msg['message_id'])
self.assertEqual(sent_msg['to_addr'], msg['to_addr'])
self.assertEqual(sent_msg['from_addr'], None)
@inlineCallbacks
def test_send_to_within_content_length_limit(self):
self.conversation.config['http_api'].update({
'content_length_limit': 182,
})
yield self.conversation.save()
msg = {
'content': 'foo',
'to_addr': '+1234',
}
url = '%s/%s/messages.json' % (self.url, self.conversation.key)
response = yield http_request_full(url, json.dumps(msg),
self.auth_headers, method='PUT')
self.assertEqual(
response.headers.getRawHeaders('content-type'),
['application/json; charset=utf-8'])
put_msg = json.loads(response.delivered_body)
self.assertEqual(response.code, http.OK)
[sent_msg] = self.app_helper.get_dispatched_outbound()
self.assertEqual(sent_msg['to_addr'], put_msg['to_addr'])
self.assertEqual(sent_msg['helper_metadata'], {
'go': {
'conversation_key': self.conversation.key,
'conversation_type': 'http_api',
'user_account': self.conversation.user_account.key,
},
})
self.assertEqual(sent_msg['message_id'], put_msg['message_id'])
self.assertEqual(sent_msg['session_event'], None)
self.assertEqual(sent_msg['to_addr'], '+1234')
self.assertEqual(sent_msg['from_addr'], None)
@inlineCallbacks
def test_send_to_content_too_long(self):
self.conversation.config['http_api'].update({
'content_length_limit': 10,
})
yield self.conversation.save()
msg = {
'content': "This message is longer than 10 characters.",
'to_addr': '+1234',
}
url = '%s/%s/messages.json' % (self.url, self.conversation.key)
response = yield http_request_full(
url, json.dumps(msg), self.auth_headers, method='PUT')
self.assert_bad_request(
response, "Payload content too long: 42 > 10")
@inlineCallbacks
def test_send_to_with_evil_content(self):
msg = {
'content': 0xBAD,
'to_addr': '+1234',
}
url = '%s/%s/messages.json' % (self.url, self.conversation.key)
response = yield http_request_full(url, json.dumps(msg),
self.auth_headers, method='PUT')
self.assert_bad_request(
response, "Invalid or missing value for payload key 'content'")
@inlineCallbacks
def test_send_to_with_evil_to_addr(self):
msg = {
'content': 'good',
'to_addr': 1234,
}
url = '%s/%s/messages.json' % (self.url, self.conversation.key)
response = yield http_request_full(url, json.dumps(msg),
self.auth_headers, method='PUT')
self.assert_bad_request(
response, "Invalid or missing value for payload key 'to_addr'")
@inlineCallbacks
def test_in_reply_to(self):
inbound_msg = yield self.app_helper.make_stored_inbound(
self.conversation, 'in 1', message_id='1')
msg = {
'content': 'foo',
'in_reply_to': inbound_msg['message_id'],
}
url = '%s/%s/messages.json' % (self.url, self.conversation.key)
response = yield http_request_full(url, json.dumps(msg),
self.auth_headers, method='PUT')
self.assertEqual(
response.headers.getRawHeaders('content-type'),
['application/json; charset=utf-8'])
put_msg = json.loads(response.delivered_body)
self.assertEqual(response.code, http.OK)
[sent_msg] = self.app_helper.get_dispatched_outbound()
self.assertEqual(sent_msg['to_addr'], put_msg['to_addr'])
self.assertEqual(sent_msg['helper_metadata'], {
'go': {
'conversation_key': self.conversation.key,
'conversation_type': 'http_api',
'user_account': self.conversation.user_account.key,
},
})
self.assertEqual(sent_msg['message_id'], put_msg['message_id'])
self.assertEqual(sent_msg['session_event'], None)
self.assertEqual(sent_msg['to_addr'], inbound_msg['from_addr'])
self.assertEqual(sent_msg['from_addr'], '9292')
@inlineCallbacks
def test_in_reply_to_within_content_length_limit(self):
self.conversation.config['http_api'].update({
'content_length_limit': 182,
})
yield self.conversation.save()
inbound_msg = yield self.app_helper.make_stored_inbound(
self.conversation, 'in 1', message_id='1')
msg = {
'content': 'foo',
'in_reply_to': inbound_msg['message_id'],
}
url = '%s/%s/messages.json' % (self.url, self.conversation.key)
response = yield http_request_full(url, json.dumps(msg),
self.auth_headers, method='PUT')
self.assertEqual(
response.headers.getRawHeaders('content-type'),
['application/json; charset=utf-8'])
put_msg = json.loads(response.delivered_body)
self.assertEqual(response.code, http.OK)
[sent_msg] = self.app_helper.get_dispatched_outbound()
self.assertEqual(sent_msg['to_addr'], put_msg['to_addr'])
self.assertEqual(sent_msg['helper_metadata'], {
'go': {
'conversation_key': self.conversation.key,
'conversation_type': 'http_api',
'user_account': self.conversation.user_account.key,
},
})
self.assertEqual(sent_msg['message_id'], put_msg['message_id'])
self.assertEqual(sent_msg['session_event'], None)
self.assertEqual(sent_msg['to_addr'], inbound_msg['from_addr'])
self.assertEqual(sent_msg['from_addr'], '9292')
@inlineCallbacks
def test_in_reply_to_content_too_long(self):
self.conversation.config['http_api'].update({
'content_length_limit': 10,
})
yield self.conversation.save()
inbound_msg = yield self.app_helper.make_stored_inbound(
self.conversation, 'in 1', message_id='1')
msg = {
'content': "This message is longer than 10 characters.",
'in_reply_to': inbound_msg['message_id'],
}
url = '%s/%s/messages.json' % (self.url, self.conversation.key)
response = yield http_request_full(
url, json.dumps(msg), self.auth_headers, method='PUT')
self.assert_bad_request(
response, "Payload content too long: 42 > 10")
@inlineCallbacks
def test_in_reply_to_with_evil_content(self):
inbound_msg = yield self.app_helper.make_stored_inbound(
self.conversation, 'in 1', message_id='1')
msg = {
'content': 0xBAD,
'in_reply_to': inbound_msg['message_id'],
}
url = '%s/%s/messages.json' % (self.url, self.conversation.key)
response = yield http_request_full(url, json.dumps(msg),
self.auth_headers, method='PUT')
self.assert_bad_request(
response, "Invalid or missing value for payload key 'content'")
@inlineCallbacks
def test_invalid_in_reply_to(self):
msg = {
'content': 'foo',
'in_reply_to': '1', # this doesn't exist
}
url = '%s/%s/messages.json' % (self.url, self.conversation.key)
response = yield http_request_full(url, json.dumps(msg),
self.auth_headers, method='PUT')
self.assert_bad_request(response, 'Invalid in_reply_to value')
@inlineCallbacks
def test_invalid_in_reply_to_with_missing_conversation_key(self):
# create a message with no conversation
inbound_msg = self.app_helper.make_inbound('in 1', message_id='msg-1')
vumi_api = self.app_helper.vumi_helper.get_vumi_api()
yield vumi_api.mdb.add_inbound_message(inbound_msg)
msg = {
'content': 'foo',
'in_reply_to': inbound_msg['message_id'],
}
url = '%s/%s/messages.json' % (self.url, self.conversation.key)
with LogCatcher(message='Invalid reply to message <Message .*>'
' which has no conversation key') as lc:
response = yield http_request_full(url, json.dumps(msg),
self.auth_headers, method='PUT')
[error_log] = lc.messages()
self.assert_bad_request(response, "Invalid in_reply_to value")
self.assertTrue(inbound_msg['message_id'] in error_log)
@inlineCallbacks
def test_in_reply_to_with_evil_session_event(self):
inbound_msg = yield self.app_helper.make_stored_inbound(
self.conversation, 'in 1', message_id='1')
msg = {
'content': 'foo',
'in_reply_to': inbound_msg['message_id'],
'session_event': 0xBAD5E55104,
}
url = '%s/%s/messages.json' % (self.url, self.conversation.key)
response = yield http_request_full(url, json.dumps(msg),
self.auth_headers, method='PUT')
self.assert_bad_request(
response,
"Invalid or missing value for payload key 'session_event'")
self.assertEqual(self.app_helper.get_dispatched_outbound(), [])
@inlineCallbacks
def test_in_reply_to_with_evil_message_id(self):
inbound_msg = yield self.app_helper.make_stored_inbound(
self.conversation, 'in 1', message_id='1')
msg = {
'content': 'foo',
'in_reply_to': inbound_msg['message_id'],
'message_id': 'evil_id'
}
url = '%s/%s/messages.json' % (self.url, self.conversation.key)
response = yield http_request_full(url, json.dumps(msg),
self.auth_headers, method='PUT')
self.assertEqual(response.code, http.OK)
self.assertEqual(
response.headers.getRawHeaders('content-type'),
['application/json; charset=utf-8'])
put_msg = json.loads(response.delivered_body)
[sent_msg] = self.app_helper.get_dispatched_outbound()
# We do not respect the message_id that's been given.
self.assertNotEqual(sent_msg['message_id'], msg['message_id'])
self.assertEqual(sent_msg['message_id'], put_msg['message_id'])
self.assertEqual(sent_msg['to_addr'], inbound_msg['from_addr'])
self.assertEqual(sent_msg['from_addr'], '9292')
@inlineCallbacks
def test_metric_publishing(self):
metric_data = [
("vumi.test.v1", 1234, 'SUM'),
("vumi.test.v2", 3456, 'AVG'),
]
url = '%s/%s/metrics.json' % (self.url, self.conversation.key)
response = yield http_request_full(
url, json.dumps(metric_data), self.auth_headers, method='PUT')
self.assertEqual(response.code, http.OK)
self.assertEqual(
response.headers.getRawHeaders('content-type'),
['application/json; charset=utf-8'])
prefix = "go.campaigns.test-0-user.stores.metric_store"
self.assertEqual(
self.app_helper.get_published_metrics(self.app),
[("%s.vumi.test.v1" % prefix, 1234),
("%s.vumi.test.v2" % prefix, 3456)])
@inlineCallbacks
def test_concurrency_limits(self):
config = yield self.app.get_config(None)
concurrency = config.concurrency_limit
queue = DeferredQueue()
url = '%s/%s/messages.json' % (self.url, self.conversation.key)
max_receivers = [self.client.stream(
TransportUserMessage, queue.put, queue.put, url,
Headers(self.auth_headers)) for _ in range(concurrency)]
for i in range(concurrency):
msg = yield self.app_helper.make_dispatch_inbound(
'in %s' % (i,), message_id=str(i), conv=self.conversation)
received = yield queue.get()
self.assertEqual(msg['message_id'], received['message_id'])
maxed_out_resp = yield http_request_full(
url, method='GET', headers=self.auth_headers)
self.assertEqual(maxed_out_resp.code, 403)
self.assertTrue(
'Too many concurrent connections' in maxed_out_resp.delivered_body)
[r.disconnect() for r in max_receivers]
@inlineCallbacks
def test_disabling_concurrency_limit(self):
conv_resource = StreamingConversationResource(
self.app, self.conversation.key)
# negative concurrency limit disables it
ctxt = ConfigContext(user_account=self.conversation.user_account.key,
concurrency_limit=-1)
config = yield self.app.get_config(msg=None, ctxt=ctxt)
self.assertTrue(
(yield conv_resource.is_allowed(
config, self.conversation.user_account.key)))
@inlineCallbacks
def test_backlog_on_connect(self):
for i in range(10):
yield self.app_helper.make_dispatch_inbound(
'in %s' % (i,), message_id=str(i), conv=self.conversation)
queue = DeferredQueue()
url = '%s/%s/messages.json' % (self.url, self.conversation.key)
receiver = self.client.stream(
TransportUserMessage, queue.put, queue.put, url,
Headers(self.auth_headers))
for i in range(10):
received = yield queue.get()
self.assertEqual(received['message_id'], str(i))
receiver.disconnect()
@inlineCallbacks
def test_health_response(self):
health_url = 'http://%s:%s%s' % (
self.addr.host, self.addr.port, self.config['health_path'])
response = yield http_request_full(health_url, method='GET')
self.assertEqual(response.delivered_body, '0')
yield self.app_helper.make_dispatch_inbound(
'in 1', message_id='1', conv=self.conversation)
queue = DeferredQueue()
stream_url = '%s/%s/messages.json' % (self.url, self.conversation.key)
stream_receiver = self.client.stream(
TransportUserMessage, queue.put, queue.put, stream_url,
Headers(self.auth_headers))
yield queue.get()
response = yield http_request_full(health_url, method='GET')
self.assertEqual(response.delivered_body, '1')
stream_receiver.disconnect()
response = yield http_request_full(health_url, method='GET')
self.assertEqual(response.delivered_body, '0')
self.assertEqual(self.app.client_manager.clients, {
'sphex.stream.message.%s' % (self.conversation.key,): []
})
@inlineCallbacks
def test_post_inbound_message(self):
# Set the URL so stuff is HTTP Posted instead of streamed.
self.conversation.config['http_api'].update({
'push_message_url': self.mock_push_server.url,
})
yield self.conversation.save()
msg_d = self.app_helper.make_dispatch_inbound(
'in 1', message_id='1', conv=self.conversation)
req = yield self.push_calls.get()
posted_json_data = req.content.read()
req.finish()
msg = yield msg_d
posted_msg = TransportUserMessage.from_json(posted_json_data)
self.assertEqual(posted_msg['message_id'], msg['message_id'])
@inlineCallbacks
def test_post_inbound_message_201_response(self):
# Set the URL so stuff is HTTP Posted instead of streamed.
self.conversation.config['http_api'].update({
'push_message_url': self.mock_push_server.url,
})
yield self.conversation.save()
with LogCatcher(message='Got unexpected response code') as lc:
msg_d = self.app_helper.make_dispatch_inbound(
'in 1', message_id='1', conv=self.conversation)
req = yield self.push_calls.get()
req.setResponseCode(201)
req.finish()
yield msg_d
self.assertEqual(lc.messages(), [])
@inlineCallbacks
def test_post_inbound_message_500_response(self):
# Set the URL so stuff is HTTP Posted instead of streamed.
self.conversation.config['http_api'].update({
'push_message_url': self.mock_push_server.url,
})
yield self.conversation.save()
with LogCatcher(message='Got unexpected response code') as lc:
msg_d = self.app_helper.make_dispatch_inbound(
'in 1', message_id='1', conv=self.conversation)
req = yield self.push_calls.get()
req.setResponseCode(500)
req.finish()
yield msg_d
[warning_log] = lc.messages()
self.assertTrue(self.mock_push_server.url in warning_log)
self.assertTrue('500' in warning_log)
@inlineCallbacks
def test_post_inbound_event(self):
# Set the URL so stuff is HTTP Posted instead of streamed.
self.conversation.config['http_api'].update({
'push_event_url': self.mock_push_server.url,
})
yield self.conversation.save()
msg = yield self.app_helper.make_stored_outbound(
self.conversation, 'out 1', message_id='1')
event_d = self.app_helper.make_dispatch_ack(
msg, conv=self.conversation)
req = yield self.push_calls.get()
posted_json_data = req.content.read()
req.finish()
ack = yield event_d
self.assertEqual(TransportEvent.from_json(posted_json_data), ack)
@inlineCallbacks
def test_bad_urls(self):
def assert_not_found(url, headers={}):
d = http_request_full(self.url, method='GET', headers=headers)
d.addCallback(lambda r: self.assertEqual(r.code, http.NOT_FOUND))
return d
yield assert_not_found(self.url)
yield assert_not_found(self.url + '/')
yield assert_not_found('%s/%s' % (self.url, self.conversation.key),
headers=self.auth_headers)
yield assert_not_found('%s/%s/' % (self.url, self.conversation.key),
headers=self.auth_headers)
yield assert_not_found('%s/%s/foo' % (self.url, self.conversation.key),
headers=self.auth_headers)
@inlineCallbacks
def test_send_message_command(self):
yield self.app_helper.dispatch_command(
'send_message',
user_account_key=self.conversation.user_account.key,
conversation_key=self.conversation.key,
command_data={
u'batch_id': u'batch-id',
u'content': u'foo',
u'to_addr': u'to_addr',
u'msg_options': {
u'helper_metadata': {
u'tag': {
u'tag': [u'longcode', u'default10080']
}
},
u'from_addr': u'default10080',
}
})
[msg] = self.app_helper.get_dispatched_outbound()
self.assertEqual(msg.payload['to_addr'], "to_addr")
self.assertEqual(msg.payload['from_addr'], "default10080")
self.assertEqual(msg.payload['content'], "foo")
self.assertEqual(msg.payload['message_type'], "user_message")
self.assertEqual(
msg.payload['helper_metadata']['go']['user_account'],
self.conversation.user_account.key)
self.assertEqual(
msg.payload['helper_metadata']['tag']['tag'],
['longcode', 'default10080'])
@inlineCallbacks
def test_process_command_send_message_in_reply_to(self):
msg = yield self.app_helper.make_stored_inbound(
self.conversation, "foo")
yield self.app_helper.dispatch_command(
'send_message',
user_account_key=self.conversation.user_account.key,
conversation_key=self.conversation.key,
command_data={
u'batch_id': u'batch-id',
u'content': u'foo',
u'to_addr': u'to_addr',
u'msg_options': {
u'helper_metadata': {
u'tag': {
u'tag': [u'longcode', u'default10080']
}
},
u'transport_name': u'smpp_transport',
u'in_reply_to': msg['message_id'],
u'transport_type': u'sms',
u'from_addr': u'default10080',
}
})
[sent_msg] = self.app_helper.get_dispatched_outbound()
self.assertEqual(sent_msg['to_addr'], msg['from_addr'])
self.assertEqual(sent_msg['content'], 'foo')
self.assertEqual(sent_msg['in_reply_to'], msg['message_id'])
| praekelt/vumi-go | go/apps/http_api/tests/test_vumi_app.py | Python | bsd-3-clause | 31,622 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.