code_text
stringlengths 604
999k
| repo_name
stringlengths 4
100
| file_path
stringlengths 4
873
| language
stringclasses 23
values | license
stringclasses 15
values | size
int32 1.02k
999k
|
---|---|---|---|---|---|
//
// AddNote.m
// AccessLecture
//
// Created by Michael on 1/15/14.
//
//
#import "AddNote.h"
@implementation AddNote
- (id)initWithFrame:(CGRect)frame
{
self = [super initWithFrame:frame];
if (self) {
// Initialization code
}
return self;
}
- (void)drawRect:(CGRect)rect
{
//// Color Declarations
UIColor* fillColorNormal = [UIColor colorWithRed: 0 green: 0.657 blue: 0.219 alpha: 1];
UIColor* fillColorSelected = [UIColor colorWithRed: 0 green: 0.429 blue: 0.143 alpha: 1];
UIColor* fillColor3 = [UIColor colorWithRed: 1 green: 1 blue: 1 alpha: 1];
//// Oval Drawing
self.collisionPath = [UIBezierPath bezierPath];
[self.collisionPath moveToPoint: CGPointMake(23.6, 73.5)];
[self.collisionPath addCurveToPoint: CGPointMake(41.72, 36.93) controlPoint1: CGPointMake(28.95, 73.51) controlPoint2: CGPointMake(40.07, 40.76)];
[self.collisionPath addCurveToPoint: CGPointMake(37.25, 6.22) controlPoint1: CGPointMake(45, 29.3) controlPoint2: CGPointMake(45.4, 13.86)];
[self.collisionPath addCurveToPoint: CGPointMake(7.75, 6.22) controlPoint1: CGPointMake(29.11, -1.41) controlPoint2: CGPointMake(15.89, -1.41)];
[self.collisionPath addCurveToPoint: CGPointMake(3.28, 36.93) controlPoint1: CGPointMake(-0.4, 13.86) controlPoint2: CGPointMake(0, 29.3)];
[self.collisionPath addCurveToPoint: CGPointMake(23.6, 73.5) controlPoint1: CGPointMake(4.92, 40.73) controlPoint2: CGPointMake(18.27, 73.49)];
[self.collisionPath closePath];
[(self.isSelected ? fillColorSelected : fillColorNormal) setFill];
[self.collisionPath fill];
//// Rounded Rectangle Drawing
UIBezierPath* roundedRectanglePath = [UIBezierPath bezierPathWithRoundedRect: CGRectMake(10.5, 11.5, 24, 24) byRoundingCorners: UIRectCornerTopLeft | UIRectCornerTopRight | UIRectCornerBottomRight cornerRadii: CGSizeMake(15, 15)];
[roundedRectanglePath closePath];
[fillColor3 setStroke];
roundedRectanglePath.lineWidth = 3;
[roundedRectanglePath stroke];
//// Bezier Drawing
UIBezierPath* bezierPath = [UIBezierPath bezierPath];
[bezierPath moveToPoint: CGPointMake(22.5, 17.5)];
[bezierPath addLineToPoint: CGPointMake(22.5, 29.5)];
[bezierPath addLineToPoint: CGPointMake(22.5, 17.5)];
[bezierPath closePath];
[fillColor3 setStroke];
bezierPath.lineWidth = 2;
[bezierPath stroke];
//// Bezier 2 Drawing
UIBezierPath* bezier2Path = [UIBezierPath bezierPath];
[bezier2Path moveToPoint: CGPointMake(16.5, 23.5)];
[bezier2Path addLineToPoint: CGPointMake(28.5, 23.5)];
[bezier2Path addLineToPoint: CGPointMake(16.5, 23.5)];
[bezier2Path closePath];
[fillColor3 setStroke];
bezier2Path.lineWidth = 2;
[bezier2Path stroke];
}
@end
| 7imbrook/MTRadialMenu | Project/MTRadialMenu/AddNote.m | Matlab | mit | 2,791 |
class NewsletterGenerator < Rails::Generator::Base
def manifest
record do |m|
m.directory(File.join('db/', 'migrate'))
#copia estrutura mvc
src = File.join(File.dirname(__FILE__), "templates", "app")
dest = destination_path('.')
FileUtils.cp_r src, dest
#cria migracao
m.file 'db/create_newsletters.rb', "db/migrate/#{(Time.now).strftime("%Y%m%d%H%M%S")}_create_newsletters.rb"
add_rotas
add_ptbr
end
end
protected
def add_rotas
path = destination_path('config/routes.rb')
content = File.read(path)
sentinel = "map.resources :newsletters"
if existing_content_in_file(content, sentinel)
env = "ActionController::Routing::Routes.draw do |map|"
gsub_file 'config/routes.rb', /(#{Regexp.escape(env)})/mi do |match|
"#{match}\nmap.resources :newsletters"
end
end
sentinel = "admin.resources :newsletters"
if existing_content_in_file(content, sentinel)
env = "map.namespace :admin do |admin|"
gsub_file 'config/routes.rb', /(#{Regexp.escape(env)})/mi do |match|
"#{match}\nadmin.resources :newsletters"
end
end
end
def add_ptbr
path = destination_path('config/locales/pt-BR.yml')
content = File.read(path)
sentinel = "question:"
if existing_content_in_file(content, sentinel)
env = " models:"
gsub_file 'config/locales/pt-BR.yml', /(#{Regexp.escape(env)})/mi do |match|
"#{match}\n newsletter:\n one: \"Newsletter\"\n other: \"Newsletters\""
end
env = " attributes:"
gsub_file 'config/locales/pt-BR.yml', /(#{Regexp.escape(env)})/mi do |match|
"#{match}\n newsletter:\n name: \"Nome\"\n email: \"Email\"\n situation: \"Situação\""
end
end
end
def existing_content_in_file(content, er)
match = /(#{Regexp.escape(er)})/mi
match = match.match(content)
match.nil?
end
def gsub_file(relative_destination, regexp, *args, &block)
path = destination_path(relative_destination)
content = File.read(path).gsub(regexp, *args, &block)
File.open(path, 'wb') { |file| file.write(content) }
end
end
| serviceweb2012/Plugin-Newsletters | generators/newsletter/newsletter_generator.rb | Ruby | mit | 2,167 |
/**
* Build config for electron 'Main Process' file
*/
import webpack from 'webpack';
import validate from 'webpack-validator';
import merge from 'webpack-merge';
import CopyWebpackPlugin from 'copy-webpack-plugin';
import baseConfig from './webpack.config.base';
export default validate(merge(baseConfig, {
devtool: 'inline-source-map',
entry: ['babel-polyfill', './app/index.main'],
// 'main.js' in root
output: {
path: __dirname,
devtoolModuleFilenameTemplate: '[absolute-resource-path]',
filename: './app/dist/main.js'
},
resolve: {
extensions: ['.main.js']
},
plugins: [
new webpack.DefinePlugin({
'process.env': {
NODE_ENV: JSON.stringify('development')
}
}),
new CopyWebpackPlugin([{
from: 'app/app.html',
to: 'app/dist/app.html'
}])
],
/**
* Set target to Electron specific node.js env.
* https://github.com/chentsulin/webpack-target-electron-renderer#how-this-module-works
*/
target: 'electron-main',
/**
* Disables webpack processing of __dirname and __filename.
* If you run the bundle in node.js it falls back to these values of node.js.
* https://github.com/webpack/webpack/issues/2010
*/
node: {
__dirname: false,
__filename: false
},
}));
| LeagueDevelopers/lol-skins-viewer | webpack.config.electron.development.js | JavaScript | mit | 1,285 |
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<meta name="viewport" content="width=device-width, initial-scale=1">
<title>aac-tactics: 29 s 🏆</title>
<link rel="shortcut icon" type="image/png" href="../../../../../favicon.png" />
<link href="../../../../../bootstrap.min.css" rel="stylesheet">
<link href="../../../../../bootstrap-custom.css" rel="stylesheet">
<link href="//maxcdn.bootstrapcdn.com/font-awesome/4.2.0/css/font-awesome.min.css" rel="stylesheet">
<script src="../../../../../moment.min.js"></script>
<!-- HTML5 Shim and Respond.js 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]-->
</head>
<body>
<div class="container">
<div class="navbar navbar-default" role="navigation">
<div class="container-fluid">
<div class="navbar-header">
<a class="navbar-brand" href="../../../../.."><i class="fa fa-lg fa-flag-checkered"></i> Coq bench</a>
</div>
<div id="navbar" class="collapse navbar-collapse">
<ul class="nav navbar-nav">
<li><a href="../..">clean / released</a></li>
<li class="active"><a href="">8.9.1 / aac-tactics - 8.9.0</a></li>
</ul>
</div>
</div>
</div>
<div class="article">
<div class="row">
<div class="col-md-12">
<a href="../..">« Up</a>
<h1>
aac-tactics
<small>
8.9.0
<span class="label label-success">29 s 🏆</span>
</small>
</h1>
<p>📅 <em><script>document.write(moment("2021-10-14 10:33:40 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script> (2021-10-14 10:33:40 UTC)</em><p>
<h2>Context</h2>
<pre># Packages matching: installed
# Name # Installed # Synopsis
base-bigarray base
base-threads base
base-unix base
camlp5 7.14 Preprocessor-pretty-printer of OCaml
conf-findutils 1 Virtual package relying on findutils
conf-perl 1 Virtual package relying on perl
coq 8.9.1 Formal proof management system
num 1.4 The legacy Num library for arbitrary-precision integer and rational arithmetic
ocaml 4.07.1 The OCaml compiler (virtual package)
ocaml-base-compiler 4.07.1 Official release 4.07.1
ocaml-config 1 OCaml Switch Configuration
ocamlfind 1.9.1 A library manager for OCaml
# opam file:
opam-version: "2.0"
maintainer: "palmskog@gmail.com"
homepage: "https://github.com/coq-community/aac-tactics"
dev-repo: "git+https://github.com/coq-community/aac-tactics.git"
bug-reports: "https://github.com/coq-community/aac-tactics/issues"
license: "LGPL-3.0-or-later"
synopsis: "This Coq plugin provides tactics for rewriting universally quantified equations, modulo associative (and possibly commutative) operators"
description: """
This Coq plugin provides tactics for rewriting universally quantified
equations, modulo associativity and commutativity of some operator.
The tactics can be applied for custom operators by registering the
operators and their properties as type class instances. Many common
operator instances, such as for Z binary arithmetic and booleans, are
provided with the plugin.
"""
build: [make "-j%{jobs}%"]
install: [make "install"]
depends: [
"ocaml"
"coq" {>= "8.9" & < "8.10~"}
]
tags: [
"category:Miscellaneous/Coq Extensions"
"category:Computer Science/Decision Procedures and Certified Algorithms/Decision procedures"
"keyword:reflexive tactic"
"keyword:rewriting"
"keyword:rewriting modulo associativity and commutativity"
"keyword:rewriting modulo ac"
"keyword:decision procedure"
"logpath:AAC_tactics"
"date:2019-05-16"
]
authors: [
"Thomas Braibant"
"Damien Pous"
"Fabian Kunze"
]
url {
src: "https://github.com/coq-community/aac-tactics/archive/v8.9.0.tar.gz"
checksum: "sha256=b4e124ccb2c0a9013af9d3dae6a0deb1962d224b36b64c11ec71c05c23fd2ea6"
}
</pre>
<h2>Lint</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
</dl>
<h2>Dry install 🏜️</h2>
<p>Dry install with the current Coq version:</p>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam install -y --show-action coq-aac-tactics.8.9.0 coq.8.9.1</code></dd>
<dt>Return code</dt>
<dd>0</dd>
</dl>
<p>Dry install without Coq/switch base, to test if the problem was incompatibility with the current Coq/OCaml version:</p>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
</dl>
<h2>Install dependencies</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam list; echo; ulimit -Sv 4000000; timeout 4h opam install -y --deps-only coq-aac-tactics.8.9.0 coq.8.9.1</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Duration</dt>
<dd>9 s</dd>
</dl>
<h2>Install 🚀</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam list; echo; ulimit -Sv 16000000; timeout 4h opam install -y -v coq-aac-tactics.8.9.0 coq.8.9.1</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Duration</dt>
<dd>29 s</dd>
</dl>
<h2>Installation size</h2>
<p>Total: 1 M</p>
<ul>
<li>540 K <code>../ocaml-base-compiler.4.07.1/lib/coq/user-contrib/AAC_tactics/aac_plugin.cmxs</code></li>
<li>234 K <code>../ocaml-base-compiler.4.07.1/lib/coq/user-contrib/AAC_tactics/AAC.vo</code></li>
<li>104 K <code>../ocaml-base-compiler.4.07.1/lib/coq/user-contrib/AAC_tactics/AAC.glob</code></li>
<li>89 K <code>../ocaml-base-compiler.4.07.1/lib/coq/user-contrib/AAC_tactics/Instances.vo</code></li>
<li>80 K <code>../ocaml-base-compiler.4.07.1/lib/coq/user-contrib/AAC_tactics/Tutorial.vo</code></li>
<li>67 K <code>../ocaml-base-compiler.4.07.1/lib/coq/user-contrib/AAC_tactics/Utils.vo</code></li>
<li>49 K <code>../ocaml-base-compiler.4.07.1/lib/coq/user-contrib/AAC_tactics/Caveats.vo</code></li>
<li>40 K <code>../ocaml-base-compiler.4.07.1/lib/coq/user-contrib/AAC_tactics/Tutorial.glob</code></li>
<li>32 K <code>../ocaml-base-compiler.4.07.1/lib/coq/user-contrib/AAC_tactics/aac_plugin.cmi</code></li>
<li>30 K <code>../ocaml-base-compiler.4.07.1/lib/coq/user-contrib/AAC_tactics/Instances.glob</code></li>
<li>30 K <code>../ocaml-base-compiler.4.07.1/lib/coq/user-contrib/AAC_tactics/AAC.v</code></li>
<li>28 K <code>../ocaml-base-compiler.4.07.1/lib/coq/user-contrib/AAC_tactics/aac_plugin.cmx</code></li>
<li>28 K <code>../ocaml-base-compiler.4.07.1/lib/coq/user-contrib/AAC_tactics/Utils.glob</code></li>
<li>23 K <code>../ocaml-base-compiler.4.07.1/lib/coq/user-contrib/AAC_tactics/Caveats.glob</code></li>
<li>12 K <code>../ocaml-base-compiler.4.07.1/lib/coq/user-contrib/AAC_tactics/Caveats.v</code></li>
<li>12 K <code>../ocaml-base-compiler.4.07.1/lib/coq/user-contrib/AAC_tactics/Tutorial.v</code></li>
<li>11 K <code>../ocaml-base-compiler.4.07.1/lib/coq/user-contrib/AAC_tactics/Instances.v</code></li>
<li>8 K <code>../ocaml-base-compiler.4.07.1/lib/coq/user-contrib/AAC_tactics/Utils.v</code></li>
<li>7 K <code>../ocaml-base-compiler.4.07.1/lib/coq/user-contrib/AAC_tactics/aac_plugin.cmxa</code></li>
</ul>
<h2>Uninstall 🧹</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam remove -y coq-aac-tactics.8.9.0</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Missing removes</dt>
<dd>
none
</dd>
<dt>Wrong removes</dt>
<dd>
none
</dd>
</dl>
</div>
</div>
</div>
<hr/>
<div class="footer">
<p class="text-center">
Sources are on <a href="https://github.com/coq-bench">GitHub</a> © Guillaume Claret 🐣
</p>
</div>
</div>
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>
<script src="../../../../../bootstrap.min.js"></script>
</body>
</html>
| coq-bench/coq-bench.github.io | clean/Linux-x86_64-4.07.1-2.0.6/released/8.9.1/aac-tactics/8.9.0.html | HTML | mit | 9,550 |
<?php
// Connection Component Binding
Doctrine_Manager::getInstance()->bindComponent('RengOrd', 'profit');
/**
* BaseRengOrd
*
* This class has been auto-generated by the Doctrine ORM Framework
*
* @property integer $fact_num
* @property integer $reng_num
* @property string $tipo_doc
* @property integer $reng_doc
* @property integer $num_doc
* @property string $co_art
* @property string $co_alma
* @property decimal $total_art
* @property decimal $stotal_art
* @property decimal $pendiente
* @property string $uni_venta
* @property decimal $prec_vta
* @property string $porc_desc
* @property string $tipo_imp
* @property decimal $reng_neto
* @property decimal $cos_pro_un
* @property decimal $ult_cos_un
* @property decimal $ult_cos_om
* @property decimal $cos_pro_om
* @property decimal $total_dev
* @property decimal $monto_dev
* @property decimal $prec_vta2
* @property boolean $anulado
* @property string $des_art
* @property boolean $seleccion
* @property decimal $cant_imp
* @property string $comentario
* @property string $rowguid
* @property decimal $total_uni
* @property decimal $mon_ilc
* @property decimal $otros
* @property string $nro_lote
* @property timestamp $fec_lote
* @property decimal $pendiente2
* @property string $tipo_doc2
* @property integer $reng_doc2
* @property integer $num_doc2
* @property string $co_alma2
* @property string $dis_cen
* @property decimal $aux01
* @property string $aux02
* @property decimal $cant_prod
* @property decimal $imp_prod
* @property Art $Art
* @property SubAlma $SubAlma
*
* @method integer getFactNum() Returns the current record's "fact_num" value
* @method integer getRengNum() Returns the current record's "reng_num" value
* @method string getTipoDoc() Returns the current record's "tipo_doc" value
* @method integer getRengDoc() Returns the current record's "reng_doc" value
* @method integer getNumDoc() Returns the current record's "num_doc" value
* @method string getCoArt() Returns the current record's "co_art" value
* @method string getCoAlma() Returns the current record's "co_alma" value
* @method decimal getTotalArt() Returns the current record's "total_art" value
* @method decimal getStotalArt() Returns the current record's "stotal_art" value
* @method decimal getPendiente() Returns the current record's "pendiente" value
* @method string getUniVenta() Returns the current record's "uni_venta" value
* @method decimal getPrecVta() Returns the current record's "prec_vta" value
* @method string getPorcDesc() Returns the current record's "porc_desc" value
* @method string getTipoImp() Returns the current record's "tipo_imp" value
* @method decimal getRengNeto() Returns the current record's "reng_neto" value
* @method decimal getCosProUn() Returns the current record's "cos_pro_un" value
* @method decimal getUltCosUn() Returns the current record's "ult_cos_un" value
* @method decimal getUltCosOm() Returns the current record's "ult_cos_om" value
* @method decimal getCosProOm() Returns the current record's "cos_pro_om" value
* @method decimal getTotalDev() Returns the current record's "total_dev" value
* @method decimal getMontoDev() Returns the current record's "monto_dev" value
* @method decimal getPrecVta2() Returns the current record's "prec_vta2" value
* @method boolean getAnulado() Returns the current record's "anulado" value
* @method string getDesArt() Returns the current record's "des_art" value
* @method boolean getSeleccion() Returns the current record's "seleccion" value
* @method decimal getCantImp() Returns the current record's "cant_imp" value
* @method string getComentario() Returns the current record's "comentario" value
* @method string getRowguid() Returns the current record's "rowguid" value
* @method decimal getTotalUni() Returns the current record's "total_uni" value
* @method decimal getMonIlc() Returns the current record's "mon_ilc" value
* @method decimal getOtros() Returns the current record's "otros" value
* @method string getNroLote() Returns the current record's "nro_lote" value
* @method timestamp getFecLote() Returns the current record's "fec_lote" value
* @method decimal getPendiente2() Returns the current record's "pendiente2" value
* @method string getTipoDoc2() Returns the current record's "tipo_doc2" value
* @method integer getRengDoc2() Returns the current record's "reng_doc2" value
* @method integer getNumDoc2() Returns the current record's "num_doc2" value
* @method string getCoAlma2() Returns the current record's "co_alma2" value
* @method string getDisCen() Returns the current record's "dis_cen" value
* @method decimal getAux01() Returns the current record's "aux01" value
* @method string getAux02() Returns the current record's "aux02" value
* @method decimal getCantProd() Returns the current record's "cant_prod" value
* @method decimal getImpProd() Returns the current record's "imp_prod" value
* @method Art getArt() Returns the current record's "Art" value
* @method SubAlma getSubAlma() Returns the current record's "SubAlma" value
* @method RengOrd setFactNum() Sets the current record's "fact_num" value
* @method RengOrd setRengNum() Sets the current record's "reng_num" value
* @method RengOrd setTipoDoc() Sets the current record's "tipo_doc" value
* @method RengOrd setRengDoc() Sets the current record's "reng_doc" value
* @method RengOrd setNumDoc() Sets the current record's "num_doc" value
* @method RengOrd setCoArt() Sets the current record's "co_art" value
* @method RengOrd setCoAlma() Sets the current record's "co_alma" value
* @method RengOrd setTotalArt() Sets the current record's "total_art" value
* @method RengOrd setStotalArt() Sets the current record's "stotal_art" value
* @method RengOrd setPendiente() Sets the current record's "pendiente" value
* @method RengOrd setUniVenta() Sets the current record's "uni_venta" value
* @method RengOrd setPrecVta() Sets the current record's "prec_vta" value
* @method RengOrd setPorcDesc() Sets the current record's "porc_desc" value
* @method RengOrd setTipoImp() Sets the current record's "tipo_imp" value
* @method RengOrd setRengNeto() Sets the current record's "reng_neto" value
* @method RengOrd setCosProUn() Sets the current record's "cos_pro_un" value
* @method RengOrd setUltCosUn() Sets the current record's "ult_cos_un" value
* @method RengOrd setUltCosOm() Sets the current record's "ult_cos_om" value
* @method RengOrd setCosProOm() Sets the current record's "cos_pro_om" value
* @method RengOrd setTotalDev() Sets the current record's "total_dev" value
* @method RengOrd setMontoDev() Sets the current record's "monto_dev" value
* @method RengOrd setPrecVta2() Sets the current record's "prec_vta2" value
* @method RengOrd setAnulado() Sets the current record's "anulado" value
* @method RengOrd setDesArt() Sets the current record's "des_art" value
* @method RengOrd setSeleccion() Sets the current record's "seleccion" value
* @method RengOrd setCantImp() Sets the current record's "cant_imp" value
* @method RengOrd setComentario() Sets the current record's "comentario" value
* @method RengOrd setRowguid() Sets the current record's "rowguid" value
* @method RengOrd setTotalUni() Sets the current record's "total_uni" value
* @method RengOrd setMonIlc() Sets the current record's "mon_ilc" value
* @method RengOrd setOtros() Sets the current record's "otros" value
* @method RengOrd setNroLote() Sets the current record's "nro_lote" value
* @method RengOrd setFecLote() Sets the current record's "fec_lote" value
* @method RengOrd setPendiente2() Sets the current record's "pendiente2" value
* @method RengOrd setTipoDoc2() Sets the current record's "tipo_doc2" value
* @method RengOrd setRengDoc2() Sets the current record's "reng_doc2" value
* @method RengOrd setNumDoc2() Sets the current record's "num_doc2" value
* @method RengOrd setCoAlma2() Sets the current record's "co_alma2" value
* @method RengOrd setDisCen() Sets the current record's "dis_cen" value
* @method RengOrd setAux01() Sets the current record's "aux01" value
* @method RengOrd setAux02() Sets the current record's "aux02" value
* @method RengOrd setCantProd() Sets the current record's "cant_prod" value
* @method RengOrd setImpProd() Sets the current record's "imp_prod" value
* @method RengOrd setArt() Sets the current record's "Art" value
* @method RengOrd setSubAlma() Sets the current record's "SubAlma" value
*
* @package gesser
* @subpackage model
* @author Luis Hernández
* @version SVN: $Id: Builder.php 7490 2010-03-29 19:53:27Z jwage $
*/
abstract class BaseRengOrd extends sfDoctrineRecord
{
public function setTableDefinition()
{
$this->setTableName('reng_ord');
$this->hasColumn('fact_num', 'integer', 4, array(
'type' => 'integer',
'fixed' => 0,
'unsigned' => false,
'primary' => true,
'autoincrement' => false,
'length' => 4,
));
$this->hasColumn('reng_num', 'integer', 4, array(
'type' => 'integer',
'fixed' => 0,
'unsigned' => false,
'primary' => true,
'autoincrement' => false,
'length' => 4,
));
$this->hasColumn('tipo_doc', 'string', 1, array(
'type' => 'string',
'fixed' => 1,
'unsigned' => false,
'notnull' => true,
'default' => '(space(1))',
'primary' => false,
'autoincrement' => false,
'length' => 1,
));
$this->hasColumn('reng_doc', 'integer', 4, array(
'type' => 'integer',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 4,
));
$this->hasColumn('num_doc', 'integer', 4, array(
'type' => 'integer',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 4,
));
$this->hasColumn('co_art', 'string', 30, array(
'type' => 'string',
'fixed' => 1,
'unsigned' => false,
'notnull' => true,
'default' => '(space(1))',
'primary' => false,
'autoincrement' => false,
'length' => 30,
));
$this->hasColumn('co_alma', 'string', 6, array(
'type' => 'string',
'fixed' => 1,
'unsigned' => false,
'notnull' => true,
'default' => '(space(1))',
'primary' => false,
'autoincrement' => false,
'length' => 6,
));
$this->hasColumn('total_art', 'decimal', 20, array(
'type' => 'decimal',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 20,
));
$this->hasColumn('stotal_art', 'decimal', 20, array(
'type' => 'decimal',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 20,
));
$this->hasColumn('pendiente', 'decimal', 20, array(
'type' => 'decimal',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 20,
));
$this->hasColumn('uni_venta', 'string', 6, array(
'type' => 'string',
'fixed' => 1,
'unsigned' => false,
'notnull' => true,
'default' => '(space(1))',
'primary' => false,
'autoincrement' => false,
'length' => 6,
));
$this->hasColumn('prec_vta', 'decimal', 20, array(
'type' => 'decimal',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 20,
));
$this->hasColumn('porc_desc', 'string', 15, array(
'type' => 'string',
'fixed' => 1,
'unsigned' => false,
'notnull' => true,
'default' => '(space(1))',
'primary' => false,
'autoincrement' => false,
'length' => 15,
));
$this->hasColumn('tipo_imp', 'string', 1, array(
'type' => 'string',
'fixed' => 1,
'unsigned' => false,
'notnull' => true,
'default' => '(space(1))',
'primary' => false,
'autoincrement' => false,
'length' => 1,
));
$this->hasColumn('reng_neto', 'decimal', 22, array(
'type' => 'decimal',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 22,
));
$this->hasColumn('cos_pro_un', 'decimal', 20, array(
'type' => 'decimal',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 20,
));
$this->hasColumn('ult_cos_un', 'decimal', 20, array(
'type' => 'decimal',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 20,
));
$this->hasColumn('ult_cos_om', 'decimal', 20, array(
'type' => 'decimal',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 20,
));
$this->hasColumn('cos_pro_om', 'decimal', 20, array(
'type' => 'decimal',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 20,
));
$this->hasColumn('total_dev', 'decimal', 20, array(
'type' => 'decimal',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 20,
));
$this->hasColumn('monto_dev', 'decimal', 20, array(
'type' => 'decimal',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 20,
));
$this->hasColumn('prec_vta2', 'decimal', 20, array(
'type' => 'decimal',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 20,
));
$this->hasColumn('anulado', 'boolean', 1, array(
'type' => 'boolean',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 1,
));
$this->hasColumn('des_art', 'string', 2147483647, array(
'type' => 'string',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(space(1))',
'primary' => false,
'autoincrement' => false,
'length' => 2147483647,
));
$this->hasColumn('seleccion', 'boolean', 1, array(
'type' => 'boolean',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 1,
));
$this->hasColumn('cant_imp', 'decimal', 20, array(
'type' => 'decimal',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 20,
));
$this->hasColumn('comentario', 'string', 2147483647, array(
'type' => 'string',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(space(1))',
'primary' => false,
'autoincrement' => false,
'length' => 2147483647,
));
$this->hasColumn('rowguid', 'string', 36, array(
'type' => 'string',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(newid())',
'primary' => false,
'autoincrement' => false,
'length' => 36,
));
$this->hasColumn('total_uni', 'decimal', 20, array(
'type' => 'decimal',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(1)',
'primary' => false,
'autoincrement' => false,
'length' => 20,
));
$this->hasColumn('mon_ilc', 'decimal', 20, array(
'type' => 'decimal',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 20,
));
$this->hasColumn('otros', 'decimal', 20, array(
'type' => 'decimal',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 20,
));
$this->hasColumn('nro_lote', 'string', 20, array(
'type' => 'string',
'fixed' => 1,
'unsigned' => false,
'notnull' => true,
'default' => '(space(1))',
'primary' => false,
'autoincrement' => false,
'length' => 20,
));
$this->hasColumn('fec_lote', 'timestamp', 16, array(
'type' => 'timestamp',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(convert(varchar(10),getdate(),104))',
'primary' => false,
'autoincrement' => false,
'length' => 16,
));
$this->hasColumn('pendiente2', 'decimal', 20, array(
'type' => 'decimal',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 20,
));
$this->hasColumn('tipo_doc2', 'string', 1, array(
'type' => 'string',
'fixed' => 1,
'unsigned' => false,
'notnull' => true,
'default' => '(space(1))',
'primary' => false,
'autoincrement' => false,
'length' => 1,
));
$this->hasColumn('reng_doc2', 'integer', 4, array(
'type' => 'integer',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 4,
));
$this->hasColumn('num_doc2', 'integer', 4, array(
'type' => 'integer',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 4,
));
$this->hasColumn('co_alma2', 'string', 6, array(
'type' => 'string',
'fixed' => 1,
'unsigned' => false,
'notnull' => true,
'default' => '(space(1))',
'primary' => false,
'autoincrement' => false,
'length' => 6,
));
$this->hasColumn('dis_cen', 'string', 2147483647, array(
'type' => 'string',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(space(1))',
'primary' => false,
'autoincrement' => false,
'length' => 2147483647,
));
$this->hasColumn('aux01', 'decimal', 20, array(
'type' => 'decimal',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 20,
));
$this->hasColumn('aux02', 'string', 30, array(
'type' => 'string',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(space(1))',
'primary' => false,
'autoincrement' => false,
'length' => 30,
));
$this->hasColumn('cant_prod', 'decimal', 20, array(
'type' => 'decimal',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 20,
));
$this->hasColumn('imp_prod', 'decimal', 20, array(
'type' => 'decimal',
'fixed' => 0,
'unsigned' => false,
'notnull' => true,
'default' => '(0)',
'primary' => false,
'autoincrement' => false,
'length' => 20,
));
}
public function setUp()
{
parent::setUp();
$this->hasOne('Art', array(
'local' => 'co_art',
'foreign' => 'co_art'));
$this->hasOne('SubAlma', array(
'local' => 'co_alma',
'foreign' => 'co_sub'));
}
} | luelher/gesser | lib/model/doctrine/base/BaseRengOrd.class.php | PHP | mit | 24,014 |
/*
Title: Dev Tees stylesheet
Author: Joel A. Glovier
Author email: me@joelglovier.com
Author URI: http://joelglovier.com
Copyright: Dev Tees 2013
Created: 6/12/2013
Version: 0.1
*/
/* Conventions: */
/* Main Categories -------------------- */
/* sub categories */
/* @group Typography -------------------- */
@font-face {
font-family: 'blanch';
src: url('../fonts/blanch_caps-webfont.eot');
}
@font-face {
font-family: 'blanch';
src: url(data:application/x-font-woff;charset=utf-8;base64,d09GRgABAAAAACTsABMAAAAAYtwAAQAAAAAAAAAAAAAAAAAAAAAAAAAAAABGRlRNAAABqAAAABwAAAAcZdFf60dERUYAAAHEAAAAHQAAACAAmwAER1BPUwAAAeQAAAQ0AAAU+A9oC5tHU1VCAAAGGAAAACAAAAAgRHZMdU9TLzIAAAY4AAAAUgAAAGBwbUoXY21hcAAABowAAADqAAABsoiPYjVjdnQgAAAHeAAAABgAAAAYBqoL5mZwZ20AAAeQAAABsQAAAmVTtC+nZ2FzcAAACUQAAAAIAAAACAAAABBnbHlmAAAJTAAAFtEAAD8Y6qN10mhlYWQAACAgAAAALwAAADYDKv03aGhlYQAAIFAAAAAgAAAAJA3aB+dobXR4AAAgcAAAALgAAAG4FjUUp2xvY2EAACEoAAAAywAAAN78p+zqbWF4cAAAIfQAAAAgAAAAIAGLATFuYW1lAAAiFAAAAVMAAANGTmN7snBvc3QAACNoAAABBQAAAag4FBPmcHJlcAAAJHAAAAB0AAAAizxM1Ip3ZWJmAAAk5AAAAAYAAAAGqVRRuAAAAAEAAAAAzD2izwAAAADLtWNIAAAAAM3eWdN42mNgZGBg4ANiCQYQYGJgBMJcIGYB8xgACPkAoAAAAHja7Zi/b1tVFMe/7/lHfthx2sRp0vxqKVVpnDQ4fjQhxFJIRcCiCYlNaiImFhiMxMAfwBDJEgNCFgNDRiaGisliRrLExMDEWPXtTB1ZzPec95Kmzj0IQyOBQFefd5/fve+eH/fHO8fwAAxjHkvw3nhz5wCDSPIJul1Ii/fxh59+wmeIfrHNZ51ANnUz/xG85E/au4wjtPA9fmD9G468LCmg5RXJ++QLtrbYduQdy1Xv2uQX7zFbn2hry/9A+vif+Q8Tda+Q+FzfaEmvxNdoJR4+2ys5L72oyVi3g4DUyBCy3SZyRJ5OsJ4jK91Qe+yzll4+W5t6l0Oa1wwZIaPkEpF38/Goa2SdlGMJdXJIks/0kpYBHVWeTJ159+QdT7UZpn6UekZGpGPnnI5ZDKgVMmITV/hkgXVATjSqqA3NU40SOu4on8iY6XNWnGgyaProqX9KvFbVypK+HeqvOusZDKoFTVxWK45VxiSZVh07WCZFUlLZx3iF9V2yGo/0Kt+t8H6X7MVyauz3LusD8iCW9B77DaiOC90gtiLkm0FsSYjMH8722hmLpHcBKd7JfA+IF8TH8bznTuc+smr8dG4iy67G1s2QWSLzNU+ukRvkFrlNCTJDS7y/0+MF0WST9RbZJm+pHU3c5/1OjydE0+yZVRJSk5CafMc1EKrkktonI8isiH2h7oJodciKSJ1KFW+djDr7XGZuS1fen5u9xQvx+PW/5fWO6XWffk/pSZfBZa78cUzwbhK3eEosIuAJucbyEtZZbmODZQGb2Oa6ehs1rKDO8hoOWTbg5R7puVhEA23vSzT8x2gk7smvxK9oJx+hraWBRhpyjUs7/VXUMjQrrUM/Dv+ceaL9lGy5txVjuvZdBAY1g1XdTS5yBpbkifgM6mXOQHasC8uC/Xhn92JZdqBr0EXGYMRg1OCSgeWhvIFl8ZrBukHZwPJQ3eDQYOq5WWZpVNATzYUlYcqgX5/266Oynmoucgb9+s7eTx0nF72fKhqbuLDnzI3ENS7kTHcRGPS7Pyoag5ynZtDv/rh54Tu/31X6jX5/XVinu3yXXUjk4MKybNJg2mDBYNmgaFAykMjGhUQ7Lu4arBpI3OFCoicXlTii6mXXYM+gaiDRmQuJ2FwcGDwwkNjJhUSALgrm3pA434W9N9yelqjXhb1n3Bbc+9dERJYn+j3ZLU9U/sI3LnSSN5AMx4VkPS6sb59kRy4Cg4pB1aBmMGZ++6xvlvWt+fb/k/ofelJvxdlkL/+1E9xjXptCmrlyhjnzCPPjUWbM48gzY57EVUxjBrOYY8Z8DdfxAl5kDr2IJdzBMl7muysoMZPeYPb8OrZ4ym4zg76PHeziHexhH1Vm0j77SAad50ie/Oeo/6FF/0L68n8Hi8esPOC1xuKxXKFOkR6RFjcoN5Ja5GiblLUdy9lD9XfblCrHAAEAAAAKABwAHgABREZMVAAIAAQAAAAA//8AAAAAAAB42mNgZqpknMXAysDCasxyloGBYRaEZjrLkMaUAKS5WVmAokwMIJKdAQkERAYFMzgw8D5gYJ31dxYDA+scRgOgsDBIjvkb8zcgpcDABABiUg0zAAB42mNgYGBmgGAZBkYGEFgD5DGC+SwME4C0AhCygGV4GRQZNBmsGWwZ4hiqGBYwrFXgUhBR0FeIf8Dw/z9UhQKDMoM2UIU9QwJYBYOCAFwF4/+v/x//f/T/4f8H/+//v/d/5/+1D6IfhD2wecCrkAu1HS9gZGOAK2NkAhJM6AqAXmFhYGVj5+Dk4mbg4eXjFxAUEhYRFROXkJSSlmGQZZCTV1BUUlZRVVPX0NTS1tHV0zcwNDI2MTUzt7C0sraxZbCzd3B0cnZxdXP38PTy9vH18w8IDAoOCQ0Lj2CgLogEk5lZpOkCABTdNYcAAAAAA/QD9ACDAIEAhQEGAIMA6wFWAEQFEXjaXVG7TltBEN0NDwOBxNggOdoUs5mQxnuhBQnE1Y1iZDuF5QhpN3KRi3EBH0CBRA3arxmgoaRImwYhF0h8Qj4hEjNriKI0Ozuzc86ZM0vKkap36WvPU+ckkMLdBs02/U5ItbMA96Tr642MtIMHWmxm9Mp1+/4LBpvRlDtqAOU9bykPGU07gVq0p/7R/AqG+/wf8zsYtDTT9NQ6CekhBOabcUuD7xnNussP+oLV4WIwMKSYpuIuP6ZS/rc052rLsLWR0byDMxH5yTRAU2ttBJr+1CHV83EUS5DLprE2mJiy/iQTwYXJdFVTtcz42sFdsrPoYIMqzYEH2MNWeQweDg8mFNK3JMosDRH2YqvECBGTHAo55dzJ/qRA+UgSxrxJSjvjhrUGxpHXwKA2T7P/PJtNbW8dwvhZHMF3vxlLOvjIhtoYEWI7YimACURCRlX5hhrPvSwG5FL7z0CUgOXxj3+dCLTu2EQ8l7V1DjFWCHp+29zyy4q7VrnOi0J3b6pqqNIpzftezr7HA54eC8NBY8Gbz/v+SoH6PCyuNGgOBEN6N3r/orXqiKu8Fz6yJ9O/sVoAAAAAAQAB//8AD3ja7Vt7bFvndf/uJcWHdHnJ+yApknpRlEjZlxbFS8kyLYt05If8yJq0a70C6xqL9hzbwRa0BRpkmecVQtpY0lAMBboUKPrH0AFBFwT30lpRYEOApi0QNzPWwLCLARu2ZdkKba6xR9Btgc3unPPde3kpy2n/GdBiCuDLjx8vxfP4nXN+53w3TGRHGRPP932MBViYTdsCqxxqh4P9PzbtUN/fHGoHRFgyO4DbfbjdDocG7h9qC7hfU/LKZF7JHxXHOhPCy52LfR97/0+PBm8y+JNs4adX2OuB91icjbJZ1tZFZlhSZTMQYnrQEKyxihW/YyVMOxLesgZNOxPesvOCwWw9oKjWUH2mOj+7f0EwU8OCHjKE8eJcRuAbSYVvLGjyUkzTYkuyRitVhtVkTNfkL+COcFK8i28e6HATyFNiLPBVkOc0e4L9AWuD2oZVr9FrW0PhhmubJ4NHtZhhlx+v1eyTgS17tmGam3KYNvd+CDbl4JY9OG6agvVkxVq+Y/fFTdM+DKKnHzfN9vLhfuP64WUWNax+0zqcsBcFw878CtyyH7Uz4Jb9i3jL/ircUjTtD4PCM1VtDhVTCuPFRVJxzlW81l25dlC8VZJbYVEodFfjxcmaUiglpdu3pSRcdWkppq9q8mNSkm/wa1J6TNZW9diSpMOG8PzqqqDDjUJIjzVj+u2Yrsdu86smPRbTO+/Trbdw5xa/6s8KISaAj1dFNfg8O8bWmdWs2FJoy6pU7FxoS7COVyx2x9JNOwoOrppWNGEvCYaVNu0F2Bg1rYWELcOGYdrzsFEw7WWwVpSB95W6taRYtbq1oF6XBqYrE+m6JStWom7Nq9ZsndlSU1Htg0fqdauiXA/qpXm8I6fa6bE6Asczm54y98/NloRptGl3e0RwQQUGL46Hknoa9sCMYc+U0wLCS9IbZxaDnb8rSGdPEcZOnQW8ScnFM40+YawgPXWa4Hf6qXvH0CzHjEbDyEaEFyrj5hNXUxcQhhdSV584JmvOh4P9nRfNseqHr7gfXoFY6WMLjAUzgZ+wGEtBrBxmJ9jfsnYTEVqt2UcDW+0gAnS8ZicDW5sn6s0g4PEELJUBWioBsPdJtLctgynlhJ0GU06Ht65r0+mIQSE2nbBHYLMEm0ulEdicg825ir0EL6WEfRw+OwQgPQWvaVlRrw8EE0m06rTSVvRcvV63Ixq4xqjbS3MUoHZpRFE39x5oHjmB9x1XrtcbR5dhyewTR8E9xj5wT12xcnVbGYBv7K1bScUeGkEPaXMNhHQ6KSNm50cEcz/6AQNhXti/KHQjPyyEXF9Nwqd8c7y4Hz0LX1kQ11orL4nitbOttc+J4CzwzJXYpDAS0jAbxCY774QQvEmhb+2N9fU31lbhhsaZQL+4cu3airiytrZi4Hca9+++VR0zhd+J5G6gJ2+Y+ZnOaij7FsTLD8WVl66dFVfW1zfwu4uY2yDBfS3wPpthB9nvsfY0eMqeDWxZ8xVrqmanYDVmtlPzGOqpHIS6UrEjfeCjBYqJPtOugtU1s11leEs1BrdUE/YcD4+9FB7tvXP42d6JKDgGnFLFwAiAcVPztLAUxerjYJ8vzvWkypCe8icRL3VwM87jp5BsQsmFU6fWV45jCj2O2LxMgL+E6l/SpZsr66uwd9lo3Hvz4tGjF1obSemIlAT9LyKaL1IO6bCYvtEqN4WvHTYY5gPxFfY65IM4yzMrVtkMhlgUk32CsAmJgP4pPOspj0zn4g3hixgenU/BT9HfhcsJyN05VmPtDFpbDfKgsAeCYNch+vvx8FY7ThaNR8CiSdMepl+ah19yrIBqK3rKe1dcWF9BhVF/fF1ZvysOtdYQMmqz/ODdclOTISWu7ShDEGRQ/TKE79gpkCGcQhnCMsjAPBnmUIb9c8ps0cnzNa56gTTnv6/JALIVWcs3Za1ZFofKTRUT+FrrwbsgE8ogVISb4rdZgX2EWfmKlarZQQCbbLbzQfzN/FDUaAfzuAxGo2D4iYo1SoAbBFDFzPbgKH42qMFto4O4HIViZU/6ytDDuPGXFxD1aXBRTOfpC+wU056WNeGH/HXbp4x81/lv9jq7wTHBCYCLifgdTE30j2NivhcScz5MvOIBIsb43xW+Cbaow98dR6yhIfAf/mGbCcZmNMoGgoYLNjR/3vF6HvTQY8KTaPCORdJLOpVKnfvZkbfC2vBbBqIYKIt/vTOi53vD0I/oPFGSLxCc+W+IOuT7Ycj07RwyELoMiM5FsEbo76fBa+mEHYb4T8DPjGJyxjwQrFthxe7TIcMmVEurOz/+6Ny54OZESZcgJ4bJS/nelFfLVzqr4QymPKBKJKMKMsoszcbYKdaWKO6gGPUh5kfQ1Hk37oDBWfGErUMGy1HFt8dBVj0OdUDqq0PWGlFhmRzk5Vnxo3+eirQSCM1pUKuxGi9ATl+71sIEdGbx++GbQUjQd0VxaGX92sqDd86tr58rN5tlYV/n38N3BDmSweBhrl2FUyCzzqrcd/xCiUJFgZMVK0FuayeiCP8Ewj/lg78PfArH+6s54FPgx2dkLfAlsFopd/+3kEUFPqL1+HKaXWDtMtqoADbK4E/2w6I/g7/Tr2I0Vij9Q14qUDRaBe7aISzBpj0Dy4Ln3XZfBshM3RpSrVGwX38B7BcccukNeHoOM0nIR2TIpo7X/VAn1zfKRoOcvr7SWicICPsRm52LgIM3q3nCARpyGXVbxjzE8ZC9QPQx2aNrg/0+ax9CXSVQUTqEKkpBSCozqHYe9vIzlI/2RI3NrHZoBkhKFu3fJAuUOSmcIFIYB8wMm3YdNmpmO16n/J0CtxwGe8SjoPbMIc4k9oMdskhC9m8jeZBYkch5idV5t9048Dbs5X2KzYZRbjTKmAfw1WehkyfXAX/I6jT5GKLtvLFIya5ZbvVaqXXh+PHz51sbG659vgb2qbHPcSzwS7/oXDarerk/ZlgjNbsKebtotvUq6qtnEB6zFUu4Y+tgCD1hV0D7cBJahykIJnkYWoepCt46VQDTzGFwCRwqFUgEKhhoCnkzAEWnbY5ngglHNQEjWXskLZhTECvyBE8TMY0wcouWlzDpXiLbdN6CdPnxlpGvCi9EcmgdSCGdF6NIGzT5EuW6zr+gcYSUxnowU2FPsfY+DzP7PMzkEDMTwGYn9X05AMokAmWGgJLeBhSHG9lVt1PQ61ZcsTWgmmxHSHDN/Lk/6av9pF2zDAzQuInyCy9jF9n5/jPIC1sbPve/aTR0SfgyvoevvL3WepM8zhwuiPqNQQa4xNojjGvDkw4w87ZCpVkZgFBIGyPI19OoISUDO4/eNq18wi5BHMimnYONME8GpbyitoNpYMzg17QB6iaJ9oXrHqdxarObC7o0B9NqNxCSCxuQUsk7i0a5OTvPFVzlupeb9zC5IvPgTORzGa5gy1Ed0qvg1QPkHu08wpouCVQzigpNkMskYDygwjBPbUCHkF3Yw76qlQWwplQrA0pFQUNY+KpX3olW9JfYW8KkgpAPdm5Sb/9lAGih8/d9VLW9OsbJB7joC5S7IoPba1kSOMgedpm1dfRSBpwTRfH3IPhG9agLvr0uTQfxrXHTSiXsnEANuwIbA6ZtoGqckFs55XpU0yPYA8GGDFpNjkLSkgN1l52jQr7s45Q8p/VMuJ3MiRPQniwvX/vu2irvY+h6783fPHaixbuVc8tHL7x5bt3nFuEq3dmDw1FmIA6HmVuAhqkABSDSUq6yhfhwKkaFSrDKpKxq2uEwti1WOGFLoOykaWfBeftAUykMOIynhgmH8X7QktWtgmLFukOaJNco9BC31XyqYrzJauNMc6FCmXN9ndf4ZvNM4x5GHur1T5mNVgs/Bs67sYEc2Em5jo7sdfFbNFOq9bAza7iyqXdHS4xGS9He0dLDDE15NGMjWWmk1OVuwv2XUMyXZFVzYh+5rSNPiW2ToWe8FenKsJ1m/Dwy+Niv+F9+IUAGYQ548F+QDFWXCYMoto7edW3h0GEQxSXG+R2JsfJBRLmHNJ/hpBkEE1RvibH201XA4fsgzzyrs2dYd+hnZSr2FHKjKURkJo817yB1AYkJk5toqGqaViSBlMw24P0CvEaARQLHtVJKW5+qICcyVHv6AIIxE1DU68bsgTpE38MDQ+Vn8SQnewr+PuMRbIk+E/7Y6I4XT2HSeSGS3YE0RdNwh1gU3bgMfBv6xkV2jH2FtRcwLk23PhgQjGpjAYsCMmu1gZZRcR6QNjfHjtAHYwF3mmZXgLhWqMOtzMM9FcpLxBgaJpIG6EOsJqeXwC2LWCXBiDhX03NgRBPLhz0KvNIqqFYNDKiasF1w60m+C0vo9romU3j+agjUvuadHtqHEpxUUoSvrwivoRk+FNN/kKTe9bvXJiuLRucjlK5OEOX81sq68Os/WDyzSL32Wqvz5zhc+OamiFYUhQX8A38dPlQUaGT24F2jQcOGNeFPgpQI3Fz3HhuEfA4dVAonZQM1btIRnItlUt5cbJwsp4JJMqalcr6Z5WgrIMNUqTJ1xwQ+/u+stNrc9ip6i66rt7B45sUfUb7KUID8UQfpkli6yXNWwMvLOhthU+yjrK0iApJ9DgIgIDZHR1QUdxTF3UPiJvmINJmwMyBuwaS5XsS094LEcgYkHgDnjY7QgkvuID/swX/eo0Bz3mqhOPTqytrJk2sr0NWsPoPF/xl+XQp8eqgImffpI0cutVobpU82jFa5sYrXZpfHYQ3dw86wdsmtn5kSxfJo1OmyNNjTiPBoEsY3lVKqo04RjZv2BKc4WERzKWxrSvV675jGN5pVnALihTYStzWPzVCZpOgFQrN2VxxBV3TnrQ/ewetpjNrT8Im/TsZZhs3wGmInXG9k0AVZkhkabitBLS0FUc4bJfmz97wz0wHTlnKvtq5da72anVr1TJorrZ978M/n1qd+o2GIWbQk71H/kHjUEc6j7EE3G8QAC3I6j1iQPUZlD0XJ9XyCY2vRLTsK7YAztPG5vud0QPFZErz+Hgbe9evd63u5ErmcTNf5PifuN6DVk7VSt5dGOUcgc7WHvDaayzjkyThKMmrbZbSipj32wRLuKByflgS+tE2yp3Fy4mLwPVZmv83aBtnOnQNS+iTgqci0C0MGiljAydw+L6QgnrKcZkNXZYVMayphj0Yg1Cr2NPh5NAnlJKCmDSRzWeV6UBnciwNtrsSjoOmd23BY4EzxDT86lxF935DVtTfWt8RRTHgcn+XFxfKDf0Co3NIkKj+dv1x56Rrr4dpHOUasFM9ulsxfN6NDBJMu8SbWHTGReKOK/eAFzr17UFtTHhpy9Ixf305ySZak5NuOKzap4l+E3ghe7z9OSe4r3CEuTtjrFE9F1h230OURY7IdBr+S3v01PUa/4rfDMNoh5/WOOa93xIM7urgTM6R8Tq846EzMcIZg5XZoEOd8gmBWId0bRvkQLXAAdZdnDswh4hYdJqYpi/j72hn2a/wEwBqrtUPoI42/bg7smQ6BjwbQR1WSDtvXftPam7AneCpEp0GTa2KLNAFiZiGtD+yhBRqqK2GvuGGfAzH59PjwUrlBrydPEoVplHnrnhe+ssqd2LmI0zNa3cLpReevqGGvGoudp7Fh4rH/RXeORvUq6uQox69J19jtKNGRqOzN0Xxg6yW1km4jtP4DM8+XyM2v0Wipm28Cl8men3ROVOIjNQf1kZpdDKCl/IYEK+KQERvmXMLWqFHZIlOO7+XdZk6xQnVLU60ImDVYhM2Q1zqne2s9L/A7v4Wyf255+Vxr3bGnww2x9lOk5MWtlXU8S3mQJgazRZVn+7p37jvP8eyxFg1B0jP0RQhHXAinH0lStktKhdETDtyOwu0gWk/PGGM5dpC1B5gzsiCRBgPeyYpzqqg7Ig0joZShcg8E69uE8iYPrmQk0k7DBurvqJUVh3z9HcmTYmMoD3bpFErIgTfTcT3kDk/yXolOm1ilkQYP8Kkz8wdOT6nRujwoKd1EqZ4h/zn12g0Q4PytDYoEcYp6T6fX++lVykUpNs4+zLiJQCw8bsjieXfB7zwHjZaUsIcco03glqaom8FMdnSMzkmzCbShXq/3mNB/CO0Mx7tj8bOnKFGeOusMCe5xCv3g3Seupi5jX3I5dfUJyldDDleugvARkDvPDParrD2KqFNq3fZjPDuKlWTcmwVQRI2bGFRJPvVwyCfOAuSkQz7HszuRzx3TUtfu1eLQN1rXlpf12GMI0UtJfLxg9RKa/xIVfbA9HjZuy0g+Pwj4HIfQAX2q7DnWnvFqwoxXE9Ko2STsTaZxb3IEeajpfxqhRPNEfPggD1pRZ2DXfA8fyMqfJVLpPZUZ5AH78Oia2ZMS+Erf9wHPFzzED9ynCsaLJUh0oPCZRqjzj5MSEAEwgKyBB0PC8KQEdOFuz/MDz5tjVeKx3mYu0nmJb3o2+DrYIINRonrcDELDkkwisEkK2racRBPIUTBLUsZlEg88cg+1/r4xcIHEFRawPnyCHPUJ5+SDBuD3X/MOP/z57JCvPgedIhj8uetyt7I9si5j9nB5/sY98UdUjTOUPpy1bwaPHHGcHeDT2G3yFHaSZwKfPApiPyXVe46mR4V5vzxxAa1UEZxSG26dD5J0xWf7tU9r/c+WhDPiFRJnNa5alh5z351Y+E4i8Z1Fp85dBPkOYC84i9FYdmvAeM0Vsr6DkNag9wiHfRC3cC4yg5VtVlGBFM3U6x8o+yNUCW/XiB8T9p1v8YOA4rOS8mlF+ugZeNEinyoJHxdfIJ1elJOvvaYq+E6PPXixb8R9h5+dPvC9ROLllxOJ7x304WQBM1Addd5To4NOK1tzDjwPUYBCW4jPpcRNay6B+cZKmXYRNkZMepZq3xy2i+M4+hmow1KrOvHYFEpFX5OIqvrexoW0PzZRZ4+Y7Hnu+ZJf85g29dxzU1Q6Q+dbzkHp1dMHbt8+ePJF1M1Rm68fn799e/7xqxgSV/W4ZSnqVfesrIRFA3QusidZewxxOPYwGEt+Pxecs8ChLi6ncKtAsAQ/jz2Mz+3xEvbieFrgWYf4Ci6eOk3p9vGz4ivI/vRY5xY/R+XrJ6+kOp+gtPv11O/6uPcU9vtFjO1hiO3uuH/PzuN+TKl7P2DiP4wezNR/1szfP4J8ePD/TliYpYbp8qOn/+HMJefksstnMzg1TqMusq/ndjt+p4mVsVuBpWr6mn5foqz5RAOJNBTEJmrb+TGIwxsmwNGDhP/3u+f9xGr0bY1ST5ZM+877qSbl6lZasQey/LxfqvuOq0GUdO8DbSXn4TWAtDAyKdERSajzzmQsIN1A0W5ko53PQzHBwxHprWxIuDKT9/X7GczlZKMg2EhGG4U9G1FfCbbREnYfyNpXwVU/bPRXXGP1PMzojhQdY7Xb5MQkjos7/wrGgioo/hv5Dbs+HjogSzN4VfjPvq+yLJtm+MOJmh1CjpWrWOIdi5mbMWg7gtRBDWHmDmXpcGymqhabQgOC30yPCKNCikwC4Q6lXjgmRT8bySviKUHJR56LQkXRitHm4WhJORy8moq/LacEURRS8tvxVCr+mc/EUyDHYyDHx0COOHjOGqjYYmjLeXBlMxxhCe/xEpVc0f3BBUk7rBaj7q98tu/z8Ddv4R++5ePdu/PL3fnl7vzy/35+ueTML38hhpiM7c4xd+eYu3PM3Tnm7hzz/8Ucs+ln/L8Qw8zdWebuLHN3lrk7y9ydZe7OMndnmb90s0zv/3tiP/f/1cR+ub4XXHjE92r5wMfztZmJ+69MzOzwvcijvndhKWQtXVhZ/p8nl1e2fw/+C/wEsBFgrKrkFVzf7/9fkUIa8wAAAHjaY2BkYGAA4ph5wWXx/DZfGeQ5GEDg7L3Iywj63w8Oa9Y5QC4HAxNIFABJ/QweAHjaY2BkYGCd8+8CAwPHSgaG//85rBmAIiggDwCKxQXSeNpjesPgwsHAwADCjGpArMtgzWLLoM7UCKTbGayZvjNYg8QYtwHxFiDfEsJnsobSzUAMVMu4A8oGYmYeBBskB8Ngc6B6weZfQVKXA6UZoBhJD5gNlGN8CTT7JpKeCChdxmAIZKsz/gW6G+aG61C5KKAY0GygHMQMEJ3CYM94hMGRbnYDwxXs53MMDKxzgGwozXgPiNOBAf8eijcD+fJA2h+qHopZVjJYcwAxSA6knvkrAwMAsWNKvnjaY2Bg0IHCEkY5xkNMs5jVmIOYpzBfYzFgiWHpYNnFysOaxrqATYxtGbsB+wIOEY4ijiecYZzzOB9waXBt4I7i3sAjwlPBs4OXhzeM9xSfAp8f3xx+Ln4X/m38/wTcBKYIfBCMELwlJCeUIbRD2Eh4jQiPSJHIJlEWUS/RPtFdYgJiJWI3xCXEc8R3SehJtEhskmSQzJNcISUllSS1SuqXdJj0PhkHmRaZc7JysjPkhOSK5G4A4RfsUF5AXkfeQz5FvgEMewBQCT5CAAABAAAAbgBQAAUAAAAAAAIAAQACABYAAAEAAN0AAAAAeNq9kM9OwkAQxr+WqmAaA8YQT2ZPRk2sWA4mvSmeOHqQmwnQClX5E1oh+gQ+k0+gV4+efBLjt9sJKYoezWZ3frsz8+3MAKjgDQVYTglAyJ2xhSpvGdvYwKNwAT6ehB3s4ll4BTv4EF5l7qfwGprWlnARrnUlXCLfCK8jtKbCLg6sd+EyXNsRrqBol4U3UbW3hV/InvAravY5GhhhjAdMEKOHPlIo7KGLfVofNRxzKXQYoXBKb8zoeyTwzP2OS+VyE3OLaCPaKc+QkWeMamNI1T79DfKYERf09qilfZMF7YBRy3OCXFXLI9Q33UtTSULtEWMVc3W2Z2xtQeNwrvGbcmzONndKzTZ7izAwv9zybYTrHzPK3/L8H1PXnpR5AY64ZmZ5rDav1mUdg4V+/55Bi9od9qlnqWvOJtkyPyo0qTo0r7456/xb96LPk3ln9S8HN3dpAHjabc5XSwNhEIXhd5KYTTM9sYvYu7ubbl9S7L23C0FTQIIoufBv6Q/UsPtdem4e5gwMgws7vw3q/Jc2iEvcuPHgRcOHnwBBQoSJECVGnARJUqTpo58BBhlimBFGGWOcCSaZYpoZZpljngUWWWKZFXQMTDJkyZGnQJESq6yxzgabbLGNRZkKVWrssMse+xxwyBHHnHDKGedccMkV19xwyx33PPDIk3ikR7yiiU/8EpCghKRXwhKRqMQkLgm++ZGkpCTtbbx9vTcNrdNu6bpecbR0pT2b3YXSUJrKjDKrzCnzyoKyqCwpLUdD3TWMQL3V6Hy8vjx/Np3KrDnmbKvdF/4AZzpEEAAAAHja28H4v3UDYy+D9waOgIiNjIx9kRvd2LQjFDcIRHpvEAkCMhoiZTewacdEMGxgVnDdwKztsoFFwXUXAzPjHwYmbTCfFcxnkobx2RRcN7EKQDiMG9ihujiAouxCTNobmd3KgFxOIJeDB8aN3CCiDQBc9ybLAAFRuKlTAAA=) format('woff'),
url('../fonts/blanch_caps-webfont.ttf') format('truetype');
font-weight: normal;
font-style: normal;
}
@font-face {
font-family: 'pnsemibold';
src: url('../fonts/mark_simonson_-_proxima_nova_semibold-webfont.eot');
}
@font-face {
font-family: 'pnsemibold';
src: url(data:application/x-font-woff;charset=utf-8;base64,d09GRgABAAAAADfQABMAAAAAb5gAAQAAAAAAAAAAAAAAAAAAAAAAAAAAAABGRlRNAAABqAAAABwAAAAcYzbC10dERUYAAAHEAAAAHQAAACAApQAER1BPUwAAAeQAAAVkAAAiTKQg2lFHU1VCAAAHSAAAAXYAAATSabxyGk9TLzIAAAjAAAAAWQAAAGCAnXs8Y21hcAAACRwAAADUAAABikmUkD9jdnQgAAAJ8AAAAEQAAABEEaUTj2ZwZ20AAAo0AAABsQAAAmVTtC+nZ2FzcAAAC+gAAAAIAAAACAAAABBnbHlmAAAL8AAAJc4AADhQAuOOG2hlYWQAADHAAAAAMwAAADYCX/35aGhlYQAAMfQAAAAgAAAAJA61Bh1obXR4AAAyFAAAAWIAAAHgwbwdImxvY2EAADN4AAAA3AAAAPLPl8CybWF4cAAANFQAAAAgAAAAIAGVATZuYW1lAAA0dAAAAZYAAAPsZEiMKHBvc3QAADYMAAABEgAAAcOTapepcHJlcAAANyAAAACmAAABB20rUCZ3ZWJmAAA3yAAAAAYAAAAGqVZRuAAAAAEAAAAAzD2izwAAAADJGsYyAAAAAM3eWdV42mNgZGBg4ANiCQYQYGJgBMJyIGYB8xgACWcAqgAAAHjaxVk7jNxEGP73lDtdFggJLC9FYS+8wl0OuNzCASHmFaEcEkqES3QIUbANCGkR3dWut3ftekvk3rVrF4hiCzrXLigyfPPPeG/Pa6/HrzuPvB6PZ+Z/v2apR0R9ep32qffbz3/+Ttt0BSMkBMkvvV9/+UOOkXrDtw1+btPG7b/kzJ0HOwk9ovtYYYlIzIUvxuj56Ps0RC8WgTgVnnDxG+O7K/4Vf+MZyRnCo0YXYAW8lydOcEciwJiDey5GgOTie4y3WWaVh9EBNb7k3ufe50xhUDh/nl1RGeIKvyRtoJspFCF1cIkkb0z8J6Kc0XjRSxrBZE4t7wHtmaN5RRgV42oMM1pgrykTIWvpbM2KAFousQ2LpV60VkmP9wgzGu2KE+4HuZyRLeSe25KEY7qwS5waznNgpTPWAldi2ES3UwmW0Qm+hwqO5nDSnJPSEqRXMLGwetoLnJM8ehUuzezQ3M4grYR9fhfQPDHVvSl0wl2xCBc243AUmOHpiImYZC1Ny8LlGBWYWGvqa6XsFh4hArc5dhV445x4ZsqTpwmo8xExh+iNQQtwfOqxfEeg6FgwFnjGmOVj7lQMxXiNNpVonZ41UbOwlw3OyfjJkVHsgleW6HN/1LFPGJj5cPDhRFEMLkgpzhjfyITOBhlGqgc1vK3mbbLqJSCdf7Lf8v0TtHaeRhsDH5ac7ba6t/6N2GqkX4rL40B97kqrXc0SWpJLmOo+22Qo7AwvZzw65p5sEyU/6PUIuYT07hb7EwtaP4XuS323ccPu8qxK7xoUxfJ1fpat2VdRjfFpkPWa8lP5uWKc68bR9fBTjaqTUaT2JTkJ7K0VekKO0CrHjpV/5KrD1ZI9lr6W/WIICTv49bRs3GrcLMs1OEeLUt5WzvyCc1S5efYmqxqdO0RKs7ia8dIMiqnytW6Haa6ypvIIa9HpLUe6qn5A5bALaxxkuc3e4Zgjt2y2krjog7unC3k6POKJgZBcl5brqy+V7LOMTivNKmTecJZt1PX3JTmm01msCqjjS2XkmZjswbcOu4G2VA3E53KWmfTWqUftiFbnvI4o7egWpt6/bzhvF3yxGkFyV+S5yzm0AQYrWY3fIUdaq1BTrwQdkvWCvXaur6vPWvLOqcvGGJuZVsAt0etWqbpr+oQkk+9Kfzo18QndVKcdwZzQmR44NCIbzUEr562N+GkXnonZNDWP2/p86LgFRoxNz2oALwFUq6xa5mg9bk1OMpczOqVteop8lpFwzTAxz6H0aZGBRqmMTvofebK1NGohp7G5qmfIykOUZyA5MG0+JQgv0pZ6xnrIudu4WbQyq4qgq8bnFZDGKJurNsulZIYEGRqcFUDqtSprmZWvUOGhGfG2LY8LOufq9LszP92l76sU3UCpU659qjZprc6OS2DONXazdmIg0xkb0TmtTueyPeT+q6FPKoCFPNt0iqJIFU9fr+atd9rSnc5fAMzWfLL6/6R6BtClF6lwzS8R9ugS5O5eCqUDwO3RFv1AR3rkLfQe4vkO8+Ee8+LLc2u+4pG7aMvXBl3BPkRX6Rl+f42u0XXubdELuAf0Er2C0Zt0iz6nId1mKOn1Jt2hPTz36X36AG+E30Mel1/u4O1j+oQ+pfv0GT2gr8lC7yEw36QfgeOW3uVt7h0yBnKd3OeIPlpAOaIP+fkemro2ce9gh6u47y2eff2m3uX9LKh5DvQ8D/7coDd47aHeYxf3HrcXmYZUfw7Q9vS9Ty+D/lfBgbvgwYFev4H9thjnPiD0AOMauHgd/NoEvwa0DW7dBPxb4Fcf1L0LHPawww1w6QDQRvQF9v2GHoHSb+k7yOwxPcGM7+kn2v8f7FvzT3jahZI9TgMxEIXf2CsEFFEE2R9gQRFCUSrEARAVSFukiIgEW1AQgSgQCiii4gAcAFFwBArqnCEnQBScgBMgmjDrdTbexIkL2/LM5zfP9oAArKKOQ9Bd97GHZXgcwWgEwQtB3PS7V6jc9697CDiSR1UGkuk6mlji/Qra6OMVA3zhj2I6oksVJ7pVq09P9EYD+hZCHIgL8SzexVD8SE/uy7Z8kC/yQ37KXy/yjlkXPKpcL868cC2Cr+Z1NQdOIrISoZMwNUIrETgJUyN2+rATG05ia4ogrPGo6Dx0NovXjDjhhP8ti20rzelsp5QVqiJx5clpUpUWUx0rFWFXu2xqLjWIycu1mJZMx2gofqzaUveaPpEr72jlPR0/N/R8XUvq36uqF5vlUn2XzdJd0uI1fetdE6MrfMuLJkXH2nyelk7nvM2nySVWn0nhM1jgM3T4DOf4PCudnu/T5Fw+w5JCw+gJwd5qvI/4n6noiVmtcUeU+H8qtTCFAAB42mNgYp7EFMHAysDCOovVmIGBUR5CM19kSGNaxcDAxMDKxgyiWBYwML0PYHjwmwEKcnOKixkUGHgfMLAF/QtiYGB3YUpXYGCcD5JjvssaBqQUGFgA3LIPyAAAAHjaY2BgYGaAYBkGRgYQaAHyGMF8FoYMIC3GIAAUYQOyeBnqGBYwrFXgUhBR0FeIf8Dw/z9YBy+DAlicQUEALs74/9v/J/8P/9/+IPVBwgO3B+IK5VDzsQBGoOkwSUYmqHtQFDAwsLCysXNwcnHz8PLxCwgKCYuIiolLSEpJy8jKySsoKimrqKqpa2hqaevo6ukbGBoZm5iamVtYWlnb2NrZOzg6Obu4url7eHp5+/j6+QcEBgWHhIaFR0RGRcfExsUnJCYxUA8kg8niEtJ0AQBKly2MAAAD3QVWANMAugCqALAAlwC/AM8BCgDXAPAA1wDfAM8A9gEKAQ0AvAD8AMcAtADDAO4AeAEEAD8AyQC2AJsAhABEBRF42l1Ru05bQRDdDQ8DgcTYIDnaFLOZkMZ7oQUJxNWNYmQ7heUIaTdykYtxAR9AgUQN2q8ZoKGkSJsGIRdIfEI+IRIza4iiNDs7s3POmTNLypGqd+lrz1PnJJDC3QbNNv1OSLWzAPek6+uNjLSDB1psZvTKdfv+Cwab0ZQ7agDlPW8pDxlNO4FatKf+0fwKhvv8H/M7GLQ00/TUOgnpIQTmm3FLg+8ZzbrLD/qC1eFiMDCkmKbiLj+mUv63NOdqy7C1kdG8gzMR+ck0QFNrbQSa/tQh1fNxFEuQy6axNpiYsv4kE8GFyXRVU7XM+NrBXbKz6GCDKs2BB9jDVnkMHg4PJhTStyTKLA0R9mKrxAgRkxwKOeXcyf6kQPlIEsa8SUo744a1BsaR18CgNk+z/zybTW1vHcL4WRzBd78ZSzr4yIbaGBFiO2IpgAlEQkZV+YYaz70sBuRS+89AlIDl8Y9/nQi07thEPJe1dQ4xVgh6ftvc8suKu1a5zotCd2+qaqjSKc37Xs6+xwOeHgvDQWPBm8/7/kqB+jwsrjRoDgRDejd6/6K16oirvBc+sifTv7FaAAAAAAEAAf//AA942rV7e3wU5dX/PDOz983uzl6yuWc3GxLCQkJ2k2yWJICAkWvCJQSIyP0mAjFyl0vAlGKIIhFFoFVREXmx8s5sAghSGsRWKSIiStpaS9Hy4lqqlFpUTIb3nGdmk8Dbt5/398cPnWR2ZpnnPN/nnO/5nvMMDMsMYxh2jmYiwzE6JlciTF5pRMd7/haQtJo/lkY4Fk4ZicPLGrwc0Wm9HaURgteDglfo5RW8w1iPnEl2ygs0E2+9Pow/y8AjmcW3r5FGTTVjYOKYSUxEzzB+iTNGI0aW8RPRkicyF0VjQNLYo3iIpkCLWcPo/a1xVsbP+8W4vFYzPZOsxC+Z4wR7C6vTc5nuMCMZOcEumsP980MFRYF4l1ObkeXwcr7FE5ZNnLhsgpFoex1bXVJVVRKuqtLEd4xmqD2zOC+7T7OQMTOJzBIGJsb4RVuw1WRkdDCcO0DEJLRJ0pqjLUYtWmKyMla4ZcprNSpnWpsUB8Y44BtuRxx8I0G5npDX6qZnUjLcNprAOi4sORLgty3M9M93FBQFqZ1W4mN79fwwqzwYuC/Tbp81nFSVB/PL4XTGcP5GoPy+fNuXixaTg75AeXlAOYU5ZDMMHwFMk5l0poaJJAGmoisY0eFcTMGIhgDGhrhgUOJ1UcmaFgi0MiRJE+eXhBS4yMBFhzsAM/XkiaaLiG8C2OxFfMHmSJzdEQ5Te0NBhw+OIEcPnY8ePgceeCu73/nV5/3tK19ZcW7F3tXncj5Z0+7/dOUrqz5cuXflJ2cf/YDM2UoefoIskHfi8YS8bav8czIHD7jOgKcNvx3kG7S9mN5MHlPI/JyJZONMMoMSx0XF/oFINmf0twzOzjL4I1acmz0o9YM77kDE2g/vWG0G8KGiPNF8UcqxRcUcm5RF/BHO2jcAc+5F5xUR3P3hk9jLJgVhhum2qBSC3zlmWBUSltKDgl1yOWG+EpcNl5iw2E84TMyu9L6BQvAy0WoXneBig0i8W8jVFhYUhQqDrni3LitbSNO4nBZW5/IVZjqccNtCyEBSkJU9fNMT7xdUzBhW7k/++p2937/S+MieQTW1o4dlFD74i4f3yueWzbp/0jwyc/bseTNOvvlcOmmKc2fllN43vfiFPwq/Opn8fKTWI+8R0vqXjlsyZOwTdSONR4+6uWhxeRIZZKjpaLbN21CRBr6sYcK3r2pOgC+bGDf4Qi9A8VUmkgAYRjIxzHJ00Ugi4EadXHLpoq256ZkcuEEunFoNeNpq1aHDErE/Or3qCqLZJtmJv1WrfAJ3T4FPWcqnLJvkh09exWnyAUo7QNli4BKSAS7JnyXYDyWmpfsyk2iM5oL3SynecFhyWeFMy4TDPQLBl5EVcsYHA0WFBVm+DK2DBA2koMiDtzx4h97I0IaP79h54sTOHcdfmFcxdv78sZVz87kHGzueJVveIn1PnJA/fuv5OXvmz98zh3duP3Vq+7ZfnWieVPfw5Kl1j/zYrKm+dYCE6OW2XzVPqa2dMrWuDnyvBLDjAbveTJAZzDzCRDIQtyzEra8mGjEhZAN1USLeQ+kgxxJt0ecAHUgFJupoJTBzizUqDYHfBTk4tUA4LJYIraasvrnx6DkWu5SUiY7VNwMcKzMsDhQOMXpLeqAI7iIIA7lQVqEKhUWji3fHu4tCbi2ceLOyu7AJZWXDJ4fTPZBTUCrxFoyrLJjx8YvNJ12ecLAy3G/IvRMKpuSKM6bV7ZK/7Df69Y/bfvivplmrlm3oXTNw1/FhRaPu9Y0pLZ9GFpctHDuiIPkX9VuOPrfRX1FakpOXGj957Nxw09NjP1m3env22G1nzi7aMLMpf9GUOax98sqkfiXD+5SVT2cI8iaporw5RGFNlTIJULTKl/+GMyVLNyPezYTd5NeT8RgYs1pewNo0a8C/HQwRzXkiuSjpYBxgX3hIkc0OaLE2OwRj9d7mTQ/Nm/fQpuYfydfkUsuc03KTHJCfeG++BM/xyQvIJXiOmT4H7OUuSgZ4joU+x1Fkt7HZoXi7y8nqfIvmz1+06elXX31aPvcuWUY+JMtOz2mRvd99L6dLaFMJx7KNgIMAjBXRIA5WFQd7nmi9KGoCrRY1TQQkB3USCA9eF2fDeEBSzQ65s4O6kFvn1mW7fSFdyZkzxW3GpXEnw2fOhE/GLTW2cWcXPDhrzZUra2Y9uGD2uitX1uG4zK+503wzYDGREZk8UReUiC4Kw0UYglzIGIElCYOnhENaBLiMF0U20GpQApcPRAxGvG3QwTeNBjw1Mga/iqaj0CtAInd5BZ9QQtbsJGvkTTvZxU1klzy/SZ5M9oMNC+XrZAfRw9yDTMQay+Q6hlFmDwSitTMW3q/+wukDrcL8Ra2SpZVF12UPJCH074UTwkOmLZw0IzDJaBcKy9cMmDCnev7RgZVptQXa4TBeGdnO5rCjIVozcM4S4aN4EJHPg2X1t3J2xgDDaGITcJWRa2T70aO4TgtvR0kj2GpgcnqojtgJEY2K14LswMNEH6FYiDpi4cSSASAiqlcPmFi1YuJEeB5zu53dpKkHW+IZNABny9px5dXxXSRIyJU9cnKOZv+tyVRrVN2+yu8GX3EwPmYkE7Hh4IlcNKJFcvFyYEUm9WkX5C6XTUoFbzFBfuoFv1Nd4DVaq01DWdSbCJ+I0cRQ5rADcwTSOKeFy8hl7c40NjCQLchlMyykKnvSuqN/OrpuUnbs5Kz33lUvr7rXq/xiB3/87uHHx417/PC7H793pHHcuMYjZOf7rz85duyTr7//+hOVlU8wiF06GL8a9IUWckqER14kVK3p8kT+osRB5OjBRI6nKRShJ0HwGl06aTx//RJ3mjx56wCf/iVDn1UFWmUYYJDCjFZ9xgwI0IyUxEVbUqycHp6cmie6aWxH3Dp0TLcVHDMN3cdspfJJTBEknRsYNglzNAZtZjCQRmgCBqctHKih5Kirmkzitm/+rGnsvvefYad3ZDSfOLygyvv0vMvb+KcW1k0/1TD1yC9bai8cX/LM7kUPz8ifu2gv2JgP6xQCG/sy05lIH7SRBxuT0EYnF221GPokQda04IL1g8i7KGWbo2K2TUz1XBQkAc6FPCkVUMlFgw0AC8RkNmgo0SKIGWHRaY/Eu1PDYSoj0ghNd94MXWFX4sOACAZ4Opk0zuXkfRmZ+RuHvL/4p8/J57c4EzfV7/rZ6tM7H53Q8fKfiaVg0vxQwaIZZfLV6EH5218/P2ZK3YyTbDtbUzN17s5nZy3/zYF76kbnGzW5lfWjxD+tBT8MwxoshPU0ggafzEQMuKIsUhdjMrBxQA0gCkFXaQNUkBsuiuaApIdpcYGInvKEXguUYdBT9kDKsOJETQxdf5EVxDhckUICDOLygSdAMRBm88nIw4e/kWeQPaTwJDejI3JBPkMKL7ArFb9YCpivBJtSmGVMJJmGJWAeh5jbAHOnITkOMHcaotQ5QOABzhHBjCYI4ByiYJO04IQJADv4CdyFFGwigLlWaOEMzmQaN1yyIukMQgsxmRMwKzvtoqDouW70Ke3hEqBD8T7P0sanPl+/+9l1B9cd4Oo7Hy7YO23ZO2vlS1flI8f2vrxlXu2mlflsxwV5ecHQee9vvtDRFev14EMeUGF16oyyYUY8zsgIM3L0S+ZhRg6cEVVbkgUg9gZEi03qo84E5VQfC8S6kXfgDMQE8Hotaoh+KE4TwqJDiDAWG/qW0S7qwiIvUG51FNghHty6XOIDGnCBWMDZsC4n48vI5dxpfJfGqvopcbZ9s/vhAY89sGRfFRv47SMP7K0fIX/55+UnNk7Ovskn9h86p2z9My+unvQiu/80KTnx3OGy0vVnHk02j34k/NCBhafk70dubP2gOK+6emD201NXrZ2srGcIfMxGOSMD8mKMM9CvkDeQMBioKqkAULiaeEmI+33n1/ItlucbLuz7cSzfAOxaDTguBhzTAMdBXb6RwamSrAyfN5jClw7wpdvE/hiEoDxEbZ7Un16iBOqGU7dNFPDuAODXAXmSANx6D9wa0B80qsmZnNFHqSPLQJ8dYrSCu0+hqsyKQrmksGAgCxhymLAo0QC0uSQmV3PZbAvvAO7tkmXVBzfVPz+p+eD0kU82zCx5ccOm/9z+1dZt0e03Xl614pVB0yZnptxbOcgfH5oyJjt79OTQ0w8vbSbT1r7Vt/dLj97/ZFWfxPD41SMe3ZPT9621K96omvDGjkkLF04KTMhP5TlHZu597IB+I/omaLWJ/hH9qmbPUmrZittRfrVmMSDen6lV80t8zOdywefSs2zoc+noc/kUNB9A4bNhgSrmBCQj+FwAEPHBwkhY9onJQostnk+nuMTbYLnsYTFdEB1hMcsuGVPgG7mCQsAF1MUAHgvny8gOIa8NZMtIT5hCuXBLW7Hmy2epc+XP3vrOsm92LhnQMLXmyYl9C3778PqzG759ceWkl4KarHtXjFq3nXt5/YfrRj7W+sHyFR+LG+7b2VpSOmbj89U5Y5bNOvvMynXVI0sWzRzwDJ07ze/cNcjvDvCU7gwfh8WvHTO8M9ZbgAQvWukvyXVXnrepnQNfRizjVy+bOHFAiZr32b8sq8brOJ58k+yA8QSotIbcpX4iLhw0CQdNoYPaA3cqIShZMbv/WzEkdDUxYrIoWE1lEVq0rHqjKo7GptUGtcM55wAwLFxdTWOvhHkTtOFeiD0GWNhlIK4Sbmunk73GzthNDuyTD8riXsSshOzlTnOttMeTpCgqkJAgpjRY6OjzJEOXkiJwwEM6HuG2kr2NjWRTUxNz91ihQgOB4UrYrzrjua1v7iVjyfh9cvVuuj7Jt6PcaojjdNBfM5XKXvIZ1cyfilHcJ0+0XxQ9ASkOyqhesEZxNikJnFELYQolphRnF+ytnC3Vl41M2EuImKxubExIqT7IsFpbOrIgp3ojOiOWUZBEoRyA2FX1gANRpYVmcuV/NZ74vGj89PFF/VpHZpaUl5dkzp6+f/muiSuqYMUn8ntmLGx98r4Vo0YUj/YXZZXeNz84aWAoPzDQN7hqW8dSVQjSuQ2/Xae5pUmGunE0c4WJpMPqi55gizU92eKXRgKkZXmtxbSwRieMC0rD4FpWQMzNa+XVensMFZAFSqVQYJPcMOF7rFHxHqW81itVUwWEaVHSsYH7bvyNcfmNYnquRSxv00gexw8W0dsmltta0srTHf6W+/BnBH56tni2+LSQQsJiWphpSfOW35cLf8ihtHSPep6bKw5OIpL/HsF+JI53JucWl5TReHcWAwsMKIFafeQwwX6Y0bt9/gJBpUTML7wdJQpgmUfDHGFG2N2hIKd1YcQPZAsLGG+GBVjBDikHyjNQMmwvWsY6MDdph/+FrPzol6TPC+V1m4ZWz9WzoVcnbXt98+9X3r/Zk3Cyls/r5Rk2OEd+V5aXfta6ZfQOYnr1Ny05731+RL64n/xmbvWOJSHX9PKGo+Tbi2TFpwflSwdXnVox6P6h5jEP/PK5x/+6edw9SztvJrj7B7Irnqz5gRSP2dL6ad1L8g876sIbD5Csc1Nqf0bY/NHn6DqyDKOZBjlLB8qoLxNhsPvEBWniatXqGQLUqUVPNeVJZpq/9BC9RoAjCMnLy3k5hxeqwUTiZxPk63M7t87dT67dpA0HrXyL/J5tgkhrhrx4HsawMG7QBrOVUSQrsDTNjx5g6QQ3HSoBh/JSlrZC8koIiFYbrSChJhBTMI9pIDIysPOYAnboYcXcSCcmlAnwUfTYRQ0aJ3gVZsGspfX18iqp31sYO2lm9xw+1zhnye6P3pLLSOOs2iWz5ZWkvmb+/Bp5o6b6NzvW7ncJb6975YMLc6eMW3RhVkXlbFXL376qKYd8k8gUMJF4RpFqtAiWTGh8Eq1mLGBlMhWIkD8OEUandziVusVmB9XucVCVwtgYzBBu1puRmVVV20b0O8jctrPBYw+dkb8l5jOLjgbPnpJf2CF/38baSAExHlkgv79gcq0clcfL0SVT8NMRWEHAVzOZ9pcdzAAVXWMMXQcXywOY6kSjjXaRkWAwEUgOI/ZtNGEVNN5uY3nEayAkfxZwIh0fkfKWFvnYR2jStt8t/v4z+VtN9UH5tPyI/Ns3Lmz8+LEPiEnBBtc5DHaYmKGqFYaYFVBMtGoUd9KgQWZqkAEMwpqcluwGE6hqVhsIqNW4UokrRzO3v3M4e6Czmn1TU31BfuGCvOnCnWMamDJlzH89nvFfjKcDCc0G1Lq3e7SusZSROiPqul/RVMG6p6GyjS23mJyHyy+68lBzQPYgYroia8FdLYrngqaNOBJwQIcLJuhB3wVuipg0yUjeoG71OmR0F3iKZEkA5tGDYpeYOLhpEkDfUub5H05TCL4saLFKYqvq3ia67WT6e78OH6tVPGfGwUL5QXbzg/IXb/xGfutt9sDzxHRonvxF7bh51Hmujsz/5ILMLG84SMq7cNSE6NoNUllAp7CAqAm2ckaKJNe9ciZAkg2IJhuqWsC0R08qiD0UAathwPI6++4333TCAnWeZ/NuHWCrOn/RNR6BQAN28PZYN7WrQOtrPDRdT2y+jqSi/F3b7avccPi7cah6zLG6SRfbTdEqnS1aoHFmpfrRCVCmdZU88DzMh7baBzcseey6fO6LlYfrNtdxL3fUXP5S9akoxaL/XVjwwTsBoFOmml7iDEoMBQXiNQA36nDybpLT+Qk7Qf6DXAiFXudytqlzTWceO6hJHq2Mw30K42hizEvnoeCgjeEQ4ai3chpwHl03wC54eo2m+sd13XGgTYVnmZly9VlaQ7CH1UqH0gxWm234HNqsxI6kDqtGlkcXxHlEOL0prLIBTANWkfiI0EzGk6VkORl/XZ46T4Z80bGOa7h1gLvZYcRD9Z98Gofq+KK2x+jd4WewSZw6ugkbKAZYHxYrVvD0GJJ6FUmCXgSD32Tf+uZqJ3hnx2iuFUY915Efqzc1pyEmraBH72MicYxCd4r2T+QUKQpsbINotNmkeBjPALyHPSbU9VIcnXWiAxtLjEEfI2jM8vHAgzS6HE57MGBHLsxgqyQy6LfPEc2RBQuOyD8+91v55L3fv3/m1q0z739P/kyeIUMPP/SWfEv+SL711kOH2biL8pck4WI7cctfKZoJ/Wo/xUhghvVkKwHYSq/EmB7NtnfBZQwgYrhOmPhoM1FAxtbwMcaOt2l93kQCiU3Ja5PPXf/7B/JOMnxeQ8M8GejyO3nHdzLLnl/19iqKWSvFzA4V06S76yUPDu6jmDkAM4fSj0PMMrEfB0BFLDYeacuADQ+lPJLMFrjgEQBDk+FODF02bPBqYzBi27fobiiP1O1bubNNwXLhpP379k+7C8/n5E/frW/aNF5BNOdkY9vGYzFQFUxxH9AK2mKi6nkmxfMkNzaubBRW2rhK6BIWNiosnCqsoF4kJ27NmI3oEDYLlTiiW+ipJSysDqLa1xPp0zeLHqgbTCrka/L5r7sB//rE5Kdnlho7rxI5hjvBfSp+OdQC/Zg/MJG+sf6aU+0BEtDFonBRSgXUU5X4zAbD8hTte+3FUwS1rwXKA9HYJnmcP4i+NvjQYoozgvI140/RY2vxenzwMQN/RuC8hxDOCEfgW3hmCjNHjCZznMeb4ctV/5D/cYXK41RB6W7phBbemdQXS5BsuxTvRpCSeKhMGCK4aWXiFMT4nq29XF1hAWQspRkDujhNR1WzJ7yp4k+bGhtDU1du+snKqSHi+oyUvtM45lztg/VFU1c1/GTV1KJB6879VH7p5JsTFtaOzh3mz/Bml41bP+71v5yIjKl8YEzvsmxvRs7gqo3jJ+1YMRRxhfWfQ/UrKB9tz56LyAWwoMN0oAEa1WiRRjWcwR/RavBUi1287moPqS7M++XZ1/mGCxd+XMc3KLwKHJMHzxeYkFrxalWOFo3BWKRy2Ci04cOQYWnaN+DGvJV2hjHbxNKOjfF6mOYbh/7jtUM35AvyJflP8kdsMlfScXbfyZP7uGDHu0AgH5L+dOyYNtdijqRzY1gqz7vbSYyW8ieMQpOOlyU28gL8Z+v8Uv4E0sNBfjxmTQJ5gdH5aX5oVnOmwQT5gaF7o7w2GOzKEQTKUKJ0FnV2miPQB8s++uYRWn9xUH+xbZLR8YNGNLUdezv/mzn0uiFXMhn14J4WSaOHe3wbx0RYjRHd6zDL8RqD0dTtXPB4iDe9WdlkB9uD1Hz4YSZxxEiSfkWSiZ6Y5TW3Gfmm/N1tBibzBZ+KB2SA6x0Q1lh/a4bQPJ2lRr4+SJu6oFkwTyvZmcWcwhspXxroEPR/LcvI6SSdzCDTiFf2QqxeljfKG9nj7G7ZSG52Lugcwro7o7F1cMI4etQDujvWwUB74ZjNjJjVdHQ1YFl0dywLuBZL7GQ1ZFB753VQMp2H2ZEdlztPsyF8fg34cA3NC7lq7tbFGJlTxCsVqZJO6TYDc6gdlGAh8dI2oquGPdZZzt3ovJc9fYpru3CqY7CqC2rkNeQW8D2ND0UaQyHOdPU7sATX2Rkjj1q4VUP3yXBTyajs3qnxoYrjGrJHlgkrr9HeeOZW4Xbm/7InBGnct4dc2aOpvzWZ7kOuIaeoPVAjKFMEe8CdGdUe3UUIXOwZUQtsrUTZuiN5+EE1jIu1adxgFehgrw+MksG4GTc0Z575wQLjZLMHuMk0dgSma+uGxgzdqyE+E8kmI18kw/fe/Ad7gP1FZ5Wy2jCn27duJ/ONtw/CnNwMjoVvi1DzsE1En4D7LVr+qR/rxm9HDPil5JpmN3y/F/0+MUZ7QBHbnpMIJygbNwjJWZK+W7Nb/j3msLGgZ09wN5l00IEPMxE3ehht+fp00YgN+2omHsqZPsk2LGd0yhYMRKrHFAXWp30TXRbUTfEmuv8iedDj4zAru4UWjcmmbARosKzQJShlRVxYtNlFi9LEZIMBt7oNUERb5oKvkPYwWbWHWUhpfGzZ3JWDPlpcv2Bf/eT/+K76qWVD2otfnTVw1dyy36+cOmJ9Zub6EVNXkrzx9aOy6rdPnL322T3Z456a0Vm3cNCwPpUbRlXOLMzfkV84U9FCTZAPocKCaiaFeUDVQpSWnHqFXiNanHiiXtn8gNnaYHasEAiglMMpGyzKtocbNYgWmURyMpR0xURBNICmVBrtKJexR4N7276MrGyXQJOUDRvWuqb2AfumnfznP09Of3VA5raRG3bt2jByWyYEqFxRJf/l2nU5OnHUZpJTPOowyTxSEVZiqgLW6zSslwtrTgcabQGjObRXj/bGKxUC2OfGdbeAbhKFsKgXIoyW7ltwSpfCUcDghkUWTZHxaq+IqSDpl79v2Dq++aevvvrTrRO3/uS7y/Jlcv0y6SU2LDvc/PSbyxskkqX0vq/yyRTDVMTQiBhaYhjqKLOjTcloUxq1SbBEcdeIcpUbPMYAmKbjawkC6m4LxdCo9FOSsauIlqp7K9jkQj1OPSPmGAJ1jIp/npq6r7QdoTz1z0u71o/a1ivrqVHrd5Gvr5GUqgqWvXVg86iJxH1925ujikljePSRWO/+Ku+nOHqYeSqSZi0wH1qdoo22xhsc2LuP13V1hWDRxXiqianXW5VmkBuqiAhvxne2QKxIVhtOxOxQdk1BqoJLxNt7tOyZVOKlThBy42wYhxe79Ba2ov7Lp/5ITJ183GubR/0sOGvEh6suy59eYvux3sGLy4c8dE8vcn3r35rk89eCy38WDj5ZPhJ3cHKnjO2fVzlF8Q2IW/YK6DwXvpXmxBWhO90mmBbBHqk1KEFxKQoB6iZOfDtBckAcWwIRh5N2CQRQKE4HnjpRoVAXMkG2pC6NTS7UK0H60oziO6lE2XJMfuX1p3ZPqModNnjEe+/9jvMeD714pHqTv2p86HjHJc6rYi7X8omAuQe4ZgkTSUPMM9FdSMxd/PqoaM2TXNounskA0DPUxnS26jXIMxldWyZJQgtndaVRnklzga2OsORHRc0k0yXp6USFIIdwvyQrOxTfvV/C2m3dHlXx7dvT9pa2l87cvKWi4dTkOUveL549KVjy6rS3v720sx4CFEK1ntz6KxGqKho7que/NHtw4pBxP69PKVk0YuXoyaAg1suf/2dFMXm4eAysSRMwNOgHxoFVItUJxmAPjrHquzpkuBJsAAsfE31ZhzbJJJOD5ltG0lqFOzklHqhSoFtfOqGpvfjY4hf3tM+fNWZzH021zAyZtmd35zC2dvH9Y4o7KwD7OnCQNZoZ9D3Qe9V4pXsBemM0YiJq+wKKL60QxaMlTkv01AyUAHEm2tOQUMZDmUiVk13dxfFlcGBRXWVR8ZgxxUWF7fzeJRUVSyp+PMB91uHDdb+dL9fSsS1MAlPFROy0PjIq645SicPlTlSaJyYs01vSDS6LX7IJUC2BN4BFuP4GLS45rQDuaq1woZ6tlSymy7JzgweOGlLZ/tqe8bOIUbVQPrwnVFXFx//41UtHPFoXNVaJH1yrHKrpAnf2XigrdHVfTN3dF/5fd1+a2skhYpTnkL3yDfn8Fk11xwHymTy48wuyc6t8MzYWmfW/96AAbzy6e1BN7d09KPi72nSIIy+zQNVstkTstxDVq0RzUEqFSHJBoGfQ53kV3/IqgZQInxJtkgCnmNh88DvJS91MzV70vV4QDak9Z+dSNhvudj04UV2w15F5DzUm5R1dsGV7e+WEoeszf/fKkHW9uM82Fy+YNXHk4h3PdhaymyZMryzoHM1uilQWgV/SuXAyzOXO+CD/7/FBesSH61/Ex5uLXni5ff6Misd7g0VDpu3d3TmcXbhkOg0PNR8MBzsEyGfD1H6OC7hJc1cWswMf2W1SgioCMIEl2FHyaNAvk4F/JIP6kiXdv47tXLM9X7SsGL6xbenuv65e/dfdS9s2Dr+0u2HTrl2bGnaT6wt/+eT4rdGntv1164QnTzy0pe1XTY0nTlDNIm/mq8E+zLf3Mz3kShdUSXrU1jE7/5ViSb9LsZgVxZJE15yorwao6MUUS2KsrFYlS/Fr09+58Y9TQJGZzSPW79q1HhhR3qyphiQrf3X97/KXEyo7ZXZvqOLNp7cdGVNMeX8k2O4E2y2Qoe5XsbXfwfsgtYBm1O1byQoYW1Wl4FI5H5tBRmR1Lg5tt8cpSiGRKgWd/S6S9wlaz506YeSNd6a/Gm5vf1R+9B+Xdq4f0Yw8vn4nuX6dxIPMunWAZV8mCX9/+s2KENlcPOaIGmfsXu5bYMz8WIx2oW3APX36+jySIxIC7fkSw51e6Ir5X8mBB5Jzhu32cJ81j5z2iRaCYBqN5ULQc6sBmxzmkrpLy2uiETsOkaBRdmmtF6Vka1RMVnozmVa6PYt18XXt2zqlN2O2iYY2KdX1g+hpgw8tRrPB4W8x4U8x1daSluqBj+n4MwLnPXoz6eEIfAvPjGHmCJTJ5tS0dE93b+buK7Q3k2zt7s3YE2gTJtMuOV24MLz6FneC0EKsrky8Z4+9wh1r0GhUARFr0GiVV5ELZxe/NXXa3CEPbtjw4JAPD33xQk3u8zVVc4JVix5eVBX8w9v1n238eXjCyNLsgtSk3qW1Y+oPPvFc4ZBhhel9E5Ld/QctKt/8xliKqf32VbaevwZV4QzINlTZqZECxTmVQLrAHe9quvNEF1VDmH5wk8bV9aKmi76A5UI1lEDfh7Mryo5BZUfVkBCkr10pzuamExHse9tPnw70Sy2KCw59fO1joIeIVf778c5bBfe4LC8PbljDlqJ/wdrL3GcK92FURATa5IkZi00eZywfYJMHco5oCEhmlfviOCruQRtgNFjCPfo9oS65nNXUPm/mmMdz2ttLDy1+YQ/xssc7n15y/8gQe7jD1zB0yh6l7uyA3GcEW3r0e8j/1u/hggasYvkr2Da5Ki/+kvusM5m9AtkeQGUYDc7JzPxaYamIHps9Qfq4VsLxWl2mu7vfY+nu91i6+j1vN33to30dxiaa2yzwDZFtO1Z67poRr2pELlcirB6uWSRjvNIKOpWv3LyjFRRPW0HHypYrj4PI0kMhL2raNKLOJup7NIkGG7BLpEdvz+3h6livB5MJ/o9Fu8946fy149fOX5LPfn7lyucw63z2HB4dPvaTTj/1PZg/9zXM/86+EPm3fSF8voH4DMRIHpIP/P1a9IZ8gCy+cZuRZdJBLssiGSunyzxZLG9X1gp0NK6VwPiZ2DLh6yNxetq/V1r1ccpmOTiqxJrCXatmIboMKn6LBpHYAvry968ZWuTt1a9wqCtfWcsf61bNZS1ttqz+dYrmALbiamHMHn0iXq2WOP7/1ieaRr6S4zm97CA3X2brj7/QueaY8my9vIa1axZDXVDLRPS0ZNFFxaQ8yU3bRa1EfWkDyrDUixCfrU6lLwN1izOVFiuJBgyMSCqtYlIxWLE0c6aq8cG4AW5HKpQDRMBq2GSXNFaapAtRNhYUlRAXUpHg1IFqcMbTjxDGBVn6gtAbK9auDY2ZNm1MaO3aFW+ESGt9ZSlZ9/iBZ6bcK9du7d37Kbl2WM321x4n9aWV6n7Y7XbSi/alUrv6Upza3VL+3Yai67CmbX4m9r4y7U+x/WI44L+4kSwAgIc2gei/burGgb8I821NUXBwBCIpPM48JQEYi0/BU95jQIAoDin4pjBucSWg22lSaHMG3160gFhxIA5uKp8LQnTOflJI1RMQiYuCovUT37rQ6GnTRofWrVvxRlFBQdEbK9bdqBlGmp/q3Xsrab53yjMHHpcbSisBGnnj469hXuOqOJCsMJfpTMTG0j05KU0XjViQB5SZiJ6AWlu3epSZeGySjfhbBQUltN3mQb1CRb/FraSWNEEy4RxsyqukjoGaQJomGHC4LTwILTi4Qq09rW/ZxIXj+vuSknunLE99VufyD5w9qKymX3ZSP09tBjdvaO2KycOzcoaOrRyaQ1bbxz+2uSYcmjBzQkhupGvR/e47c8eb7f8f7/FlPe7xzB339D3v6Xvcgz/cZe4y3ssXvAKed6T/N6ERuZMAAHjaY2BkYGBgYjh6uPUhYzy/zVcGeQ4GEDh7L/IqjP5v+C+Dw5ZNlYGRgQOoFggAiWQNfAB42mNgZGBgd/k7k4GBo+q/4f+JHLYMQBEUUAEAiOYF43jaNVE9SEJRGD3v3u/eHiISToFRkFRjOEiYOEQN2fBoEIOGBoeGoCGShgaXaJBHwxuiSRyiwYZGpwYRkYZwDYeG5nIUKQI7T/HC4Xw/593vfuepb+yCRz1hclQMcIY40y5K0se6vGPPjJAxa8g6TZRUGkUiqTrIirA2xKk6QW7CN4AMUNARLEsbBblHSh6QkTdcSI/5NjZZLzL2Qn2I8I4ZdAMJu8N5JSizgcCUUTDPCKRGVJi/MH9FoOIIdB/zMmJ9BYGlxrTJS5zxMWVj2Wtxdo1vb7HPO+cyiJo8rFmAkiaO1CLBN5OTusJdr8e/zhd3yONAHuHrH3hkT8rw1CUS3MUTH74zwLkzGKckPYl924AvVeKO/Tq5jn3V5fddpNUt4pOeHf9ZFxE9QiSMdQ/H9NGlp0Hop8SopfehlzoO2FVgxirKf1Il7BTokLfIh1P9DHKFnEuEvVCvP4F/MFhgXwAAeNpjYGDQgcMShmuMVoy3mCqYBZi9mPOYpzBfYBFi8WLJYJnAsoqVjVWHtY71HZsF2wJ2BXYX9lscERwTOO5xfOIU4dTgnMZVxbWGW4g7hnsB9y0ePp46nm08V3hZeC1443jn8d7gM+Ar4rvFr8d/S4BLwEMgT+CGII+gjWCW4CzBTYLPhFiEZIRshLYJiwhHCO8QURIpEnkjaiCaJ3pI9IeYmFiN2AFxAfE88VPifySWSfySdJBMkXwiJSYVIFUn9UyaSTpD+gQQXsMBn0h/kmGQ4ZOBAA0Akd1BnQABAAAAeABNAAUAAAAAAAIAAQACABYAAAEAAOUAAAAAeNqtUrFKA0EQfXeJSjBIbEQs5MoIejkTDHidihaiIkQM2F2SMwZzibgx6j/4CX6IhbVoZ2XtJ1hZ+3ZuL4SEpJLldt/MvH0zN7MAcnhDClY6A6DDL8YWVmnF2CbnyeAUzvBscBoefgyewYrlGDyLvOUbPIcLq2ZwhpxXg+dRtr4MzqJsZw1eQN/eNTiHZfvF4EXk7E+D37Fkfxv8Ac/+xR66uMEjbtFCE1fowUEedazxPEZA/zVRhdGIzA6U7Ov0FfkPHrbgEu+gzeUMqSixQp4hzz73BpmnxF08iFpAxgmtvqAj3qmQFTFWo7dNfpJ/NLtP/mSlfXp7jAYDHX+o2ukVOGM1nEv9ih6dWeu4olQaUUp0NsYUJmdsSZc0iuttyM2k511cTp2BOyWmJ9DjXH0UuO5luQNtNaZU5xn98y3FXihG7vhfunsJv4ADua/nHbBD+o0UhK9otcgKJUfIaFPekO5KKDdcyRaRN6mro92v0q6xk3FGB5syv6q8RweHrK4j3qLsJf6Fx1Pv2+bV0PsHvxufwgAAeNptztVOA2EQhuF36kZdcHfd3SpOoS3u7jQB2iaEEEgTuC24QGi6/yHfyZOZSWYGC8382hnlv3yCWMQqNqzYsOPAiQs3Hrz4aMFPgCAhwkSIEiNOglbaaKeDTrropode+uhngEGGGGakcWmMcSaYZIppZtDQMUiSIk2GLDlmmWOeBRZZYpkV8qyyRoEiJdbZYJMtttlhlz32OeCQI4454ZQzzrngkiuuueGWO+55oCx2cYhTXOIWj3jFJy3il4AEJSRhiUiUb34kJnFJOCovX29V3cRw1l9rmqYVTPOaslkbjYFSVxrKpDKlTCszyqwyp5xV5k11tVfXPc+1Sv396bH8UTVbRsk03bTYeOEPeqdIAAAAeNo9za0OwjAYheF2Zd3G/skSQBA2SwUGhUKwmRkCZk24DjQGCdfyDUVQ3BmcQKk7zzHvg78vxK+sJX/X9ZzfdN9I1VWU6ZaKPcZZz0iqY8dIlDUJtaWgrJ9M8JA56mu/rO/BxsAD/KmBBLylgQvIl8EAcCuDISAmP3AKTSbCG64c1YvmBMZg1FomYHywTMFkbZmB6cIyB7O55QjMx39qKtQHcwVI2gAAAAFRuKlVAAA=) format('woff'),
url('../fonts/mark_simonson_-_proxima_nova_semibold-webfont.ttf') format('truetype');
font-weight: normal;
font-style: normal;
}
@font-face {
font-family: 'pnbold';
src: url('../fonts/mark_simonson_-_proxima_nova_bold-webfont.eot');
}
@font-face {
font-family: 'pnbold';
src: url(data:application/x-font-woff;charset=utf-8;base64,d09GRgABAAAAADjIABMAAAAAb/AAAQAAAAAAAAAAAAAAAAAAAAAAAAAAAABGRlRNAAABqAAAABwAAAAcYzbCk0dERUYAAAHEAAAAHQAAACAApQAER1BPUwAAAeQAAAYPAAAiTKV12fZHU1VCAAAH9AAAAXYAAATSabxyGk9TLzIAAAlsAAAAWgAAAGCBEHtMY21hcAAACcgAAADUAAABikmUkD9jdnQgAAAKnAAAAFAAAABQFWQYyGZwZ20AAArsAAABsQAAAmVTtC+nZ2FzcAAADKAAAAAIAAAACAAAABBnbHlmAAAMqAAAJgYAADiUrRBo2WhlYWQAADKwAAAAMwAAADYCW/37aGhlYQAAMuQAAAAgAAAAJA6zBhBobXR4AAAzBAAAAWMAAAHgyKUaJWxvY2EAADRoAAAA3gAAAPLWP8cibWF4cAAANUgAAAAgAAAAIAGVAVRuYW1lAAA1aAAAAZQAAAPMX9aIlHBvc3QAADb8AAABEgAAAcOTapepcHJlcAAAOBAAAACwAAABLRwHtT13ZWJmAAA4wAAAAAYAAAAGqVdRuAAAAAEAAAAAzD2izwAAAADJGsXtAAAAAM3eWdZ42mNgZGBg4ANiCQYQYGJgBMJyIGYB8xgACWcAqgAAAHjazVldSFxHFD4rKmbbpiZNmxaxmrbGRk1r3EZrmnbbhBoLxVKRPEhKW6Eg9kcsFZ+kFFlKEB8kb0soi4RF+rAPYSllkUKQIosP4oNcRETKsg+CTyLBh+LpNzN31929e+/ee3evdi6zd+bcmXPm/Mw5Z2bJR0R+epU6yPfd1z/9QHVUDQgxk/ji+/abHwWMVA/fquS7jqou/SFGNt9sfkp36AZmBFnjFCd4FK0E2gm6wn28z0s8zVGO8BTvARrGmHVUTYzgKJVVQGtZ4orwPVSNlwGbRd3kACgJ6B56sYJZEUAbqOwicOf1U+BwW6zBZHyqcIZjihEDZAVVUxxykjwovF8Mxoe8XgSazrb2y6KpCUy5OPg+JLvJYbMVma/VNs31jHZY099r0kpjFjOWYeVCr2vmWjfjUP4uCJvltRz4OPphvivbRXBCCik80DTvGq2hchr2qvCEzXE/QwqLYmVC55wux7Z50R6f/ICTig6kvIrfA8eU0kX2BHYFb9qRvzs9wF4K5nH8GJtzHtxZDP8FPjVFueLUIjyvt+Y4Vmj12AdhxJiQjC0xvEOINBO5uzRHF2EZo5K8ZN/XcirHI2i8JeONxMkPDXOKxDPhIeyUo6c8y08QMVuOdhHXosISj36XXijAY9x/9C9vo3cLXMQROefxtPNoEXqHWW53bXA5pUZxEw9BcsKvXJT9duyGIKtcIOCxT/Dn9Uwtlq8inkuOeQA6WIJ/SEqdbHu4ttGMTt3kKsJ2jLtF5iR7vFX4rXh2wAeKPz27SZegeHDsi/Jwp48pCOuFFQu/lLbKZzIRx7XsHuXuvgrrZYvHs1nVFvbIQIEsV3gD8EnZEs+Mnju0YzdNC9lzL+o8bDzEv/FX3MOPeRj+4U/MmzT3tWZatvLdPAIPJr0Ah4R3LifrFXHJ3jhkS0vma3ZFe+XYE5plxLqFuYhkSj9qLmy915ARJqX/34bVihpVfEF/EeWpuV9k+vChs+B9ClpdlZmDJmZZZ2FG2yqx0hHEXJW/bTiXb+54cPWr4fuOjOk7eu6gqR0NbxxWdsPTOldxyW8MfP6tS8385LHmik8RLbWM73PqB1QOq7djXF8obbkX+mXkFs8QByW0Gj5+KqvPkISEuZGrIPUAT0iu+x3uz1J8BrG+cCY7hT3Nud4hqZIjouJ86pFP3PA8e18sjD9y/41xkyfUsicv7Om9vJwlAZsYVl884zWU1+sTdDOr8VjK1TbHtUAufWVRemC4w+iROXS9jbmH7vLcSty0lIHpnv6egW+L8pDl2ITu+UKuKCUNed84YIsZKzqh83bYyanbpU/YL8h3+2QcbnJuQyciEbc0x2km256hHhrEcx/PLyVnDiJDGTS9ExNYTG3IAJlEbjBnHgEdlO9LSmo6mwccgGrQOq7pN6+jFdNTHDbktzVyoUIUHyGXWuUx+zmUgtm5Y8GpQp2z78K7RnPubnpxGhlCHrQP3zAhvUYckHkXVjyIOHzd+xwgt/hs2yH4nEIG1+vRntbybtxa7UcDtaLcXNUqk7SBMSHuKjNnGcuRA9a3gha3YZrhjuIhL9iTbaXuevkJ7yB3j3tnW576PgdnXtjTtnUGoJ+RpiuVAclzdroEzZTuI11pwOixJJ9pW3zOO+cz98626L8ay7o3FDebCXjI0fI9ffF/DEqdBe3cD3hobRt04sU6rjvC9FjGzxHnPpP+D+WfU6Tdcgp6D58Kp1Wg66NaGqZuHfIGWrfxvowaoGsk/m34MG/ORxLSjicPE1UDD9EZekb2X6GzpM6ttXQe9QK9SBcBbaBG+oCa6JKkkimvUyu14d1Bb9Hb6BF+uyRcfGlFr4fepV66Qe/RTbpF76N1GyuvoS+wxtqs3kSrS65AzBN4uul6lko3vSPfV/GoUoPaDAxnUK9l3369p/qiPgtungM/z0M+5+g1ObdLx3EFtU0+L0geiNQ/NJ142vTaQS+B/5chgXbIoFOfXwV8tXLNflDwgcZZSLEe8qqBvC5QHaTVAPqNkJcf3L2JNbQBwzlIqRPUAhQE3o/pDjj9hD6FzgboM4z4nL6kjv8A1lj1SAB42oWSPU4DMRCF39grBBRRBNkfYEERQlEqxAEQFUhbpIiIBFtQEIEoEAooouIAHABRcAQK6pwhJ0AUnIATIJow63U23sSJC9vyzOc3z/aAAKyijkPQXfexh2V4HMFoBMELQdz0u1eo3Pevewg4kkdVBpLpOppY4v0K2ujjFQN84Y9iOqJLFSe6VatPT/RGA/oWQhyIC/Es3sVQ/EhP7su2fJAv8kN+yl8v8o5ZFzyqXC/OvHAtgq/mdTUHTiKyEqGTMDVCKxE4CVMjdvqwExtOYmuKIKzxqOg8dDaL14w44YT/LYttK83pbKeUFaoiceXJaVKVFlMdKxVhV7tsai41iMnLtZiWTMdoKH6s2lL3mj6RK+9o5T0dPzf0fF1L6t+rqheb5VJ9l83SXdLiNX3rXROjK3zLiyZFx9p8npZO57zNp8klVp9J4TNY4DN0+Azn+DwrnZ7v0+RcPsOSQsPoCcHearyP+J+p6IlZrXFHlPh/KrUwhQAAeNpjYGJewLSHgZWBhXUWqzEDA6M8hGa+yJDGtIqBgYmBlY0ZRLEsYGB6H8Dw4DcDFOTmFBczKDDwPmBgC/oXxMDA7sZUpsDAOB8kx3yXNQxIKTCwAAAGqhBLAAB42mNgYGBmgGAZBkYGEGgB8hjBfBaGDCAtxiAAFGEDsngZ6hgWMKxV4FIQUdBXiH/A8P8/WAcvgwJYnEFBAC7O+P/b/yf/D//f/iD1QcIDtwfiCuVQ87EARqDpMElGJqh7UBQwMLCwsrFzcHJx8/Dy8QsICgmLiIqJS0hKScvIyskrKCopq6iqqWtoamnr6OrpGxgaGZuYmplbWFpZ29ja2Ts4Ojm7uLq5e3h6efv4+vkHBAYFh4SGhUdERkXHxMbFJyQmMVAPJIPJ4hLSdAEASpctjAAAA90FVgEAATUAyQDPANUA4wDoAPoBBACwAQQBSAEEAQ4BIwEnASsBOAD5ALcA4QExAPAA2wDZAOsA7QEhAIoAPwChAJ8ApQDXAJoARAUReNpdUbtOW0EQ3Q0PA4HE2CA52hSzmZDGe6EFCcTVjWJkO4XlCGk3cpGLcQEfQIFEDdqvGaChpEibBiEXSHxCPiESM2uIojQ7O7NzzpkzS8qRqnfpa89T5ySQwt0GzTb9Tki1swD3pOvrjYy0gwdabGb0ynX7/gsGm9GUO2oA5T1vKQ8ZTTuBWrSn/tH8Cob7/B/zOxi0NNP01DoJ6SEE5ptxS4PvGc26yw/6gtXhYjAwpJim4i4/plL+tzTnasuwtZHRvIMzEfnJNEBTa20Emv7UIdXzcRRLkMumsTaYmLL+JBPBhcl0VVO1zPjawV2ys+hggyrNgQfYw1Z5DB4ODyYU0rckyiwNEfZiq8QIEZMcCjnl3Mn+pED5SBLGvElKO+OGtQbGkdfAoDZPs/88m01tbx3C+FkcwXe/GUs6+MiG2hgRYjtiKYAJREJGVfmGGs+9LAbkUvvPQJSA5fGPf50ItO7YRDyXtXUOMVYIen7b3PLLirtWuc6LQndvqmqo0inN+17OvscDnh4Lw0FjwZvP+/5Kgfo8LK40aA4EQ3o3ev+iteqIq7wXPrIn07+xWgAAAAABAAH//wAPeNq1e3lgFFW2971VXb13p6uXdPak01kIDWnSncUQkpCFkLAbQsSACGEdFiGiIEYmRlRUVASEQUfBQVwm+rCqExQRnQRkUBlGnRnxMQ7yfAwyPcPIjDo+jUnlO+dWZcHP973v++NDO11dHeqe+7vn/M7vnHshHKkmhFsizCE8MZBcmZLghIhBl/X3kKwX/jQhwnNwSWQebwt4O2LQZ/dNiFC8HxZ9YqZP9FVzaUoG3ausEOb0vlStO0PgkaR54Ap9WWgkZmIndSRiIiQg87poxMKRAJVighI5K1lgFHsUX5I11GnXE2NAtnmisoPCu110Rowmvri4mMgWXnRKtuJxeUX5heFQrMetT89y+Xh/86Kq6ubF9y/S0/E5n2+Hy6rKRYsEU98ywmxo4gl3SVhJrCSO3EZgMiQgxYS7LDpi0AWk2BCV4tEOWS9GO804epfFQ6zwlSXYZVav9A7ZBtY4HdHOWKcNfsOr3vcGu2LZlZwAX5stYB9fLHsJvMcUS05RchSTcXmuQXNjqJ/LzC8cum6qLymeM9rjWd9A18++7Xq4WtegO19SP3u8eHXtLfTV7JL6+hL1EubhJ0T3PmCZSFLJ+ySSAFhKnnDEAPORjZZwuIvQBIMtEOHEpHA4LBNrVHZ5Q6EuQcdu8zGpeFuwRiN6ky0UgnmnBSXD2S6jh7hgLkaHbKGBLiv7JPtoQCpMODrhz1emE0/ALBkcEtcNvyMldUuco5PnDK5Apx5/SkmOTlOSET6m4k/+MMfrTUmpueyPNDFBNhpgDT3eZFhDySJ2mkV3Soa3WLI6O20OpwsuEaKisMsPrzDPXgY/e/ld+MKv/AXv3vJO+P1be9b33Hpi46m8My3vh3+//viG47d339b7q3XdtOl52nCQLlAO4Oug8vLzyvO0CV9wH7y6dCCsO6DPJNkklxSQVhLJYp7IR6VgKJLFmwOdE7MyTQBSFl7yDrgEuMFFC4OS9aw8yhmVRjnkTIowBgC7rgwGU0T0BuGTlOGQQ+AAac6oXATvo6zgALRYTguJTtnjRt/ls+AWAd8tp7FeMVdfkF9YVBD2xHoNWdliih4cwuDxF2S43LHeAjulZbQgPyu7dN/93fkzmmsmj0n64vTxr/7twIo9+TOba2tzky798bjy0c+n1FRPo/W1s6ZP7Tn/aDqtsnmzR5dNWTx+/2XPr04kPPXRzVnKBVtc9uiJdUvGS1HvG6/H85+OLnR/Z5rcd9Y+Ky9YEk+IQAoGLgufQHxYiBd8K5MEyQESiYPZRzIQpBxwmHjwMRY4ssca7cpNzeBtATkXLmNM7DLGGqXSOIwizX8kq0N2gjfp1U8QP0nwKUv9lOWQA/DJp3paHgYWANZp4uMSwRvkAEB1OD4l1Z+RgM4h58YBikm+4mLZEwNXelJcPCKm/OlZRe7YcKgQAPOn6100bKL5hWn4VRp+w75I1xd0P/lUT89TP//V6/NqJs9rqp3clMT/5Od9e2h7N80/flz5TfeRpsfmz3+sSefcdfLkrh1vvbVj5qJFM+c0L/7+SaGxt4MWs9s9PTvqFy6sn71kMXILT/IAu0TALpuESCnZQCI+xC0TcQvooxEzQlaC4JQxihkFBGIYhQQXtjGPuo6qXFcO7+FRECeZQh7GyXUQJ4GxbowTm7MzLt7nZ1AEfOBF/mKpRDxMDLaUvAK4i1iUcUVZBRoidp0h1ptCvYVFXj1c+bKyEaNMxKgoKxs+udxe5l6AVl5u46KJTZ/+8mfvx4eLbqgMF5d6Z5vqAx/OWdn6qNKVH37+tycV6mmdu2ThqjFTJm44WrJ45aT80nq6fupdC6rTOjZvO/bUveEbJhcV+L3TJycvtrQ9uPDYo/c+mlfQ9tuzizbUbCyad2MD55mydlzzpIKyekKRi+ntjIsrVSbWaJhKtkEO/j/wsGwfZtkf8uowl45kUAJjNigruBKhFcZ0ETYOPSsbYBx4GDyk0OEEoDiP2wmh2PDK7mdXLV6y8tndvfQf9C+/bD2u7LrwH8rjv2p7AdebEj88yw7PsrBnWYMSf1Y2wbNs7FmuQqeDyy6KhZ8G/+qlS9Yc/Jkk71Euv0nX0ON0dU/rL5U4xaF4XmDPCnNfcE8BFiIZRSICYhGjYeEMSjFnJV2oy66ln5DsUgcoyi7yZocNRV6D15Dt9RcZwqdOTXzL3G4+VnnqVOUxuHiLP7lsWcumzz7b1LJs2Vp8x7FKyAn+jG4X2D2HSARoPyxTa1QSQhFCkfGIGRiPErykvCnApmY+K3GhLpMas7pQxGTGr00G+E2zCS/NxBQYnHmBTwQh4PGJfrGEtkToWmVHhGs+QLcrLQeURXQ/2LBQuUyP0AKY71gSiRlUAgZGs0519VUZwCYr8xDskn5ktjdkl9EidOaFN1dMW33ronXhBVane8KsHVWLWhauO1VzU2JLvr6eYVtK27kcbgFEaDrOV6bGKL6opAvKBLiHtxMT+JMwaLynlF6h7efP499dOBClL4OdBpJDmHlDduIFlYzMgwSwE18m1Yswq4MeWdj8QHPzA9PuX7z4/sX4LDLwMXdAaAM7YgkOjgzJ2XGVtbE9NEzppTeVhBzhxd65TK/UDFzWSeAXTpJBajWk4vgocxHZx4MFmcwCNyQlNyNW2QSJJwvek9xAIYIuhsklH/AmrKmpGPnS6Sjj0lLAze28Pz2XOt0pXDiENJDL+dPttKb6/k9pwvn7J42ed8+bLY98ev/FlLKVtQtawymlKyfXrizj0qnjm/fuuOO9bx5Y/d6rW2dtOk0/e3vf5uo7T9zb/PRdVVV3wVy9YPwJ0Cd6yCERHfIgZSrPEJR0Z2UeosRIEUKWGxF2itLR4KWHFOX8n/nnqdTbwV+4zNavErTOEsAgHhGwIQJmQIBlIC8ikBCU3BDFzmjEbUBXdNvAFRPRbcw2eL69WPKKEYM7HrmUVxOvqzAjHEqhHjcRQK0WlOkYBRoqF9K4PTuvPKz8l/I5N/b7vtf+ePTG4D3zzu3RbVu7bvm7976gvHVmgFx84MX9q5eG59z0tMoDObBGC8C+0WQ5iYxC+3RgXwLLkDykRfOoBEyLaGoARZacKUalTIeUnHZWlJ1w7QzKyYDIGDRZN4ppA8ksyjQTDI5xSmnFkkeUUTNJCU4pjumGFDqY5QziUMIzZBf6QjoMjhTe49b50zNy9k767dI7H9iy/Z5R8Ts23P9Iy6ldO3volKvUI7UWrlk4Qfnj111K9MTx2oZFM+qn6qieq6ubWf/Iq+dOvXTnC7FCcOZddZ0X7gQ/DMMa7GLa3Ubmqto9wiFNEYuJswElgMYEAaUHIWkPSqazoN5lI0yND4Fix0Ux6oEqTEbGGkgVMThZC2HrL3Eik/KuAorM4QdPwAsule6QJOVTZTttoYmX+Ma+kwNEuUQTKeGKAfclgPsesCkJlXyipuEiNsTdAbi7TYk2wN1tBtyTmXITxWhEtKIJYowpIIkOWQ9OGAfxkgLvIugOUL2Asl7s5E3uRJZl+UR1PUxiJ7VY4zAJu52SqIq3YeDBZJ9YRjWn8qctOfDYJxse2LK+4/bTfEf/pvx9827/9V3K2e+UQ12n99x2w/y1awt5B8wmkl++4sx955QBLdb3gR8lkwBpIZF4nJEfZqTjVJfvcubE62BGTpzRGEaSNgj7lJBkc7CIj4WZjIX3LHD7TrPOGY/WxoqyQY8UkOOHmcRiJRIhNmQFyeyUDMWSTmTM6sp3Qkx4DbkUtIAHZcHgZNJzOSGFH1JVNbtp+q+/eG7L+J/O3d3DhXpW/fSDLcqfLv/s8kOTaI6QXr6yet29u1ZNf5h78QNaeviRC0XhT59zmuuWL/7tw+8p/1r7dm9s/oL6vNYZS1dUq/GTB74VZlyRDrlvkCvQn5AvkCgIVKEs0YOZkFioj+bpOEWn9NCorpGS09/frmtUNVgtYLiDYTgWNNhtqnaVfeZB+WUekl8pAJ2AEZiLGDrkDABOZVEpBm9fB9fXBeUYpyrIcgVmAIqxOF+OGZGNQT8gcgnosMNEiHHnhDUFVliUUQAyDPADjhUQRDuAmstnato0l8u28y5gXW8Zr2Jae7Bd+ef8J19d3Pzqk/OVq+3PP/3V4zc88/DyEpq9Y82qnYUNMzMyZ80ujB03tS7DXzcl2LZseTttvuPo2AUX52+fPXr07O3z//PmsUfvuFO6Prls7uZ1U+bfVJdTPTpBEBJGV3OZGROyvILgzZqQUdvQwPJK6UAUYmcNSQGc1mqs6rJorBqwRLsS/TYU84kIWC4DLBUASXXIXigGs0JM6AQBl1RYGDnGUYwk22lz8WrUuGxq1ZuIVa/kd8qmOPiNgKiSbz4BaIChOKCo7CKksjJaShlGNNPNqK0oF1KTvpRmXd508oH5ox9XPj351f728W1zV++fWgAu9+G9NGfqLVXTt+cJ6RNXTbrlXn7ve9RSd3fXBxveV04cfvRCYf66l5emTFm2+Ld7qhfmVE3IXzA7r1XtAbCczl+BnB4D9c1wVrdQuIjBrO7AnCoZQ5jUkckwt4vX5HbumhzfPCLT8/HsI46jXKFHYBwRKqkiEvHg4xN0USkmqGqHJNbxcA53PLwhOXlQ7ch6W/GP6h1R6xkMK5/8m6xx9pLrYVAYfm/VAtA/v66Zn9ySb5zDXa1ubq6uXLJE1X1HQPcdhDgjwLQeE/WU8Dv7c7iPuVlH6ZM9yrvKmR7Ep4Q+xZ/h32L9nwRVMYE8BLEkWJni0WQOKiUKL3hI3y38TvrU/v207dln1ZgeMVZRgYnCcCXcx/05/M4jPSByinqUZUfZWjgHovxmiNc00L3rteyZodP8MIWPdqaN4o2gG3KCUvpZyRWSswAruyfamZiVDpWTHqJzNHihPR1ikBfjUjKyMTKZ28l6LLMt4I1pGSB+LHEicl6KKCfqRwgBpDkslASgPAPUTWWCyuhObYGd1//tvrc/z5pQVzchK/NCta+gfGKBb9asXT9pWYzLrTt48/LOx0qX1Zbmh0r9Bb6KKStDDRMKxgTyk8IVbX2LVfHHAS+1CL1CIplIppG/kEga+ILkC3da05LsAXkKwFsa7LrOygS+JyjZw3I13MsOScFgl8BuU2k6E4z5ahWQ75DjYN4VnqhU4UDlgNocq6IZaq+m7IkvX2K9mrRcu1TTLcg+73d2Kb1bqnF0ptakuQKdk/FnBH6mPZT2kF9vF53FUmox6UxNr5mM3Rp6ODXNp12z3g2Vx1SIztcAqaTgdSWlLM4914Gnji8BPKtFCR4wBZjQlDEmP05jQifqLJ0T8AVlmRVkMY4gI+jeojAPiQYosYwryCe+dB2rvHRQmnrB0TM4RpfllCWk2q2f0sDTb9HRT0/b9PCkG5aaucJ9s3e9dO9HG268L917eYU+Jz2toiRTOT1AHlW+fnvjbmp69u3OwDv/+Zpy9kV6/qbpdy8OexpKNz5Lv36GBs5teVm52NH6zh3lcydap83t3nvfX7dOK12t2DLsY4PZ0+6d/S+au/Gk8s0j+5Xv97SUtnfQrD/OWnr/1dHlXYQb+IYQoR3ylQHU0BgSIdh748MsaXXpjYQCbeoxd1mCspXlLiP4oRnw8EPi8mX7DC4fb+YcdA1nV7oa+l9rfI52fIR9hcuX6WVuGstjWyEn9sIYDlC96WSxOoosQh5juTHdHO1KiGdDJSBD+xlDg76REkKoazzYSsC8hpkMlDHLbgYPs4PI8SLrnUoJInyU0lEFjMsD/c3yFYhHiq2UTJ+a8H0FgxdbufcXPHFz+P6lt+z98JhSSjfOvumm2cqDdE1d4w21CqjD4ua7Jt31okfsbvvFB30NU6rn9c6uqJzN+AC0jTAX8k0SydeUjWuwirFbVIEGVYzoYlKMyHYXxDOUoJZYL/Mkp4N5EmRMVZ84MJEWeTlfekZWzboT1Lp39RsPLsnuHXNo+dEvvzy6/NCY3uPK1r3K1ye4GFpITa+tKGpuqW5tXKcodw2su2GTIq14jfEP4CxsBJxNUGGN13rSWF2gtpWduIouBq0ZoDU7WM8BOceNRjrNSNNCsQaeDip9nV/TSQG6lUv8A53y2mvKq3/49tu3//Ifv/lWaPyl8o6yUnn3RUq+6XrzKuKC6zwDxreQydoam3htjaGI6BJUdxLQECszBPIuq79ZeW6ygIzlQmohrlXfYSZF1f+28qf653O7+1dxB4VGUJsX4AURMmJcEzASG/fHxzT/yJi8Sav8sUV8zYBDww0O1n9aXftLQjPTGrcSVcxaLOCoQdkBb56gHIsjpbKR7K6oZHdgzS/HgVh3xeGILg+MlQa3XLgBYNElII/HibLRgLLWkSBiUQQlElZ6sUysW6DeM9qKi4dkre4avykAnxaZ73A1v6Z175yicY1f5r3EXGfO/lxlL7ftc+UXu5VvTq7nOn5Ha17qeGDL9KXoOuWjDyr9XynKssPUSjQchQa2fuUaExhUJpCEcBdvZkjyw6tnASS5kGRxoKoFTFnv6UfWjfq5+2im8kl/q9DYf5mL7+3gSvtPqOPRDhiPJ74R66Z1E1hdjS9h6InwJGQWZqt14DI/H/6uHVWPbbBeMgzuvujV7pWDKRCbWvUYRCjPhkodeB5Tsta25bcuuo36N//hsc/XXFh8xxJ+R9+qff++RMMjnuEx7gd46MLXgsCmzXS9zJu0GIKyzwQcaUCz6UW6vP8zrlp5QmleCSjs45r72/oDnL9NmU8GseevwFjCIAuz+ah46AfxiPDMa3kBfMgwAmiEuFJo/L5jYPBZ+lnwLCup0Z6lN4VHWK52JK1gudWBz2HNSWQDA1aNnA49EecS4Y2WYm02MBWckp/CYHvpVDqNPql8orS1KW1CY98pvri3gz/WV42vofkIakxqNkj6ERYMh6LJIfOaBRZsophgrTisWoHHBxE1ajZQnCwaEOA2Ub9yuf92GPt5vgnGbu27jwz2mIRzEJ8xkGuAhazXsHOcRe2wADs7IDgdam4xAVEnwrvHAYNZBZx9HFB2JzWayEjCVjkRAs3ljk1zAi+m6WtWHaOmvWdozZEjytEze5X/OtZ9kd72+efKwxc5Jx1Hja+v7FKOAU0e61r5On3m+AAZOH6iv1/lat2HzH+92DEeZi0vsJYthsWaDWMtTuUSgComNEgnmATj0eO82EocmfBAmvji6XCSa1stt5SW3iqtVg7SgrktLXOV00JjzR375zXt3zRZSeQuLZs9Z7GK28sMNxdk6Lkk4iCqKVpvzqKmZezNuVhvLkXDDVNxCvbm7A4BmcyEzQ+wy4HkZrXjLZ84olc3qKEc2ObVa2CCSMou8hb+ANHIkvfW7n1ZxfRozZQ97/6s5ge4nlYuHL/9+bZqFVqv9Hxk/S5EV8uFunOAbwzgO0fzQEt4GGK7g0FsH4Y4BiB2hKQYByZEWVAhlt1YvljNjJztTHJAbSgJGuQotjkDRLmfga5h/rvvwjcsH0/DSkT5+iOa17R+fZPyvtD4zfEbdi4qs/d/Sy8h8ks6FkOcBKDG3876bRdIJGew3+ZGMxO0Jpt4Vk4G+ZOsxmqWkzXXUBd/8Zvj81AX2yWbQzJ3y6lx36Eqtjk6LTYzqGIr/oQytzMtNR0++vBnBK5HiGRfcQR+C6+gtnjNbLHaUCjnan/o/3aHSedkUe10GcROnTshB4uULKcc60WQdDkq2SaInVT0ZmktptiRfb5cQ0F+RjhtqDuDm4Q6X1pg38xP77u1tXDehnvu2TCvkCb+jdaeOXD9B6vnL69a+8jOR9ZWKVHlX8runvP1y28szyrOSEnNLm+4p166+tZHU6ZNhTupmf6KOY/Oe/sr3IOA9b+d6VpQQvqRfRiJD7FWN6QIAShV0COlCiAEInoBL/XY0dOqQi2FhXWVyq3Kn7A9M0C+71D7M8BxTAc2QswUad1svcbZkhlIzq3SNiwd78AHylZYOkY4PGsoaAO4B9ORA8qGXG4rzX7h508+R3OUU8qHT/x9z3TOxxf0fbRTemUXH+g7o3yr/Gb23g9w/CHtrsf8yeZIOCbfh1tNRM/4dFwez5KRzwzEfSfdRKf1f4ki9/tLukRMqBT+IjE0spyxQ2NNkwVyBmH7ozp9ODyUNygU91TtNhrsLG+gL5b++WqE1Wg81Ghct2w2fidIlu6jxz1XP2D3TbmyxWwEN7XLghe+03XzJMIJZnSzVzleJ5jMlmEng8dD3BmtxQwlnwvqbBeYb6E+jtZcpbo/U+7vtFZpVU7/4wuktL5M/hN8QSro6GsEbHoBmwUsd2dp0W8MMyEMWgZzt5qxOcwvOjNyk9/E8jX7X0+vKuNoEy2GWn8BXF1VDiodyovcMe5JZSz9ff+K/kr6tWIdXIM8GMeIGsFwzRqYWH8cM5sZM5yBrQQsieGaJYGFx0VpoDNhUb5RzoM6+ITL7DvX/yEXhHUBV9MtY3k0V8vlhsEuKq+KWqZcZYPafQb20DaXwth/xvai2Mjd19+q4/pbuV1X+JWURPt2qTphodLKJQLnsxhRJTMU6mSoN4IlusFOzDrU5V0C2y/DDSazunM3FCMeHGghfWMAnqm06r98pXfVof+rPSIxTP3H6OdvCm29c9keZCs9z+yp0rQ1D/aAKxPNHsNZCN4uvWaBo4uqW3g0iB80w/jBlo4XN0Pg5cegpUeVmo+F3a98Z4dxsrkOfiGLG5EMbeWweGF7N9Rvodm0/Fe0pPv8n7gO7uX+Btqr6FnMD/QOEN2DA4dgTl6CY+FhFGYetpTYEwyAh163/fuW+kOIgW49xwlPwu9nst+nuugIKIwaFDLltVMUCMkX1P2q8KRyDvNYJejcj/lvIMJzyTq12owkoxtkWqMRJ3bhbIZol35MshMrdTQkyKI03RaV0h0shZlGhUJynC0qj4MP6UMtznixU29zJrPWhz4Z7pqgFpFsIjvg45Qc6v47j82NwQ0Z1gQGVFl3U21pQAHCaLwyZ1LTzXmLn8vb2PzsT5sjyo2Pb65R+sLPLSrduKyM6lfNrGhJTW2pmLWSBqtuqc2LLR9/39R5tx96Kqthz/L+9mUTqkbPaK+rmjFm9J2jx8yEebdDXlzD8nciuUnTR6qYM6kUG9Hj5ONMg71HOQZmyDlCLIPH4rQdUexAyrGsAYlMIruIuoUWJ0om0JhqEz6sbXY4PW7On57tEVmacmAn29BOdeP33djzzTc9Rzal3V1+60MP3Vp+d5rQqBinzFAuX/2n8te9bbQ0WL6Pcvsr8tj+HqzXR7BesaSURNxosB0M5tFWI9rqVasGsC2O9QZAO0lisWQUI0Tv0Db1BK2vDCkyi2VIVEheBJ1U0uxLVLelY/JDG3fv3nj/1I7i4w9fUs7Rf1yk/sgzK/fd3f7MyqdnLqOZmu/oggzDJMTQjBjaBjE0MGZnbVyT2rMAuxwOpooZX8WC15hs6naSGaUxb2MYmlkjEvsthFmr7begn2CyLABVN+gaouoa/+q5cd94qld6Nx3p+Re1PnxLZVtaWlvl2m30i6s0fsYU+m1vR9te6vmy7ZnyPHpzXvl+Vcuj/XmApYekIZouNN2qB/ZDq5P00a5Ykwv3kGLR7X1BOR0RtYJ0xz69iTlyrNYZZV06kkx9akNeBZP6sDFv5yrbr+w6T539PtvPNlXuzb219tyGS8pH1Eovc8lFC0vH33RdGv3H9ivblN99Vbx4S9GYFytraSqtyaqryhlVOUXVAl6o38yg4zykSV33iJ41BwTwVsrO5cnEGJVE0B6xuMWLRaMLYtQeirjcrDEgggJxu9ieLyoQL9tThCzIXFWUjGxPMcwOw6h+kUzDHtxe9D57ZM+/zWnOqb6u8p13lO+43osFT78x/4mcuqqCi/16rlfFUlmrGwtYpoDSXE1Y8Kirn2MCI4Ky2xCFOJLTTarmBF9IA19IUxlEyARfMNqY8JTTkEFAMTIG4e3uJMYguEEvOYvlHJCVMklgG4+aI4NreAuw2gaws7KLWI+0lKKbkBFuUvlVz2t3Un3FiscenXnv6Xm3rT0VbqrPu+twz1fU+tC6iT/1pf20Yh1V/k4te9v6lq95cVllXNWsY3fGFS6tWfoUNdJb+nZOHEcn5pWr69EOzOtn2kzrRYEkG8EbMThPVaDhKnAhycVOCcpmm6rRLC6WR4EaY8RreSIWGFBkG10GEfih4NWWZw4ofTc31dyeBcSgn9h08PH+Sq6pub4qr38Zwx5+0n3CZsjhNsxsLA5xfwa3H9jmiZ2VVnp3FF+dNj01MkMwudvAnhhsgGJ/zsgzPeRk+yh4QowHU5bNn1gxb15FeSXV6Z69u6np7nnfH+HP9/lZDA2MVdayse0kjtSDQsFhQf3wsNzeoOzE0ePVdokNi/FOl8ljD8gON/BAUPaARXj+0wQqUnYyfc9br2mm8EVDzRTczyFDlv2+dkJdWR3VRQ41LaVEM1HpOhG+fhb/bZ/x0Dsp+lhmrLZWtUyrha7ts7BIH+q02IY7Lbof7bR4YDnoRlqubKKPK0eV3o2gC9+nR5SJ/Rfp5jZl0C/off99zwnQxtdwzwkeOdRzgr+rr2e5eIWmxRzx2FehmldJ1rCcDOHkgSBPZ8/zqb7lczAY4+FTvAM332QHDOKH9wQfczMIJQxzuLZi1yN55Ow86gbDD10PLgZdMPPI8lXbknLfWLVtr9JbO618TZry3a6yW3z8+fbCJQsa61bt2d1fwLXUNVTn9i/hWp6eFETHVHH3wXyujRH6/x4jdESMeH4kRgq71u1/FmJk7uQNGWBUxY0v7O6v4RqbG7UQ0bh+LtjiIAmkWuvouU0a18ejJYnqtgCwkqgmeCMkUTwjFAvlqGxjXat4N0aJdo5ycNMft2twL3bwxGRl6z/37f+ytW7LO3fs+2crtW/964MP/nUr/cej0e3bo4+ufHP77O1/237nCy/cuem555ht7cpW3RqwzQa2aXlUFk0qsUcENNBrQt08aCPGLGcPsaMM7hGGum1gncB6CaKZrbXkFWWDEciSDh8IgAhyOlCJxI84GMOkyMajJ77++sTRjb67y9Y99NA6UCLKVqFx8x7lipKkRPcqRu5IsOKZ9rv3VQTVfXGwOzBst3XQ7mHyB/kEZQqzGwjI7mANayxVBbfG+OwQFnI6zxQUnivBHkicKFNSzDQUknyhQyN5nwix7xqZ/UvRYkz+YH3itrVld/tASK3dptA/U/eezb0d9Nu9nKn9mYogvTlYsX8wzrgeZnfeYIwOOaXJrPKlCjMSAjt8Q03XeqBnyPeKXr4xcWzlzjT+/NZJ8xR9VW7/eqL2XfgdMMYoymtnpnWCJqjjhCjbo405Kyd6olKi2nfxe9juLOu7OI7vUPsuVodk6paT47+T0rqPfjm95y71tsUhW01G7Su7lNoNv9hptppcAXbfAh8s8AHvWvDu0avfHzfDX7VIyY7OlOQ0+L3kNCNcpeLhc/xMXoPy2Jqckpo23Jv54R3Wm0mMGe7NOONY/8XvlN0e1ptRj2rD4nXSGA8evEWh776mNyNoAmOwNyOoJ5EDLcUn59Y3VKzYvHlFxR/f+LzjJ7nP3DCpsWL5XZuXV/z5nfa/tb9aeH3JON/oOG9O2fqZWw5v7cyrvG50clacd0zFHddv68Qzso6By9zzuiugjReSiJOpOS2KoChn8sgQGjyrqcOzmiCWPUwpYXLCTRvP0EFNDzuI5UGlxIS01anKPoKyjykl7NuAPlJ9ETdhswpEx0Gqf/fdcaOT8i1Fk3c++BhoJRqj/POiUhEsdVpOTtx2L6fT9APwERCoyo3IRhFRbaRrBo9o8NhYgwfykmQKyVaNG228qJ6o0avH9kb0eoqYTGa7x+CfC+bWbMiiOqVvvNyy/xc0lXur/8XmhonjuH19/s0Vcw5Czfk18HQ22DKiz0P/hz6PlcZSDv6LV9Yrl/nz/bM4CRUBxcnp8VlWclJlhIgRGz1h9sguyuv0hgzvcK/HMdzrcQz1eo7f8MU51tMhDsnabYffkLjuoxP+/Uom3hUkPlemnBHu2WVzgtoGOjFK/fKaNlAiawMdLf2l+jiIQCMU8pLQLeC/yjCOaBBNNGGHyIgenzvC3bGF4Euk4USq9oao/fVzl8+9Tu3K75W/ffiBEoWZL+eewFefnzvQv0BdW/ijMwIG1/aG6H/fG8oDTBOZyLBQukB5lfrPnKZ+pYs2K+c/u0j76GfK+zRPSVV0dIYSYX2Cr0FvI84OEiCDy4V6z4apTAzivyEgsk3dTAenlTlL8dDq2akhnenkcjq8jsH8I9smj8/OHLs8PVNd0O/bt/yEt0cdtQ1qn4jfDOON6BMZtezJG/+nPhEefvF5GulbSiWfqpTQMye4oovH+o9fVPHSK61cQFgDVdhaEjGyssbK9jy9rF3URbVDHb6glMxOd7vVvgzUNu5kVtDEmzA4Isms0kmmELTpmA+TtRghXoDahWdCqYjVsAXSZAxL4gUoLvMLS6gH6Uh0G0BZuGPZRwjn/Cx9ftGx9s2bC+sWLKgr3Ly5/VgR7dg1YwJdsOvwKw1Vyn2PjRq1Q3mguvFQ1066cML0wb7tx7SA9aWSh/pSvNbdUv/phqr/vGJY3Hpo8Pwy609xtYM4xLDtfgAgjTWBpLhgl3cYB91ZmG9XkoqDKxRJ0uHMk7zAXLokvNSlmRAghkOSju3iEDkOXU5IYufP8DSj3SmbXIiDl4ns/CI25wAtYAoLyMTDQNEHqH9z4dQFC6aqEOQzUD5urKZ37Bg16jHaWtXwyuFdyoEJM3ZNn6A8s7ML5lLAT+MvgA5OJTeTiJ1j+3NysjUasSIPeNTTO6nqP6UCeFLVmaSyUwNdMUP/lEq2p2J3haUXq0dNL8kihH0xWq9ScZkOT8iFQy6vXQdKTICypcDgGTtxWeWUxbm+gG9pkmRwjy1fXlVYP84fF5cR35zML7x+y4PzS6auWjmVrnHPvueh+SWjyqdPLx+l7L3mDDy55oQ7+f/3na50xHc6cs13xpHfGUd8h4dfPuM/w++Ap0S87kv9X4/PvfkAAHjaY2BkYGBgYjj6xTCUN57f5iuDPAcDCJy9F3kNRv/X/ZfBYcumysDIwAFUCwQAbUwM1wB42mNgZGBgd/vbxcDAUfVf9/9kDlsGoAgKqAAAhz8F1HjaNZC9SwNBEMVfdmfXFEEkiIKFTfwkiIRgoxxClBiLdKIhWASRVP4BYiEcFoellZVFEJFYiIiViIWIVZAUAUmRIlgJNoKmCITz5Y4s/Hiz+2Znd0Z9Yx1c6gbBUrGAPb2KovwgIV9w7DCWTBKpSA1FVcIWSah3pCWKFeaWVBlOoBVA/pDVmxiXGjJyj3l5Y14L+yQru0hJEznGjlLM551+jQH6CnG7hpw59DsmD88cI2ue4UmVnHH/wn0TnkrB05+ImTGeL8KzH/Qa1Em+0QvVTNGrISnXSJsWfdYcKkCZgt81c35HnrCtnPDP1IT2MCsnfpf/ghT49zu4uhdoRg6QURfs6ZbxJVxlUVbWX5CNIHZtHa5UyDn9KrXK/tq8X0dSPWAk8Cb8XzvD2lHCWDf4fh428sh+8pzzKJaC2XOWOg7YaWCg/fPIKbEheKUuU3fC/AFyBCdK+l4/X7eBf/GoYE8AeNpjYGDQgcM8hkuMBYz/mOYwmzDnMU9h3sX8gcWIJYOljWUNyzFWJVYP1hlsXGwhbHvYLdjj2D9xFHAs4XjDycCpxGnGuYprAtchbi3uMu5t3J94NHim8ZzjecMrxxvCW8W7h/cHnw/fFL4//AH8fwT0BPIEpgj8ETQQTBDsE9wneE2IS0hDyEEoQeiOsIVwnfA9ERORFpE/ok6iDaKXxDjE1MT6xK6IK4nXid+S4JE4JikjmSTZIcUlZSNVIrVImktaTbpH+hUQ/sAOZdhkRGSUZAxk7MDQCwD8q0S/AAAAAQAAAHgATQAFAAAAAAACAAEAAgAWAAABAAEDAAAAAHjarVLNLgNRGD0zLdoQqY2IhcwSYTrasJgdwqIJEUQTu2k7qtFpG3cU72DpASw8hJVYCS/gGTyAB3DmmzuTptKu5Gbud77vnu9nzr0ACnhHBkY2D6DDL8YGlujF2EQODxpncIpHjbNYxrfGE1g0ChpPwjJWNZ7CuVHROE/Os8bT2DJeNZ4h/tF4Fn0zyS1gwXzSeA4580XjD8ybbxp/wjG/sIsuerjHNVpo4hIhLM5WxwrtATzGr4hOeBqQ2YGSfY2xEhyuTdjE22hzWQNVlHg+rU/b594g84i4izup5pFxSK8v6Jh5O/Ta5CV9h7u65I2usMdoyFMPNV3HHZhyfGcr7X0m8yryoo5Rvi0VykMVkvz1NHN0h5aoEaF4vgZ7BKm2XVyM1doecxYpHfL+XBS5bmXZaW31p1KdNvjnLEUNFE9u+F+Ragm/iH3JDzm1R4Wit1AUvqLXIsuXHj5Pm/JWIlV8ybClW0DeKFUT1avMqFHBuJOFDbmvqrw3CxVO1ZFoSfYyp3doXX6Ofh2M/gKlx5i7eNptztVOA2EQhuF36kZdcHfd3SpOoS3u7jQB2iaEEEgTuC24QGi6/yHfyZOZSWYGC8382hnlv3yCWMQqNqzYsOPAiQs3Hrz4aMFPgCAhwkSIEiNOglbaaKeDTrropode+uhngEGGGGakcWmMcSaYZIppZtDQMUiSIk2GLDlmmWOeBRZZYpkV8qyyRoEiJdbZYJMtttlhlz32OeCQI4454ZQzzrngkiuuueGWO+55oCx2cYhTXOIWj3jFJy3il4AEJSRhiUiUb34kJnFJOCovX29V3cRw1l9rmqYVTPOaslkbjYFSVxrKpDKlTCszyqwyp5xV5k11tVfXPc+1Sv396bH8UTVbRsk03bTYeOEPeqdIAAAAeNo9zSkOwkAYxXGm+0L3ISlhSRtwEzQXoDVFEFSbcAIOgMYgEHCWrygEd4MXGMa93zP/J3tfiN0GDTm7tmfs3vW1JdqS4q4hvsc4dzOyxKEdkF5UpIsNGUX10Cea+MIEDC5hAeZLwgaso4QD2GsJF3BWEh7gjiV8wMslhoA//YFRIOsh3iDTRK/XJzACw7liDEZbxQSMl4opmCwUMzC9KnIwKxVHIM//7IiLD6SIU9gAAVG4qVYAAA==) format('woff'),
url('../fonts/mark_simonson_-_proxima_nova_bold-webfont.ttf') format('truetype');
font-weight: normal;
font-style: normal;
}
@font-face {
font-family: 'pnblack';
src: url('../fonts/mark_simonson_-_proxima_nova_black-webfont.eot');
}
@font-face {
font-family: 'pnblack';
src: url(data:application/x-font-woff;charset=utf-8;base64,d09GRgABAAAAADWcABMAAAAAa/AAAQAAAAAAAAAAAAAAAAAAAAAAAAAAAABGRlRNAAABqAAAABwAAAAcYzbCfEdERUYAAAHEAAAAHQAAACAApQAER1BPUwAAAeQAAAS+AAAf9qM42htHU1VCAAAGpAAAAXYAAATSabxyGk9TLzIAAAgcAAAAWgAAAGCB+XtuY21hcAAACHgAAADUAAABikmUkD9jdnQgAAAJTAAAADAAAAAwFSgY8mZwZ20AAAl8AAABsQAAAmVTtC+nZ2FzcAAACzAAAAAIAAAACAAAABBnbHlmAAALOAAAJGgAADdAcssMc2hlYWQAAC+gAAAAMwAAADYCVf35aGhlYQAAL9QAAAAgAAAAJA6vBfNobXR4AAAv9AAAAVoAAAHg2LwS6GxvY2EAADFQAAAA3gAAAPLAC7GgbWF4cAAAMjAAAAAgAAAAIAGVAWZuYW1lAAAyUAAAAZUAAAPUYSOI93Bvc3QAADPoAAABEgAAAcOTapepcHJlcAAANPwAAACXAAAA7uPBWll3ZWJmAAA1lAAAAAYAAAAGqVZRuAAAAAEAAAAAzD2izwAAAADJGsXXAAAAAM3eWdV42mNgZGBg4ANiCQYQYGJgBMJyIGYB8xgACWcAqgAAAHjaxVm7j9xEGP/tKXe6W7iQkPAQkFseCcolJy6wCRBQSCSEWCQE4kq0CCiSJgjJiO7qqeld8Re4Tu+a2nUaKtcpz/y+b8a7ttfe9ZPMaNbjmfF878fMYgRgjAMcYfTbr3/+jl2c4wiSBDIzevzwDxmDfePclj53sTX5RVZe+ffgb3yJu/xilkRJnISJx17Ifoh7yTwJEsMWcFTm/ORp8oS9SOaTAJ0K9wx1L59wfIUIPsNkyt+AWMR8L8DgTIxDdC6yd/ZN8QirV+fXt4Dnl4xFlrpquP1R6Kh4tgpLKO+HStGaLFzKULTElGNTjWcjiHHKS8fRKOVqxfpQtWyttCu+tRCM0hQtRo1axaxKjmpTsZ3pbC/zmlZlrLbJb3M6N2ltySpjuZpCay7RJT/r2WNWb9rpD3Uz7wHCfjSyoT1GXXWiSm6p5Kz3XpkNVI+NPqV6ZZwgfr7qby0sFxDjpTVmLc36gbwMyiy0HoVnz5SCeTI9+4caHwissyccmXJsxlnBYqpyFvukhWZpbMlVR0EyIQyj1E0ECvuEqDNTDFoslE1aqvh51mNIlBYpWt84FF4igWbyW7WMYkReRqbsTDnVi5XW/0R1LVG0u+Df45QK54OizbGqLV9VKuFgMjG5KDRb5cHSu4uOWP0VbU41Wa1GfLuhHsWUsa888auja/MIr5nfwj90yynrfaseofe8a70OdMms8n4172Gcvnsu74mENh2fpV5f5E4OG5WjZ6XpNM9rR0ulHLNZUdPcKszRNC+zExdN4tRmJctxNKYUBSpdJ1/lV9grjSb1B7p/wx2yFkgcx0UP6qRm4/HcrmYcc3FL5Whc3JsmY4l8ejpbsezmsTSP5cIXeFZz+st3VnJxvyfb8wteeq4nyskgXjXInUSzmuE7SfkYqOQ8+jyTjwwGcTXrWIPdRLjejb5CDmBvH1rIccCo2tvZwPJKLThYzzf18WFZBt3sjJw7sXr434rzJ/MhIWRsMe6iObXLI5wu+qc4Yf1L66ZyQm6clOYD92Q2s+sGndabMq/a+zcop/U8j+Z/4XqIGhn9ddlF43O6qel/evGCersTVulqWcxfPaPUiLFmeV7S86PGe5Gnu6Myrag54T7jYW4vystoVptiTzKWgaw/ymXa49oZ66yYl3WJHu5O3K/FjbCll4sKnlxy4Fpc7Ucr7F3QMHdWg3u5ZlSazRonkbQ/Hd4A0d1LtNScuDWNfnOIWf0o+b8hTClxns7r7s+7y2G4u7Fhs8g2p8+OtrEmPj6PjLxBefq8AA99QqvwKD5G2MGPSCPEu+w94PMq2y18wGazzmX5QkcOC/+wbuEc9wF2YWPr69jHS9rbwUW2S7iMVzn6Bt7C5zjA2wolLe/gGq7zeQM3ccQ38PdYx2XmGt9u4w4+xif4FHdxH5+x94CYb+MnYrjjdrmqvQ/xgtLxPhv41e0FlDuOyiNWW7bZJtxhj+3W4jl2b/Z9T/mwjxdJz3m8hwuKn8CxRfA+1Pqy48lH+nvMeujaTbxC+l8jB26QB8fu+y3uuKM4j7n7iLufJxcvcJ9trr5MXr7JuocrxHGsHNpXDl1UuVwiNfe541f4mlh9g29J8Xf4nit+wM84+g8B4apvAAB42oWSPU4DMRCF39grBBRRBNkfYEERQlEqxAEQFUhbpIiIBFtQEIEoEAooouIAHABRcAQK6pwhJ0AUnIATIJow63U23sSJC9vyzOc3z/aAAKyijkPQXfexh2V4HMFoBMELQdz0u1eo3Pevewg4kkdVBpLpOppY4v0K2ujjFQN84Y9iOqJLFSe6VatPT/RGA/oWQhyIC/Es3sVQ/EhP7su2fJAv8kN+yl8v8o5ZFzyqXC/OvHAtgq/mdTUHTiKyEqGTMDVCKxE4CVMjdvqwExtOYmuKIKzxqOg8dDaL14w44YT/LYttK83pbKeUFaoiceXJaVKVFlMdKxVhV7tsai41iMnLtZiWTMdoKH6s2lL3mj6RK+9o5T0dPzf0fF1L6t+rqheb5VJ9l83SXdLiNX3rXROjK3zLiyZFx9p8npZO57zNp8klVp9J4TNY4DN0+Azn+DwrnZ7v0+RcPsOSQsPoCcHearyP+J+p6IlZrXFHlPh/KrUwhQAAeNpjYGI+wNzCwMrAwjqL1ZiBgVEeQjNfZEhjWsXAwMTAysYMolgWMDC9D2B48JsBCnJziosZFBh4HzCwBf0LYmBg92CarsDAOB8kx3yXNQxIKTCwAAABWxBXAAB42mNgYGBmgGAZBkYGEGgB8hjBfBaGDCAtxiAAFGEDsngZ6hgWMKxV4FIQUdBXiH/A8P8/WAcvgwJYnEFBAC7O+P/b/yf/D//f/iD1QcIDtwfiCuVQ87EARqDpMElGJqh7UBQwMLCwsrFzcHJx8/Dy8QsICgmLiIqJS0hKScvIyskrKCopq6iqqWtoamnr6OrpGxgaGZuYmplbWFpZ29ja2Ts4Ojm7uLq5e3h6efv4+vkHBAYFh4SGhUdERkXHxMbFJyQmMVAPJIPJ4hLSdAEASpctjAAAA90FVgFoAT8BRgFtAXEEHAFxAXkBfQGdAaQB1QQMAWwBNAGbALcA1AFcAEQFEXjaXVG7TltBEN0NDwOBxNggOdoUs5mQxnuhBQnE1Y1iZDuF5QhpN3KRi3EBH0CBRA3arxmgoaRImwYhF0h8Qj4hEjNriKI0Ozuzc86ZM0vKkap36WvPU+ckkMLdBs02/U5ItbMA96Tr642MtIMHWmxm9Mp1+/4LBpvRlDtqAOU9bykPGU07gVq0p/7R/AqG+/wf8zsYtDTT9NQ6CekhBOabcUuD7xnNussP+oLV4WIwMKSYpuIuP6ZS/rc052rLsLWR0byDMxH5yTRAU2ttBJr+1CHV83EUS5DLprE2mJiy/iQTwYXJdFVTtcz42sFdsrPoYIMqzYEH2MNWeQweDg8mFNK3JMosDRH2YqvECBGTHAo55dzJ/qRA+UgSxrxJSjvjhrUGxpHXwKA2T7P/PJtNbW8dwvhZHMF3vxlLOvjIhtoYEWI7YimACURCRlX5hhrPvSwG5FL7z0CUgOXxj3+dCLTu2EQ8l7V1DjFWCHp+29zyy4q7VrnOi0J3b6pqqNIpzftezr7HA54eC8NBY8Gbz/v+SoH6PCyuNGgOBEN6N3r/orXqiKu8Fz6yJ9O/sVoAAAAAAQAB//8AD3jatXt7fFTVtf/e5zHvmcyZRyaTTJKZTCZDGMiQmTwYQkIIIbwiyCuGh0ABAXkFCqhIq4ZH0SoFxFpEQVTKtUjpOZPxUQsKFSrUq9RaQa9SS6mXG69Fr7aokJzctfaZCYnt7ef3z0+cyZkz4ey1v3ut7/qutTeEI42EcAvF6YQnelKmUBIdntQL2X+NKTrxw+FJnoNLovB4W8TbSb3O0zU8SfF+XApIoYAUaOT8ajHdrS4Rp197rlF4k8AjSWNPJ70mtsBzrWQaSVoIiaT0OuIUIkn4NkJlW1QWzskkphitnTJlPzo4o2CIKLy9U+ajCmfvVLJoROF4ydGh05stxZ4EUYhecshcYki5M8AH+IqqWLbbpSsqaaQvxNVU/L7kffC/2NJ1UH19xsaNM1o3boTRmrgX+A3iUmImOWQhSWbB+DIXp7I3KpNzimjq7DCKxBBJmezEJERkUzRl1K5Eu2IBCxzwG9kOC/yGR7vviaay2ZWSC19bjGASn1AcHviZlSBgW9quLBrkQhVV8d4PTW172ob6fLtX0VfaJt60IuHz/Xi1cGTiypUT3V1r1tIz0RuXYLeXENEBGOaRQtJMkrmAoeyOJ/VovzmeIjRXb40oki8O1wIxgjlOTyyWEgV2P6sA7ovafaM1FqOyP6oEaATtq447g/AK8OylD7JXwImvEHzlHZOa0dH00goqrNgPb22pUb+a+aum48vUrhVP4xu9ee/MJ2njR9R2gY5VX8LXBfWLj9SjtBFfcB98gJJQT1y4oguRITSbyGXRlKAjBkAvP5pysysql0dl6ZxSCB5QaFfKaER2xVKD7SQbfis7Jg+2K3rAt9TaqcTgu6rclz9759cu4o6YbLLVLhuPKwHrN3LoOHzoMFmNzkiHmb1b8F0O2DuKAiH4GGTvxfiehDv+H/p/GNTZJEdCDibk4kQSfh0/mBOyKUHqTUaT2WINFAWLQ2W9/9F/fluuz6VKoQTLThPK4DLJoQj5iYRSCj6qeHMT4K4C3iSDEgk5X+qgUm4pOLHsdigubwJ8uNpZQOOxqsqKMn1lRVV1ZcCd7eHLaLDI7SrQg8vo3YHK4tD5KZc2jbylonXNPfesaa347D2qu95xoeW9hUsqWr97zz3fba348kP1mvr7EzQ+6TvFIbfP6fSFG2c+2HKgy/faqeBO9YORTbWuApc7f0DDLZsnn/rCd+yYD9ZHJKU9l3X5LC6ywMdCJEqOaJGaLMZwLWW+k7SCuwERwA0vu5EqKyzmrfBD++Q0sk9O9onKQzCmUnY7scMa2u1KNo2kdNonnV3xwacS7VOJXYnApwD7pJTDOmfbJUfSmMUnAMISH+BWUAy4RSTZCkCWWeCGLwBfeZ1wpSOInzMTW8GiEieNU96VzeAsCRbpaEWVH7/yl1S7stnNIl3pmQM/feONnx44c4m//XTXo3J9vHLkyMp4PVd4mo594w31pdNf1S9taFhaL9gf+c1vHnn45MmujWLLtUOCfURd3YiGEfVdnz7y+ut4/+H64cPrR9aPABx54u25LN4MOIKnkxqymSQLEcOiNIYuwNCE8CUEkoUQDWe0U2Lu7NCXAO0o5cB3gEYVoGGzkwCgUQtolCDRiQm5XEoWlUYBE7nKkTS5Inhlkzo83kI/I8TSQvg9f0JOSM8Tvc0XjcNdRKaOqy6pRHwKqNtl4/XZhbSqWtTpsz2BMOBVRkMIVnVJuCSsc7o8dVSDzTto2twRE/52fOlL60qqb500LOYb1xigvtalmzapiRH7U/f/oZ22t9RGy2tLgyNLXw6PbCorKq2km8bdPWtUwaPtP3ptzI45tYvHNAzwjvbPWbZy6wv37vpRw6wZx54bM9fdVDVodowL1TT7xw7xRyoYRwA301eYD44izMuobMnQ8r+gZsUKEJkIywWKqBHwt4i3l2v7Eiwbs1ldwu0XNxALySdUtkZlek7RmzsVGzxTT8G7eHMCn1Zld1R7dJzb5fDoS5rPPPXJ8lvnLPvkqa/oVdq9M5lUn/vdWfW5X7y4g3EdPHN932fy5xRT+pkmyGCK3sKe6alyVFZw4epsh53Th5bNuXV551O//e1TF39Bp5/9HZ2eTO5UOdWi0p3wzCD3CncKsJFIGUmKDBtHVM46J4sx9BQERBdTnDCCLQtypKC32tElkN/D1Z5wXF/t0Xv0YU+wWh88enRKynDQ/Py0V1+d9rz5oCHFJ+cv2L7m/Pk12xfM377mvffWEIZNDTnKvy/sgfVoJTKJyvp4irLQhkGThJoiHfXEZIwkKcFLyhu1BTOdk7kYrg2GthBLGk34tVEPvwnMCZcmYmSLhtZVBiTQDu6AFJRqaOsV2qo+e4Ube55uULecV9fSh5hfqO9wBroP5h4hclY0xetIoaABAM6hs3WyF8wd1EkWEoKVEWqGEPThOlqNtNB0zy3zH/zB3T+uWON0BSYsfn3GPdvXb/mvlvWedUMNS2GcWtrClXIPQBQX4XwVKnTii8oCG4iHQfAlapaD4qmln9IWGlff1PBq6rlMu8BOPbBnUo8hD5baIOT7XFPZwHxMhESGLyN7WBX6KmiXpo3JjRuTS/Ftk/ZM0nOe+1i8F2wibhqg9GNK1LxS8dlrrYRpq1DPZeEi+IUTWHs8SdphJMWj60zqwEWUPB0Y72PjuS2dstuueMFBzJZOJR9+et3gKGKWXce4Iw8USwc1mQnjDEdFHR8r4IEsiso4YgfStJcUhaLzf3T6yukfzY9GF2yDi20L6OrZJ2+99SSX+PNbyc0TJmxOvvXnt1Kbm5s3p+hf1QPPPktnH8Q5ADG2gXbRASsmBeRDyhxYj7JP4cEcA5jDCyx3AhoSBSUp6TkTvU2d/198C0euHeLH/ifDA3SQIMN8vWQsSZpxtka+k5EFTpvKuVHZBT5h7Uy6dOhrLgv4Wh66htEMz7cmZI+U1GHKTci8QybIj1XFcT9BR8Fh60RGfnpvG63cS/V01InP6NHrB547+fPmoZaZjSf+Tdh0x2r167Pb1X3qbtpw10ObGhoH+IbUbNPWC/hfeAnsG0jmkOQAtE+A1chF+1y6zpTdPCAX9JidB1MjUdlxTsmH6Q+C6ec7kBj8TCgMkNAy2SwpNAR22hmpuyTFA4pCznXIOf30AmgEvQT8XVkBnK3nqwJ+ASdTwLtdQqCo2Pvb8W+3zlvsm9v65IC8w0ffmHGk6bU36SrqoiXPbRy2es4w9UX1q9fUt4/SvPpRleHcfKdAV3KNrbXDKHfxzZ+vOJytK795XeOLl9YyfwP8v4C1NIGWbyVJI64mhxnNZDZyVoj3OFBcJ3ARU/XGc7IlphjA9/hY0sCC36ADHjAaGCUgD2Th2phNbO1lDhM8zA09IC4FQfLARYh+wdXu26fOV1XKfUDr+NquK+pPPviA3k6PMMwbAPMLYFM+mUqSvgzmNsRc4jtTbpPPBpi7EfMCYLFzihcCrxAjAMVZlp1h7tMwN4E0s1i9mjSTHX2BRq8IgYcE3HVUS6Uk4G+4MPqXs+fNmzlzz0L1kuDufiD+6LR1pzeox9RL6mPP0mCiriFaPmJOA1+r7j4xJLH87Oa/qH9Lx+1l8JNC4LRVJJmHVgfBagGtNoGnOAfmCWC1E60exPjHDtLYH0MhVQK258AcBqM2AKWUMgnOvIFoc46kGPQ4n4FBCf1EdkoKgQnKJodsSMiCJOuZInAUAzd6eJiSjcunbD6Q2whoAU7s41ehF2n9uXV/mXzk9l2Vi2ZUVxyae+vP75+svnr1QPfjk+h+/aKFzfPrpwy+m3v2T7Rh/4hq9fj4/Oq5NULD+NpVR5Z+qH6+7ES3rXn+qEGlQ91afKD/tDMuKII8luECheA09VEkAgKVJ8vhGscC6YWE2WpCHU5l/gpdol68foa/wrQWYvgxYJhPSkklGaxVRUpA7Eya8ZlxEZ5ZFVWq8ZnxgOR4noh2d3hwWhRVoSZiLOd26Zkw4mD2oYxsDNuo05Xdq4VC2+680vjdx56Rn3nsu42f37l9sfzOp+/Ii+mBRS3Tbl83dtya7IUNDfNbm2+aQVeseD42//2J90wZmpMzdMo9E99bEHth+W17Zg4ePHPPI4MSwyKhGpOphnYXVhmNVYUD43GMK29Pp/CBuILNZZWmvBWHLs1sYfAHb5EFtLXiRaAGMn8oAH8osCtuKIeKIcjAH0BEKwUk7dOyW0pZHLy3iNG7w8IKUtkryfaEXORQDNnwK2FJY8AKojkAJ0CaDDsRglpqo0EGCPpDNXqDzktHspV/UX313XWXpoBXbPxZ2ifoM+gHTfpFi8bP59s/pHZY+d1/Ul95asRQWj9+62065hJ3gx9Ugz9ouYvlS/5TyJdZsH79MqaZwnVWOmPaMYPJhhgmTOQTzJtSv7zJ9cufG/tkUe53yU2bkhu18dR3OQOMJ0H2qCVJN47hZWP0VRW5CK7siGWEBVSfWgL5l9rCnrGgv8ZglpzpJzS40cn29uRmpq9eAn11AGKBOCUqWalUw+/rnsYd5kqpia7uIV//rQftrqFb+Pf5d1hfxo/KJCPDhGi6qEdVkZYSoKjcFF7wqK75/D665fx5euf586T/eNXSYApD1nCHu6fx+16i5G9fg7DYrl7F8UjPZf4BiKsCUkLaSLIE16VIWxe+V1aEo7L/nOyMKcWwGjZ7Z4e32A8FDGReZQBSqx9oiZfyAiVISzZJKcJMVuxA79NJUGCD4iiCGs8sFbBUDDSlQ2Ql5CJA1ia6XR6RRaiW1xxpgFu+vOfsl/543Yi436MerY6OaoxOKr0t5GRIC/LsOcrumgWjhg2OxHxDfOMm3Fl3W220RIpEw12/1mQVR8b2rBaviXmknkwg+0kyCH6QLERnGMeqMrk2mhqqAeyJyvZ4qlG7XRqTozcAb2bFbYUmvSvsrPszEqq3kXZM5+kiRbkJ7+ZC6AEIg6R6o+gqtEeH1tSOYUHpGQoeNawG5t8oya6EPM7xvImEB1XkImaFklykcTXoExadNh4cLcriEoHhkMKrA7zO7WKUBewtsApFgHj1gFMWa2w2giKBjd36RxrZu/PvB2YNn3f33YlZiyWhYtuYnzw3/u5nWqZtLHbQxrm6YSPnqe/3PKR+c2LdTio+deJI+ek/v6iee5ZzNdVMHxUumTyzjf5tH438x+b5Bz9cv7TjruklzTVZ45vPPD73+c0311bNVBsLvBP3bP6UetYeV795aG8PeWTl6PZDtOTK8DHTXktsYHHf8wEh4juQA/SgIgaRJMFeFh9niSClMxAKNKdDmjNHseUG+cAAAJoAiyAkg0A4oHcG+BD9GmqCr9VIueoq309tW7E2378f7v2S5YY2GGM2jOEAXVxMFmijYDbV8k0x6AJfHhvKh0OFGKM6Qaj4YrLTrvix/AO28fjPSYoVfBpTrt7D7ADPdWpS0ifBR3RqTKpQxrBV0qWTCRirqQZQDOmLNr520VNzyjctXvVIbN6+Beoo2jyoojKipmh9oLw8oB4XW0Ysvqvuewc9jpc3jtt0ex1tjYZLYrS1rLhoUDp/9lwW2yFP+EmcJPPZnDKqwYZhGWATkcDiIoTO5kR1QMzZnnTWw8RfwHtExud2JPpq0SYwXzlFp7+7+PlNK8bkqk/k/XjGrpde2jXjx3l0YW7Tik0vLH5XPXSSO3SWNsrRm5YtG35w6tpT6h9PrZ16oGbp8onlCm3UOB1xfwVwNwLywzR9iIKQaUTFgVA7mYUmgNpkZyUxUoYLjXWAClRERgMIpgBlsRDktXQcoW3c/PfpzSdPqsp7r596NPXs/tfFlr3qabVFfX0fXXJs644k4gPjCxtgfNZDIJn6gK25AGsuau4loiFab8Gc1QnlKv5QeF0sphjBMCGWLk/jTO5przbB0r2T+073kxzUMuru+9Xdj6q7Sd8xjZhVSK+m+fZ4Jjae9nwAJlMUs9H7j3ZjrPRIKpdZ+y2w9gEyhSQLiFZSsGaAkoUKIbdAzCiEIlb0OQDZICLrKgCH9SWUXC+2IB1AOFlSklokpF7RAWwMFZ9d45n+vlEZBGs4qCJKQnf8O3U8Pvdn9y0fn6c+E9jSgv4x7O5AN/fYdfWHj6tX/h3qtXpq7VhQ2jhnQXWyaSH6R7E3Rpd0v63+98IOksFK3MXWZ0Q68vVa5MtiPMWbGFp8n9Wx4OrIZjsqQ1wXPZRLfdYm/aeN7qWf0L3qAjUbEMunl64d4kzdV7XxOAvbewj0WZvekh6ehi+x94nwJGSSdO19md8Gf9eK9TxTZDzgrc9sWejYYmoFDG/Ryge9BGXMkPJKJqEq4XmoqZ+dcUvjNLDuP69eaaE1tVPH8Eu6dvaoPRk8NjE8hnwLDyHeHwQ2baaNFd6YjhFQx0bgRD0DYDG91n2dy1MN6pvNgAIEY/eW7hC9uEjd0ou9gHsIYoZ1Eek0HroMHkmeeSYvGrEBdgNoGIHTiS1dDnR69izdKXiWhTSln6UzxvtYbmXPs4DlFq1zr7Okm2rYvOUErFFwLkneYE6kZ5PH6n4apFIbV/P5Z9xwKPnO/lI9K7Z0r+a2XzvEV3a9ga8MbjtZzKXHl3V9Rr8Raka7wsOoIoxuxiaDkbUJZRELoQyahvT4FCcKg9ND9ANYrjWqAUZez20FZ0p1N/f2W8QuiMEs4sF+izXDwGJvByKHhR4wsCwxcY67Wazv4pawMWexilrud2K/xWBM91sw+vwCdgJ1gr+4hNiz/VX2En9ozWnqpMOo6/W1a19XP1V/o/71NC1/nha/8IL6IZdFq6jxxSVLoIBXf6t+hVdclfrhyZO0+GSai+NsjdykIe39jIehFE6ZrQTqdcWMsZbdu1jWGK6XlGZlD3qc2wqQ6TIJDlMbDQa8vcmtjXt/z6WVKy/tUU9SXXVTU7V6TWxp//3G9rfb1Sm8p6qicqiG2x6GmxMy14w+fSqGmz+dubBPZWV9qvw0bkXYGcE+lSDasKEpG7UtAA/uD5gtNiQwP1AZMTIn6oXRbdd7ROxtMyhraDjkQXP74nlovHpx3n3b9mqIPmydSwsXu76F6uPq56/O/viO0jSud368aejoh09m8lwlYGuHWmJS2gMtcQ1exsC5Ws0OmEqsZndrmGL9kofOYNckRFoLezEUdDYpEwoa0BwqnaCX3kiBiPXg5psHf62WHn20KzFxYqKLoT1t+4KGbCC+IwzzqopqjBEd1MdnQccPItdJMkK0lJTMRhOZ6BnMdtzSZSTG6ABAvOyf7675rd/Ixf/H7prf3hHwF8PHIvYexPck3Omzu1aEG2z/dHfNj/to/7i79q3bbHetQNtdA5LtELJ9EXSHAQ4lx8v6NxGNgH24teYdgN9lf7tRpmei2d93W00I+HXnp/xl08iWzJ7auB9+eD+d1Xmh5fxtvZtqEHafqnf8w6Za61P3Nr/yrS21i9dv9Dn2MY0LKkjXt88h8zHWBIb0AayUFFmbUuSNkaROxEsddsWMvT1m/BMS1qu71Pms/bG7y8HaH8iBwEUpGMNFEiQpMQ7WaXwum4AE3Rqlw/LydnygYoHlzcbAwj0Iu8T2IHAIV2+yslEgnzLaRp/ZsmH9FnpgyjNql3pEvf70VK6cD3V1Lt68eTHv6brQ/u6Tt9zy5DuE9mp5HWofNk/c0gc5z9q7MD6FCppqJCzY0p1emtZ5BIq+9BY+zxJZIETfpWH4865q6P4ass0SfjcmY9pzmRD9y4zLBmq5WDbE2VCQk+Ms32B2gQdCeklyookFEo8pJQ+fa6ZAWWfls3ToW0fo2+p6daIsqxNhgKN8I74guei6rqXns4/l45J0VBu0qAZ9gvlYy8Ic5g3BhGMEjWwII44RomfUFvrxhf+gnfDzjJpz7RvuKLdH3UC3dC/pbqBPq3NIeox1MIYBc76+H2ZG1p/EXGlCvtAOOPQ56cBmhHkqBLO4Bi9BnQ+5Pk7f7DrTfZErZH4xHnxvE8uNZWkFrufTNQKvCVEmOBW9UdutFvhehtcycEAazwH+QqT775yXjuUOgt+93N3K5C76nbqBWwhcznybNX8FrULWs/I4K73LAYuvt6FySYnaxi5vw8bwDd92B6W4u43+/e9/Vzfovvjk2sXOf9jzgHwcoIR+3EPEe6+1sr21DVweGxv0PU4pxfeOTW6MrT8HYca6Nzp7impbUTSK285oBJ9plnjiUrASphy6epVeVU1PiIWffKOdVwhzh/g1zK8l0rtdwdqTYLrmUWFYbwMtVNUDT3OHsJFCX1LH4vpeU08JD/QcAfvzCYyVtqvXPCGa1pt6EPs6Yfv11VM6tXkLa7i4uAc7m/j3+uw9pTgbHpJgf0+hvKRtXEgBZ5DWXr0q7lHfx5wUBL538Feh3h1C1mud8KQfmzcD2MhJF/Y4rGwXOqWL+l1W+JG2qVzbh9Z2n33IERGohfL07LSFUkLw2I1dwl1mYFjF6sLY1fkhCIy4JWFlTUWXQ5a07WYeOxNa3xQbZFhVuKVApdZQLHZplQWScDDSOHtmdP7T4e+0jn645vtzrt898QftM6rVHaUHZw9bu6ieLm+uHDzV4Zg6uJIOHrNq9GDHsNiiqtEVgy5NmOAZNuuRed2H5lQ2DGjeuHZaic871OtjGm0R4PA0y8355Na07mFCzSVq9JgUAQklV9Q2BDBNw0Q5KcYSNYgexWDSNghQZiiiFWfrIloDNVfCRrqoNahRGlfFYw5W7xeF3dKNrQKdfhFdvezwsa8a79o768Aa74wBE5cunRie6YVwLWxXOz/73un2xvYltK2g+PaZMxYXF2q+D2vIfwFrmIt86kGj7WC0gPaa0d48Zq8N7POhL9ixJeHCraIkMThRDQmOdIufNdI8elbMaZB72ALQ4K6uJ/a8X37FO33o1LZVU6qn516Jvf/YE1276OePXbl31YSPSspue2FJeeji+NX3fZbxqzkMTx/iyfZ8LBk8dexICNqXh/blM/scpk7ZoSUd0QOOZAB8C9CrcJOLtzA8jayZIudhCxq34kStPxGPeTDnVer+wVe+OnZ4GV2l7lhzYNbeuxrpeoYm4ko//4x62unFa4eWAKSn300uDRWqBUGSsX0E4OkhhWQWSbpIbwgwJ0gVaOGQY3JB7ZzKSYeDn83CYOhUjPAKoEcg42tSw+qS0NNlE/P6nPQmIuvHkXwaYC6QwZoGyngwfdJDv133J1rU/R37qulDdhbtbvrkjse/2UXX09GiI1g/sJ1+vuyVhyarv+9prhg3oOAvw0ds+Iy6ncUDcphPACPx80DHZSP6bkQfQU9ZtKimMA3ZHleIAJiDtPBEZTfuwCsufaecFUu63Gwf1AECw+3CSzcKjBz0HgvV1gBEqJFtt8TZKRHwGnTgfArsCGthO/CHn87+t9iWQCKUOHNG3c7toyMGP36qsvLN8ODgYPVE93xun4a12ibMBqz9oDiXgxqgGc+IiJ1QMCsusNAXVYpFTXsCwkXgJ0XarrQYTvsJCFCliKQViuyVOniby8dKJp8GvBKxYRcjN8EMv+E2lShg+KA/zARfHVdL/9GHvjj+s5V01aS7Dj46Vf365cer9k4rGTOhbO0zsx5Hj1o8uWQGeFTJZM5whZL2JV3bNvxq+ajsXVRXVSWV3lJbtWX4HcffPjwlmP92fpEWr0uAte+E2HCSMWm9YNLqUDZ9JQvn6tKai3rWynDaWSFqgpliSWAys9wLbJol3eAUrQkOFxqTSEvo6thzdx44qG4f1zR0TCFQiGfYpEMPdNdy4XH1kWC3hv/NYNAV8TXIjWas9wzoKUb0Dj3b3fAK2vkMyoQnvjoMIjUAsehZT0UxG4DmeZ2e006OZDruPNhx8/rD69cfXkBXC/vwYv31D/gLXUHC9YTVNjYm1sMTYUwcDrSYAEvtiaac6VFzmKyBOXcY9ZItgqcR2KKbQNd0OJysOwka3qppeIPWROHTwh2FKW6xZOx5v7WwPFIxlK5+661lt3cyw9QklTz2cU18smvimS99OiczEtdnEazPNqbnYv37K4xTezss+hsdFqF/h8WJ0o7Xu4HNL9Fj6mG6VB1+aKzY0h2m89S67o/piHkfaePQ8/93nwkQxteNPhM8rrfPBH9X9zrETSFcab2ULA/2Umjai2RzXPFBCLliGWYq1Hyp0I5xrHjgk8eu2OEyS6/RlScHJmEAia1kYaGJJSb19e11sD1sTz8/0/f+BOPCqRUf1kePrvrRM+r26mHTRqnbK2umjuIvrIrdcmTM4kd+3B3nGobUTezexzWU105EB9SwXgfzcPSLhcwsFJvY2/11aPY7bsSCq28sUNuNWHDfsJGFwqLeUNgOkQAGDZt05IfdDVxwW28cIOdvADuytDMxWo8GUhXL+l6x90yMHdhHO5aoGE3amRg8d3ijR+Pt36MBivcXcJDq/UDsfY4XBpsf/AMl5x5sbn7wXA/5w4M0euvUaXPmTJsyh97/u19tnzZt+69+d3TH9Ok7aHHLihUt05ct13pJi9Stwn6w0wZ2zkqfZnGgRKEZiZIDq06izF7M+qhSskCl2LR2giFttBv5UMRzaoojfcglh6kU2ruN7tZUCooUL/2WSFn5s1e//PLVg6tzZoVuWrbsJqBAdavYsqRd/fzqV+qVdrWQ+yQ/jBolVEDSPL+V8XzabkvG7huEDyBDKZOxOwtwzkqrAXea5VmDJ6tXDbDtaRPbngYC0Dn603pAgvhPb81rRK4LfvkqMrm6Y/XBV7+k65fdFJqVA8x90zL6+VVqb19y7RC92E4dX828PZzfVRBanPZPXsdfI1ZSnonRXuc0olvYmLlWjQxYX5ca+3uiVJJxwuiRKQVVI7+fz19YPnSyut9UXNT9NIzhAP32JmAzgKTSO6eCpjYkVBuetL4ojSoD030W8dcTtD6L2S7rjyt50jdy4XH40GEw652Rl78UTkyH781ynr3Dl1fojHQU4HsSrvu0VwoSSfh1uCIv6A3mPF9BYaad8q3P2EcBiivRiNYjdVCbK4iqHm44YZojmHNUVpSJTAmk5aPbVaBjJ2uLHY/Unpu8oG7BXXctqPvrW58e3xrbPzlcOWTSbbffNmlI93tb1f+59+voxIjDbZUGNtw9bdupez8fWOt12JxGZ3Z89JrxPzk2XcubNsCJCJ9C1lhJkk70IEva86HQZlpGH+t3sBBSSDaTNUa9toGSndlAgXc7iJtsdrwoG8UNphZjNpsSiBzcrAOhRiSQ70zkSOxwkdb2qHZq26mgcujqM2fKij0RfYN/Y+tPf4Eyh2ap/6OeUP87XGnWq5/kh/btofdq9mONsYa/oOV9ZBitASNmJoENGFeG+7EBA7lFNsYUSzrv84RpGQLVBVzY0oddXKBbaDXTv8ws8LPtJSMDLrpa3R4/dOczP6V53K+7P3gwz+fh5ncF2xKTDkO9eRF4dxHYosPco/VgaG8PRjtS06fPwvohhXTLsVfoFrVdXc9f6H6Dq+wKsnlhn0X3ADzLgntMvX0W2qfPwpo6JtbU0WE/P32wlR3asaAkU4xARbIeDxz9637Mhk1H6PjDm+j31Ytq29NPqivBlI+4AL66glxp93nNHqER7Onfj6H/uh/jqdb6MV7aqL5Nd235Ad0FP5vU5Y/to1304uXLaqEqUJ16TZszjM7wc5AIyUCHTZIsLWFpm5NZJm1+RFI4a+9kqI3XF7EDMyNoBtMp/tnfu6eldWi8eOAqyaDBe/3ZqW3Dcjg7HesMu9F/GoGL9sOYfXo0QrrO44X/tx5NI52tHuCnqY/TFdRGd9ARqqouVE9o/imkezR+sg5UGZYLZq1PkhtNs9CNcySs955/DqIq5dJaJTYoG/JZ2eA1otsm81nlkE8huLAl78pPey+B+lNxYg+ASlgTmSERZbHj+JWo3CqqaqgbCURy6SGHu7LZR4i2ihKhovqPT2zYUDl67tymig0bnvhjNd11YmwNzTt89pObGtSXd5aWPqweGzm5883D1FczVut3nqetrC+E56q1xgjPDE7/SOsrD4R3W2fmkCzU1IDFJsCiCLHAf/GTsmkIFGV6M8AuiArDIsj+MZIxlvJpWDhjSZ+As/d5gGUEH14KRUYESSkGLHx4bhU3k3LQCUVfAnkVbsg2h2J0IhYepmIrqtm8I7SS6RlgHzcDxsZFaHBDxZg5c5oqAYePqioqquqW3j9hwxOTR9JRuwYMeJg2Ndz0ydnD6sc1YwEh9S+37JhTgfOK85U8nsUMk/mElYR4WMWvnVwBugzHcZ5sTgMYVmFtQmEmFVOSBlkpTMEexpNNOZiIbSgcSQnbVlHMuLC6dFunTojHCsR4zOmxiVBXwcsm6OM6d7Rx9bihLeVFLodXanRdEe35Q0YtqMvcyfJKVqPA8zdP2bzjOyNCNWPG1IToxPzGld+/dVJpaNiYMcNCBcNqbkmU9jt/Tb51uvr/23dCbZ/vBNLvO0Pf7wx9vsMDJhf5i/hdOXyH112F/ws19fQ7eNpjYGRgYGBiOPpM3mhOPL/NVwZ5DgYQOHsv8iqM/q/+L4PDlk2VgZGBA6gWCAB5Cw0bAHjaY2BkYGD3+JvJwMBR9V/9/3QOWwagCAqoAACDigWzeNo1UD1LA0EUnLx9e5EgKUIQ0kjwXIIEqxSCEgQT4ydop5XlYSGchUVIaxFSW1lY2Fr4CywkHKnEXkKKEOQKBUtBi3OSmIVh3r2dmX335BN18MgDJkcyRBV184yGLaNg83DeNlbsGgqiaEiEQ+nBSQxf89iQTfYCVKVGfgesB2cGgMYo6Bf9C3BWsGUBp7esMwSYVaSe3nHGDOYW8GrYtY9J394gJJwdIdSIeOL3K2cRhNJCaH751hn7ewjTFYQeiCL1B/98wbsYnnbpWaKXmen7JLZNZh8lfX3BvnSYxZnJjm+X9Dr5kQpnb/LfIgSqE/b1FL58I8ssXwc4536OpZqU9AoB6yC9Sm2fuON9l0ydWURgPpAzWfre2NtJht5lEmuZYG1GqEsbmupxhjZ9y6hMds9dmhz34IAZyzyQ6hDeFIjI6+STqX4GbaE6R4zvxnozBP4Ax7ldNQAAeNpjYGDQgcMihnOMeoz/mBYxOzBXMS9hPsfCweLD0sCygOUUyy1WHdYg1kVsQmwxbNvYjdgj2PdxWHAUcOzgOMPxgZOFs4TLhCuN6xK3EncS9xzuCzxGPFk8HTy7eD7wivGG8U7ifcGnxzeN7wX/Mv4bAlICfgJNAlsEngiKCLoIBgm2CS4RPCD4QChF6JAwj3CW8BkRBZFZIg9EpUSzROeJ7hFTEEsR2yEuIl4gvkjCTGKaxB1JJkkvyRrJbZLPpAKkcqRuSDsAoR8OGCOdJV0h3SY9BQwXAACYNj7jAAAAAQAAAHgATAAFAAAAAAACAAEAAgAWAAABAAEWAAAAAHjarVLNSgJRGD0zWqFFGEREixhaVdQ4KQW5q6hFUAhFQrtRJxMdlWayeofWPUKLHqJVhL1ED9AjtOrcb642GLqKy9zv3O/vfHPuBZDBOxIwkikALX4RNrDMU4RNpPGocQLneNI4iXV8aTyBJWNe40msGLbGU7g0ihqnmPOi8TR2jDeNZ4i/NZ5F13Q0zmDRfNZ4DmnzVeMeFsyexh9wzE8coI0OHnCDOmq4RggLq6hgjfYELv0NojNGfWa2EMi+QV8ODtc2bOI9NLmsWJdATh6tR9vlXmVmkbiNe+nmMuOUp66gfdarzyV3Y8A8zFtg5ugeh/SGjLoo09ckYyE253huK8Z+ITMHzFScqoMtPfJDPfodNmO1o1nqoolC0YxVsvgDhdu4Gqu4PSam9A55iwVkue5k2YPewZ9OFVr/n6sCqhAwcsv/Urr187M4kvqQU7tUSb2IrOQHPNWZ5QmHx2hNXoxSxZMKW9h85o1S9Vf3EmvK1DDisrAld1aSd2fhmHO1xJuTPc/5HVq17+o3Qu8PSI+aawAAAHjabc7VTgNhEIbhd+pGXXB33d0qTqEt7u40AdomhBBIE7gtuEBouv8h38mTmUlmBgvN/NoZ5b98gljEKjas2LDjwIkLNx68+GjBT4AgIcJEiBIjToJW2ming0666KaHXvroZ4BBhhhmpHFpjHEmmGSKaWbQ0DFIkiJNhiw5ZpljngUWWWKZFfKsskaBIiXW2WCTLbbZYZc99jngkCOOOeGUM8654JIrrrnhljvueaAsdnGIU1ziFo94xSct4peABCUkYYlIlG9+JCZxSTgqL19vVd3EcNZfa5qmFUzzmrJZG42BUlcayqQypUwrM8qsMqecVeZNdbVX1z3PtUr9/emx/FE1W0bJNN202HjhD3qnSAAAAHjaRcw9DsIwDAXgpqFN0r906IoUBibvnIB2qYQQC4nEOZhZGOEsDhOH4g5goHI3f+89+SneVxS3ZES991GIe4hDDn6FbRixO9BxCUvM4eQTlK5HCVvMXP+Q6xR+WBAyNyH/Nq8/BKpprylVKoUohzPREPXMgmiOzJJYbJgVsbTMmljtmA2xNkxLbObPLdEyA3bwAY73QycAAAFRuKlVAAA=) format('woff'),
url('../fonts/mark_simonson_-_proxima_nova_black-webfont.ttf') format('truetype');
font-weight: normal;
font-style: normal;
}
/* @end typography */
/* @group beta-notice -------------------- */
.beta-notice {
text-align: center;
width: 100%;
background: #ffffcc;
font-size: 14px;
padding: 4px 0;
position: absolute;
top: 0;
width: 100%;
z-index: 99999;
}
.beta-notice.cart { top: 0; border-top: 1px solid; }
.beta-notice code {
background: #fff;
padding: 3px 6px;
border-radius: 3px;
color: red;
font-family: pnbold;
}
/* @end beta-notice */
/* @group shop main -------------------- */
body {
background-image: url(http://assets.devte.es/img/page-bg.jpg);
background-attachment: fixed;
background-position: center top;
background-repeat: no-repeat;
-webkit-background-size: cover!important;
-moz-background-size: cover!important;
-ms-background-size: cover!important;
-o-background-size: cover!important;
background-size: cover!important;
padding: 0; margin: 0;
font-family: 'pnbold', Arial, sans-serif;
font-size: 16px;
color: #083b48;
}
/*body.home {
background-attachment: scroll;
background-position: center -742px;
background-repeat: no-repeat;
}*/
.wrap {
width: 980px;
margin: 0 auto;
position: relative;
}
.clearfix:before,
.clearfix:after {
content: " "; /* 1 */
display: table; /* 2 */
}
.clearfix:after {
clear: both;
}
a { color: #498997; }
/* shop header */
.shop-header {
background-color: rgba(8,59,72,0.9);
margin-bottom:20px;
position: fixed;
padding: 12px 0 12px;
z-index: 999999;
width: 100%;
}
body.cart .shop-header { padding-top: 40px; }
.shop-header .branding { display: inline-block; }
.shop-header .site-logo { color: #fff; }
.shop #nav{
overflow:hidden;
float:right;
padding-bottom:2px;
margin-top:18px;
}
.shop .nav-link{
font-family:'pnblack';
font-size:20px;
color:#fff;
text-transform:uppercase;
text-decoration:none;
display:inline-block;
}
.shop .nav-link{ margin-right:20px; }
.shop .nav-link.contact{ margin-right:0; }
.shop .nav-link:hover{
color:#b1c9c7;
}
.shop .cart-status{
display:block;
float:right;
font-family:'pnblack';
text-transform:uppercase;
text-decoration:none;
background-color:#4a8a97;
padding:28px 30px 19px;
line-height: 34px;
margin: -15px 0px -26px 30px;
color: #fff;
}
.shop .cart-status .cart.icon{
color:#083b48;
font-size:22px;
display:inline-block;
margin-right:20px;
}
.shop .cart-status .cart-item-count{
display:inline-block;
font-size:22px;
line-height:30px;
-webkit-transition:all .5s ease;
-moz-transition:all .5s ease;
}
.shop .cart-status .cart-item-count b{
color:#bed3d5;
font-weight:normal;
-webkit-transition:all .5s ease;
-moz-transition:all .5s ease;
}
/* @end fonts main */
/* @group shop general -------------------- */
.shop .page-name-section{
background-color: rgba(67,124,133,.55);
margin: 0 0 30px;
}
.shop .page-name{
padding: 5px 10px;
font-family:'pnbold';
font-weight:normal;
color: #b1c9c7;
letter-spacing: 2px;
text-transform: uppercase;
margin: 0;
float: left;
}
.mc_embed_signup {
float: right;
}
.mc_embed_signup label {
text-transform: uppercase;
color: #fff;
font-size: 14px;
line-height: 30px;
font-family: 'pnsemibold';
letter-spacing: 1px;
margin-right: 10px;
}
.mc_embed_signup input.email {
border: none;
height: 30px;
padding: 0 15px;
width: 141px;
line-height: 30px;
}
.mc_embed_signup input.button {
border: none;
background-color: #1f4b52;
color: #fff;
height: 30px;
width: 60px;
text-align: center;
font-family: pnsemibold;
text-transform: uppercase;
font-size: 14px;
letter-spacing: 1px;
margin-left: -6px;
cursor: pointer;
}
.main-content { padding-top: 79px; }
body.cart .main-content { padding-top: 107px; }
/* @end shop general */
/* @group home products -------------------- */
.home-products{
padding: 25px 10px;
/*background-color: rgba(17,78,92,.45);*/
padding-top: 0; /*for promo banner*/
}
.home-products .product.preview{
width:30%;
float:left;
margin:0 1.6% 20px;
background-color: rgba(17,78,92,.15);
border-radius:6px; }
.home-products .product.preview:hover {
background-color: rgba(17,78,92,.45); }
.product.preview .product-link{
border-radius:6px;
text-decoration:none; }
.product.preview:hover .product-link{
overflow:hidden;
display:block; }
.product-link .product-img {
margin-top: 10px;
max-width: 100%;
display: block;
margin: 0 auto; }
.product-link .product-info{
background-color: rgba(17,78,92,.65);
margin:10px 0 0;
/*overflow:hidden;*/
position: relative;
color: #fff;
border-radius: 0 0 6px 6px; }
.product-link .product-info .product-title {
margin:5px 0 0;
padding: 5px 10px;
font-family:'pnbold';
text-transform:none;
font-size:16px;
letter-spacing:-1px;
line-height:24px;
color:#fff;
text-align:right; }
.product-link:hover .product-info .product-title{
color: #498997;
}
.product-link .product-info .product-title .name {
float: left;
font-family: pnsemibold;
font-weight: normal;
letter-spacing: 0; }
.product-link .product-info .product-status {
position: absolute;
bottom: 64px;
margin: 0;
background-color: #ffffcc;
padding: 0 10px;
color: #083b48;
}
.product-link .product-info .product-status:before,
.product-link .product-info .product-status:after {
content: " ";
display: block;
position: absolute;
right: -10px;
width: 0; height: 0;
}
.product-link .product-info .product-status:before {
border-top: 15px #ffffcc;
border-left: 15px solid #ffffcc;
border-bottom: 15px solid transparent;
top: 0;
}
.product-link .product-info .product-status:after {
border-bottom: 15px #ffffcc;
border-left: 15px solid #ffffcc;
border-top: 15px solid transparent;
bottom: 0;
}
.home .product-link .product-price,
.products .product-link .product-price{
float:right;
font-family:'blanch';
font-size:20px;
background:#f3f2e1;
padding:2px 10px 0px;
-webkit-border-radius:4px;
-moz-border-radius:4px;
border-radius:4px;
color:#8e8b82;
margin:5px;
line-height:30px;
}
.home .product-link .product-price .currency_sign,
.products .product-link .product-price .currency_sign{
color:#cac4b3;
}
.product-link:hover .product-price{
background:#fff;
}
/* @end home products */
/* @group product view -------------------- */
.product-view{
}
.product-view .product-name{
font-family:"pnblack";
text-transform:uppercase;
font-weight:normal;
font-size:50px;
line-height:80px;
color:#083b48;
margin:20px 0;
}
.product-view .product-info{
width:40%;
float:right;
margin:0 0 40px;
background-color: rgba(17,78,92,.2);
border-radius: 10px;
padding: 20px;
position: relative;
}
.product-info .product-price{
font-family:'blanch';
text-transform:uppercase;
font-weight:normal;
font-size:82px;
float:right;
color:#083b48;
margin: 0;
}
.product-info .product-price .on_sale{
position: absolute;
font-size: 22px;
font-family: 'pnbold';
background-color: #ffffcc;
padding: 0 22px 0 10px; margin: 0;
right: 0; top: 85px;
}
.product-info .product-price .on_sale:before,
.product-info .product-price .on_sale:after {
content: " ";
display: block;
position: absolute;
left: -15px;
width: 0; height: 0;
}
.product-info .product-price .on_sale:before {
border-top: 15px #ffffcc;
border-right: 15px solid #ffffcc;
border-bottom: 15px solid transparent;
top: 0;
}
.product-info .product-price .on_sale:after {
border-bottom: 15px #ffffcc;
border-right: 15px solid #ffffcc;
border-top: 15px solid transparent;
bottom: 0;
}
.product-status.soon{
font-family:'blanch';
text-transform:uppercase;
font-weight:normal;
font-size:56px;
float:left;
color:#bed3d5;
line-height:76px;
margin-bottom:20px;
letter-spacing:-1px;
}
.product-form-wrap { float: left; }
.product-info .product-price .currency_sign{opacity: .5;}
.product-inventory {
clear: both;
margin: 0 0 20px;
padding-top: 1px; }
.product-inventory h3 {
margin: 20px -20px;
padding: 0 20px;
line-height: 2;
font-size: 14px;
text-transform: uppercase;
opacity: .8;
background-color: rgba(17,78,92,.4); }
.product-inventory ul { list-style: none; margin: 0; padding: 0; }
.product-inventory ul li {
background-color: rgba(17,78,92,.2);
margin: 0 0 10px 40px;
border-radius: 100px;
height: 10px;
position: relative; }
.inventory-sold {
position: absolute;
left: 5px; top: -2px;
text-transform: uppercase;
font-size: 12px;
letter-spacing: 1px; }
.product-inventory .inventory_option {
margin-left: -40px;
position: relative;
top: -5px;
opacity: .6;
}
.product-inventory .inventory-bar {
height: 10px;
background-color: rgba(8,59,72,.7);
display: block;
border-radius: 100px;
position: absolute;
top: 0; left: 0;
}
.product-inventory .inventory-bar em { display: none; }
.product-view .product-description{
padding-top:20px;
font-size:14px; }
.product-description .section-title{
margin:10px 0 10px;
text-transform: uppercase;
letter-spacing: -1px; }
.product-description p {
margin:15px 0;
opacity: .9. }
.product-description p:first-child {
margin-top: 0; }
.product-description p a {
color: #498997;
opacity: 1;}
.product-view .product-images {
width:50%;
float:left;
margin:0 0%;
text-align:center; }
#product_options {
width:195px;
margin-bottom:10px; }
#product_options select{
width:100%;
}
#btn_product_buy{
border:none;
background-color:rgba(8,59,72,.8);
padding:8px 30px 7px;
margin: 0;
border-radius:4px;
font-family:'pnblack';
color:#b1c9c7;
font-size:20px;
text-transform: uppercase;
transition:all .5s ease;
cursor: pointer;
}
#btn_product_buy:hover{
background-color:rgba(8,59,72,1);
color:#fff;
}
.product-description b i{
font-style:normal;
font-family:'blanch';
font-weight:normal;
font-size:26px;
color:#fff;
}
.product-description .disclaimer{
color:#fff;
border-left:4px solid #fff;
background:#f1e5d1;
padding:5px 8px;
-webkit-border-top-right-radius:6px;
-webkit-border-bottom-right-radius:6px;
-moz-border-radius-topright:6px;
-moz-border-radius-bottomright:6px;
border-top-right-radius:6px;
border-bottom-right-radius:6px;
}
.product-description .disclaimer b{
color:#fff;
font-family:'pnblack';
}
.product-images .product-thumbnails{
list-style:none;
margin: 0;
padding: 0;
}
.product-thumbnails .featured{
margin-bottom:20px;
}
.product-thumbnails .featured a {
max-width: 100%;
display: block;
}
.product-thumbnails .featured a img {
max-width: 100%;
}
.product-thumbnails .thumbnail{
float:left;
margin:10px 5px;
width:75px;
height:75px;
}
/* @end product view */
/* @group shop footer -------------------- */
.shop-footer{}
.shop-footer .row{
overflow:hidden;
}
.shop-footer .row-title {
background-color: rgba(8,59,72,0.9);
}
.shop-footer .row-title h4 {
font-family:'pnbold';
font-weight:normal;
padding: 5px 10px;
color: #b1c9c7;
letter-spacing: 2px;
text-transform: uppercase;
margin: 0;
}
.shop-footer .row-content {
background-color: rgba(8,59,72,0.55);
}
.shop-footer .row ul{ float:left; padding: 0; }
.shop-footer .row ul li{
float:left;
list-style-type:none;
margin:0 10px;
line-height:40px;
}
.shop-footer .row ul li a{
float:left;
display:block;
text-decoration:none;
color:#b1c9c7;
}
.shop-footer .row ul li a:hover{
color:#fff;
}
.shop-footer .row.copyright p{
text-align:center;
margin:10px 0;
float:none;
}
.shop-footer .row.copyright p a{
text-decoration: none;
color: #498997;
}
/* @end shop footer */
/* @group FAQ -------------------- */
.faq.shop h1{
font-family:'pnblack';
text-transform:uppercase;
font-weight:normal;
font-size:42px;
line-height:60px;
margin:20px 0 20px;
}
.faq .question{
margin:10px 0;
}
.faq .question h2{
font-family:'blanch';
font-weight:normal;
font-size:60px;
margin: 0;
}
.faq .question h2 .numeral{
opacity: .6;
}
.faq .answer{
margin: 0 0 40px;
}
.faq .answer p{
margin-bottom:20px;
font-size:16px;
}
/* @end FAQ */
/* @group contact page -------------------- */
.shop.contact h1{
font-family:'blanch';
text-transform:uppercase;
font-weight:normal;
font-size:72px;
line-height:60px;
color:#bed3d5;
margin:25px 0 20px;
text-align:center;
}
.shop.contact .shop-contact-description,#contact_sent{
text-align:center;
font-family:'pnblack';
}
#contact_form{
width:60%;
margin:20px auto;
background:#f1f2e3;
padding:2% 2.5%;
-webkit-border-radius:10px;
-moz-border-radius:10px;
border-radius:10px;
border-bottom:1px solid #fff;
}
#btn_contact_send{
border:none;
background:#dde5dc;
padding:8px 50px 3px;
margin:20px 0 0;
-webkit-border-radius:6px;
-moz-border-radius:6px;
border-radius:6px;
font-family:'pnblack';
color:#1a4969;
text-shadow:0px 1px 0px #fff;
font-size:22px;
border:1px solid #bed3d5;
border-bottom:3px solid #1a4969;
-webkit-transition:all .5s ease;
-moz-transition:all .5s ease;
margin:20px 36% 0;
}
#btn_contact_send:hover{
background:#1e77b3;
color:#fff;
text-shadow:0px 1px 0px #1a4969;
border-color:#1e77b3;
border-bottom:3px solid #1a4969;
}
#contact_form dt{
color:#1a4969;
margin:0 0 5px;
font-size:18px;
}
#contact_form dd input,#contact_form dd textarea{
border:none;
background:#dde5dc;
padding:2% 3%; /* this didn't work for some reason - the text was set right up against the bounding box*/
padding:10px 15px;
width:94%;
margin-bottom:20px;
-webkit-border-radius:6px;
-moz-border-radius:6px;
border-radius:6px;
border-bottom:1px solid #bed3d5;
color:#1a4969;
}
#contact_form dd input:hover,#contact_form dd textarea:hover{
background:#fff;
}
#contact_form dd input:focus,#contact_form dd textarea:focus{
background:#fff;
}
#contact_form dd .instruction{
font-family:'pnblack';
}
#contact_form #captcha{
margin-bottom:5px;
}
/* @end contact */
/* @group products list (category view) -------------------- */
.products .pagination{
padding:5px 10px;
margin:0;
overflow:hidden;
}
.products .pagination .previous{
float:left;
}
.products .pagination .next{
float:right
}
.products .pagination .previous.disabled{
color:#cac4b3;
display:none;
}
.products .pagination .next.disabled{
color:#cac4b3;
display:none;
}
/* @end products list */
/* @group cart -------------------- */
#cart_form{
margin:0 auto;
background-color:rgba(17,78,92,.45);
padding:10px;
overflow:hidden;
position:relative;
}
#cart_contents { padding: 0; margin: 0; }
#cart_form li{
list-style: none;
background-color: rgba(244,252,231,.9);
margin: 0 0 10px;
padding: 10px;
border-radius: 4px; }
#cart_form .item_wrap{ overflow:hidden; }
#cart_form .thumbnail{
float:left;
background:#fff;
padding:3px;
border-radius:3px; }
#cart_form .item_info{
float:left;
margin:0 20px;
padding:20px 0;
width:400px; }
#cart_form .item_info h2{
opacity: .8;
letter-spacing: -1px;
margin: 0;
line-height: 1; }
#cart_form .item_info p{
font-size:12px;
font-family:'pnblack';
margin: 0; }
#cart_form .item_qty{
float:left;
margin:24px 0 0;
margin-right:120px; }
#cart_form .item_qty input{
width: 30px;
text-align: center;
border: 1px solid #638781;
border-radius: 3px;
padding: 6px 6px;
font-weight: bold; }
#cart_form .item_qty input:hover{
border-color:#bed3d5;
color:#cac4b3; }
#cart_form .item_qty input:focus{ color:#1a4969; }
#cart_form .item_total{
float:left;
width:100px;
font-family:'blanch';
text-transform:uppercase;
font-size:52px;
padding-top: 18px;
color:#1a4969; }
#cart_form .item_total .currency_sign{ color:#bed3d5; }
#cart_form .item_remove{
float:right;
margin-top:30px;
margin-right:20px; }
#cart_form .item_remove a.button{
font-size:12px;
color:#638781;
text-decoration:none; }
#cart_discount {
float:left;
margin:5px 40px 20px 0;
background: rgba(73,137,151,.4);
padding:5px 12px;
border-radius:4px; }
#cart_discount h2{
font-weight:normal;
float:left;
margin: 0 10px 0 0;
text-transform:uppercase;
font-family: 'blanch';
font-size: 42px; }
#discount_entry{ float:left; position: relative; top: 4px; }
#discount_entry input{
float:left;
width:100px;
text-align:center;
border:none;
border-radius:3px;
padding:6px 6px;
}
#discount_entry input:hover{
border-color:#bed3d5;
color:#cac4b3;
}
#discount_entry input:focus{
color:#1a4969;
}
#discount_total{
float:left;
font-family:'pnbold';
margin-left:10px;
font-size:12px;
line-height:36px;
color:#fff;
opacity: .5;
}
#error{
margin:20px auto;
background-color:rgba(255,255,255,.8);
background-color: #ffffcc;
padding:5px 10px;
border-radius:4px;
border-bottom:1px solid #fff;
}
#error ul { margin: 0; padding: 0; }
#error li{
list-style:none;
text-align:center;
font-size:24px;
}
.cart-totals-area{
width:400px;
float:right;
}
#cart_shipping {
margin:5px 0 10px;
background: rgba(73,137,151,.4);
padding:5px 12px;
border-radius:4px; }
#cart_shipping h2 {
font-weight:normal;
float:left;
margin:0 10px 0 0;
text-transform:uppercase;
font-family: 'blanch';
font-size: 42px; }
#shipping_entry { float:left; position: relative; top: 7px; }
#cart_shipping select {
width:175px;
border:1px solid #cac4b3;
border-radius:3px;
padding:6px 6px 6px; }
#shipping_total {
float:right;
font-family:'blanch';
font-size: 36px;
padding-top: 2px;
text-align: right;
color:#fff; }
#shipping_total .currency_sign { color:#e2e8dd; }
#cart_update{ float:left; }
#cart_update button {
background:#bed3d5;
border:none;
padding:4px 6px 3px;
-webkit-border-radius:3px;
-moz-border-radius:3px;
border-radius:3px;
color: #498997;
font-family:'pnbold';
text-transform:uppercase;
letter-spacing:1px;
cursor: pointer;
}
#cart_update button:hover,
#cart_update button:focus{
background:#1a4969;
color: #fff; }
.cart-totals-area .cart_total{
background:#fffdf2;
background:#fff;
padding:5px 10px;
-webkit-border-radius:8px;
-moz-border-radius:8px;
border-radius:8px;
float:right;
position:relative;
}
#cart_price{
font-family:'blanch';
text-transform:uppercase;
font-weight:normal;
font-size: 82px;
line-height:70px;
margin:10px 20px 10px;
text-align:center;
letter-spacing: -2px; }
#cart_price .currency_sign{ opacity: .4; }
#btn_checkout{
border:none;
background-color:rgba(8,59,72,.8);
padding:8px 30px 7px;
margin:0 auto 10px;
width: 160px; /* have to set this so that margin:auto works */
display:block;
border-radius:6px;
font-family:'pnblack';
color:#b1c9c7;
font-size:20px;
transition:all .5s ease;
cursor: pointer; }
#btn_checkout:hover{
background-color:rgba(8,59,72,1);
color:#fff; }
.faq-link{
position:absolute;
left:10px;
bottom:20px;
}
.faq-link h4{
color:#fff;
font-weight:normal;
font-family:'pnblack';
font-size:20px;
text-transform: uppercase;
margin: 0; }
.faq-link p { font-size:14px; margin: 0; }
.faq-link p a { color:#fff; }
.faq-link p a:hover { text-decoration:none; }
/* empty cart styles */
#cart_empty,.order-placed{
text-align:center;
}
#cart_empty h1,.order-placed h1{
font-family:'blanch';
text-transform:uppercase;
font-weight:normal;
font-size:272px;
line-height:250px;
opacity: .6;
letter-spacing:-5px;
margin:20px 0 0;
}
.order-placed h1{
font-size:126px;
letter-spacing:-1px;
line-height:126px;
margin-bottom:40px;
}
.order-placed h1 b{
color:#1a4969;
}
#cart_empty h2,.order-placed h2{
font-size:34px;
font-weight:normal;
font-family:'pnblack';
line-height:30px;
margin:0 0 10px; }
.order-placed h2{
font-size:34px; }
#cart_empty p{
font-size:28px;
margin-top: 0; }
#cart_empty p a{ color: #498997; }
.order-placed p{ font-size:16px; }
/* @end cart */
/* @group share styles -------------------- */
.product-share{
background-color: rgba(17,78,92,.4);
clear:both;
margin: 0 -20px;
padding: 8px 20px 3px;
}
.fb-like{ margin-left:0;}
/* @end share */
/* @group customer gallery -------------------- */
.gallery.shop h1{
font-family:'blanch';
text-transform:uppercase;
font-weight:normal;
font-size:72px;
line-height:60px;
color:#bed3d5;
margin:40px 0 40px;
text-align:center;
}
.customer-gallery{
overflow:hidden;
}
.customer-gallery .customer-img{
width:204px;
float:left;
margin-left:20px;
padding:8px;
background:#e2e8dd;
border-radius:6px;
border:1px solid #dde5dc;
text-align:center;
margin-bottom:20px;
}
.customer-img img{
border:1px solid #bed3d5;
opacity:1;
border-radius:3px;
transition:opacity .5s ease;
-moz-transition:opacity .5s ease;
-webkit-transition:opacity .5s ease;
}
.customer-img:hover img{
opacity:.8;
}
.gallery .twitter-handle{
display:block;
font-family:'pnblack';
font-size:24px;
text-decoration:none;
letter-spacing:-.5px;
color:#1a4969;
background:#c4d0cc;
border-radius:3px;
margin:2px 2px 10px;
transition:all .5s ease;
-moz-transition:all .5s ease;
-webkit-transition:all .5s ease;
}
.gallery .twitter-handle:hover{
background:#1a4969;
color:#fffdf2;
}
.gallery .product-name{
display:block;
font-family:'pnblack';
text-decoration:none;
color:#8e8b82;
}
.gallery .product-name:hover{
color:#1e77b3;
}
.gallery .add-me{
text-align:center;
margin:60px 0px 40px;
}
.add-me h2{
font-weight:normal;
font-family:'blanch';
text-transform:uppercase;
font-size:50px;
line-height:60px;
color:#bed3d5;
margin:40px 0 10px;
text-align:center;
}
.add-me .description{
font-family:'pnblack';
font-size:16px;
}
/* @end gallery */
/* @group kickstarter styles -------------------- */
.product-description .kickstarter a{
}
.product-description .kickstarter-link a{
text-align:center;
display:block;
font-size:30px;
font-family:'pnblack';
color:#fff;
}
/* @end kickstarter */
/* @group home promo -------------------- */
.home-promo { margin: -30px -10px 20px; }
/* @end home promo */
/* @group promo styles -------------------- */
/*.main-content { padding-top: 107px; }
body.cart .main-content { padding-top: 135px; }
.shop-header { padding-top: 40px; }
body.cart .shop-header { padding-top: 68px; }
.beta-notice.cart { top: 25px; }*/
/* @end promo styles */ | devtees/devte.es-big-cartel-theme | assets/css/main.css | CSS | mit | 93,658 |
#include "protobuf/qml/protobuf_plugin.h"
#include "protobuf/qml/descriptors.h"
#include "protobuf/qml/memory.h"
#include "protobuf/qml/file.h"
#include "protobuf/qml/method.h"
#include "protobuf/qml/server_method.h"
#include <QObject>
#include <QtQml>
QObject* descriptorPoolFactory(QQmlEngine*, QJSEngine*) {
return new protobuf::qml::DescriptorPoolWrapper;
}
void ProtobufQmlPlugin::registerTypes(const char* uri) {
qmlRegisterSingletonType<protobuf::qml::DescriptorPoolWrapper>(
uri, 1, 0, "DescriptorPool", descriptorPoolFactory);
qmlRegisterUncreatableType<protobuf::qml::FileDescriptorWrapper>(
uri, 1, 0, "FileDescriptor", "FileDescriptor is abstract type.");
qmlRegisterUncreatableType<protobuf::qml::DescriptorWrapper>(
uri, 1, 0, "Descriptor", "Descriptor is abstract type.");
qmlRegisterUncreatableType<protobuf::qml::Descriptor>(
uri, 1, 0, "V4Descriptor", "Descriptor is abstract type.");
qmlRegisterUncreatableType<protobuf::qml::StatusCode>(
uri, 1, 0, "StatusCode", "StatusCode is enum holder.");
// buffers
qmlRegisterType<protobuf::qml::MemoryBufferChannel>(uri, 1, 0,
"MemoryBufferChannel");
qmlRegisterType<protobuf::qml::FileChannel>(uri, 1, 0, "FileChannel");
// client
qmlRegisterType<protobuf::qml::Channel2>(uri, 1, 0, "Channel2");
qmlRegisterType<protobuf::qml::UnaryMethodHolder>(uri, 1, 0,
"UnaryMethodHolder");
qmlRegisterType<protobuf::qml::WriterMethodHolder>(uri, 1, 0,
"WriterMethodHolder");
qmlRegisterType<protobuf::qml::ReaderMethodHolder>(uri, 1, 0,
"ReaderMethodHolder");
qmlRegisterType<protobuf::qml::ReaderWriterMethodHolder>(
uri, 1, 0, "ReaderWriterMethodHolder");
// server
qmlRegisterType<protobuf::qml::RpcServer>(uri, 1, 0, "RpcServer");
qmlRegisterType<protobuf::qml::RpcService>(uri, 1, 0, "RpcService");
qmlRegisterType<protobuf::qml::ServerUnaryMethodHolder>(
uri, 1, 0, "ServerUnaryMethodHolder");
qmlRegisterType<protobuf::qml::ServerReaderMethodHolder>(
uri, 1, 0, "ServerReaderMethodHolder");
qmlRegisterType<protobuf::qml::ServerWriterMethodHolder>(
uri, 1, 0, "ServerWriterMethodHolder");
qmlRegisterType<protobuf::qml::ServerReaderWriterMethodHolder>(
uri, 1, 0, "ServerReaderWriterMethodHolder");
}
| nsuke/protobuf-qml | lib/protobuf/qml/protobuf_plugin.cpp | C++ | mit | 2,480 |
/* open-sans-300 - latin */
@font-face {
font-family: 'Open Sans';
font-style: normal;
font-weight: 300;
src: url('../fonts/open-sans-v13-latin-300.eot'); /* IE9 Compat Modes */
src: local('Open Sans Light'), local('OpenSans-Light'),
url('../fonts/open-sans-v13-latin-300.eot?#iefix') format('embedded-opentype'), /* IE6-IE8 */
url('../fonts/open-sans-v13-latin-300.woff2') format('woff2'), /* Super Modern Browsers */
url('../fonts/open-sans-v13-latin-300.woff') format('woff'), /* Modern Browsers */
url('../fonts/open-sans-v13-latin-300.ttf') format('truetype'), /* Safari, Android, iOS */
url('../fonts/open-sans-v13-latin-300.svg#OpenSans') format('svg'); /* Legacy iOS */
}
/* open-sans-300italic - latin */
@font-face {
font-family: 'Open Sans';
font-style: italic;
font-weight: 300;
src: url('../fonts/open-sans-v13-latin-300italic.eot'); /* IE9 Compat Modes */
src: local('Open Sans Light Italic'), local('OpenSansLight-Italic'),
url('../fonts/open-sans-v13-latin-300italic.eot?#iefix') format('embedded-opentype'), /* IE6-IE8 */
url('../fonts/open-sans-v13-latin-300italic.woff2') format('woff2'), /* Super Modern Browsers */
url('../fonts/open-sans-v13-latin-300italic.woff') format('woff'), /* Modern Browsers */
url('../fonts/open-sans-v13-latin-300italic.ttf') format('truetype'), /* Safari, Android, iOS */
url('../fonts/open-sans-v13-latin-300italic.svg#OpenSans') format('svg'); /* Legacy iOS */
}
/* open-sans-regular - latin */
@font-face {
font-family: 'Open Sans';
font-style: normal;
font-weight: 400;
src: url('../fonts/open-sans-v13-latin-regular.eot'); /* IE9 Compat Modes */
src: local('Open Sans'), local('OpenSans'),
url('../fonts/open-sans-v13-latin-regular.eot?#iefix') format('embedded-opentype'), /* IE6-IE8 */
url('../fonts/open-sans-v13-latin-regular.woff2') format('woff2'), /* Super Modern Browsers */
url('../fonts/open-sans-v13-latin-regular.woff') format('woff'), /* Modern Browsers */
url('../fonts/open-sans-v13-latin-regular.ttf') format('truetype'), /* Safari, Android, iOS */
url('../fonts/open-sans-v13-latin-regular.svg#OpenSans') format('svg'); /* Legacy iOS */
}
/* open-sans-italic - latin */
@font-face {
font-family: 'Open Sans';
font-style: italic;
font-weight: 400;
src: url('../fonts/open-sans-v13-latin-italic.eot'); /* IE9 Compat Modes */
src: local('Open Sans Italic'), local('OpenSans-Italic'),
url('../fonts/open-sans-v13-latin-italic.eot?#iefix') format('embedded-opentype'), /* IE6-IE8 */
url('../fonts/open-sans-v13-latin-italic.woff2') format('woff2'), /* Super Modern Browsers */
url('../fonts/open-sans-v13-latin-italic.woff') format('woff'), /* Modern Browsers */
url('../fonts/open-sans-v13-latin-italic.ttf') format('truetype'), /* Safari, Android, iOS */
url('../fonts/open-sans-v13-latin-italic.svg#OpenSans') format('svg'); /* Legacy iOS */
}
/* open-sans-700 - latin */
@font-face {
font-family: 'Open Sans';
font-style: normal;
font-weight: 700;
src: url('../fonts/open-sans-v13-latin-700.eot'); /* IE9 Compat Modes */
src: local('Open Sans Bold'), local('OpenSans-Bold'),
url('../fonts/open-sans-v13-latin-700.eot?#iefix') format('embedded-opentype'), /* IE6-IE8 */
url('../fonts/open-sans-v13-latin-700.woff2') format('woff2'), /* Super Modern Browsers */
url('../fonts/open-sans-v13-latin-700.woff') format('woff'), /* Modern Browsers */
url('../fonts/open-sans-v13-latin-700.ttf') format('truetype'), /* Safari, Android, iOS */
url('../fonts/open-sans-v13-latin-700.svg#OpenSans') format('svg'); /* Legacy iOS */
}
/* open-sans-700italic - latin */
@font-face {
font-family: 'Open Sans';
font-style: italic;
font-weight: 700;
src: url('../fonts/open-sans-v13-latin-700italic.eot'); /* IE9 Compat Modes */
src: local('Open Sans Bold Italic'), local('OpenSans-BoldItalic'),
url('../fonts/open-sans-v13-latin-700italic.eot?#iefix') format('embedded-opentype'), /* IE6-IE8 */
url('../fonts/open-sans-v13-latin-700italic.woff2') format('woff2'), /* Super Modern Browsers */
url('../fonts/open-sans-v13-latin-700italic.woff') format('woff'), /* Modern Browsers */
url('../fonts/open-sans-v13-latin-700italic.ttf') format('truetype'), /* Safari, Android, iOS */
url('../fonts/open-sans-v13-latin-700italic.svg#OpenSans') format('svg'); /* Legacy iOS */
} | Paso988/PSA | public/css/fonts.css | CSS | mit | 4,494 |
/**
* Copyright 2013 Facebook, Inc.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*
* @providesModule ReactDOMSelect
*/
"use strict";
var ReactCompositeComponent = require("./ReactCompositeComponent");
var ReactDOM = require("./ReactDOM");
var invariant = require("./invariant");
var merge = require("./merge");
// Store a reference to the <select> `ReactNativeComponent`.
var select = ReactDOM.select;
/**
* Validation function for `value` and `defaultValue`.
* @private
*/
function selectValueType(props, propName, componentName) {
if (props[propName] == null) {
return;
}
if (props.multiple) {
invariant(Array.isArray(props[propName]));
} else {
invariant(!Array.isArray(props[propName]));
}
}
/**
* If `value` is supplied, updates <option> elements on mount and update.
* @private
*/
function updateOptions() {
/*jshint validthis:true */
var value = this.props.value != null ? this.props.value : this.state.value;
var options = this.getDOMNode().options;
var selectedValue = '' + value;
for (var i = 0, l = options.length; i < l; i++) {
var selected = this.props.multiple ?
selectedValue.indexOf(options[i].value) >= 0 :
selected = options[i].value === selectedValue;
if (selected !== options[i].selected) {
options[i].selected = selected;
}
}
}
/**
* Implements a <select> native component that allows optionally setting the
* props `value` and `defaultValue`. If `multiple` is false, the prop must be a
* string. If `multiple` is true, the prop must be an array of strings.
*
* If `value` is not supplied (or null/undefined), user actions that change the
* selected option will trigger updates to the rendered options.
*
* If it is supplied (and not null/undefined), the rendered options will not
* update in response to user actions. Instead, the `value` prop must change in
* order for the rendered options to update.
*
* If `defaultValue` is provided, any options with the supplied values will be
* selected.
*/
var ReactDOMSelect = ReactCompositeComponent.createClass({
propTypes: {
defaultValue: selectValueType,
value: selectValueType
},
getInitialState: function() {
return {value: this.props.defaultValue || (this.props.multiple ? [] : '')};
},
componentWillReceiveProps: function(nextProps) {
if (!this.props.multiple && nextProps.multiple) {
this.setState({value: [this.state.value]});
} else if (this.props.multiple && !nextProps.multiple) {
this.setState({value: this.state.value[0]});
}
},
shouldComponentUpdate: function() {
// Defer any updates to this component during the `onChange` handler.
return !this._isChanging;
},
render: function() {
// Clone `this.props` so we don't mutate the input.
var props = merge(this.props);
props.onChange = this._handleChange;
props.value = null;
return select(props, this.props.children);
},
componentDidMount: updateOptions,
componentDidUpdate: updateOptions,
_handleChange: function(event) {
var returnValue;
if (this.props.onChange) {
this._isChanging = true;
returnValue = this.props.onChange(event);
this._isChanging = false;
}
var selectedValue;
if (this.props.multiple) {
selectedValue = [];
var options = event.target.options;
for (var i = 0, l = options.length; i < l; i++) {
if (options[i].selected) {
selectedValue.push(options[i].value);
}
}
} else {
selectedValue = event.target.value;
}
this.setState({value: selectedValue});
return returnValue;
}
});
module.exports = ReactDOMSelect;
| jconnuck/Reaction | app/templates/react/ReactDOMSelect.js | JavaScript | mit | 4,179 |
package com.piggymetrics.user;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.ComponentScan;
import org.springframework.context.annotation.Configuration;
import com.google.common.base.Predicates;
import springfox.documentation.builders.ApiInfoBuilder;
import springfox.documentation.builders.PathSelectors;
import springfox.documentation.service.ApiInfo;
import springfox.documentation.spi.DocumentationType;
import springfox.documentation.spring.web.plugins.Docket;
import springfox.documentation.swagger2.annotations.EnableSwagger2;
/**
*
* @Title: Swagger设置类
* @Package com.lovnx.charge
* @author yezhiyuan
* @date 2017年5月10日 上午9:45:55
* @version V1.0
*/
@Configuration
@ComponentScan(basePackages = { "com.piggymetrics.user.controller.*" })//配置controller路径
@EnableSwagger2
@SuppressWarnings({"unchecked","deprecation"})
public class Swagger2 {
@Bean
public Docket createRestApi() {
return new Docket(DocumentationType.SWAGGER_2)
.apiInfo(apiInfo())
.select()
.paths(Predicates.or(
//这里添加你需要展示的接口
PathSelectors.ant("/users/**"),
PathSelectors.ant("/xxx/**"),
PathSelectors.ant("/qqq/**"),
PathSelectors.ant("/eee/**")
)
)
.build();
}
private ApiInfo apiInfo() {
return new ApiInfoBuilder()
.title("API平台名字")
.description("说明RESTful APIs")
.contact("xxx@qq.com")
.version("1.0")
.build();
}
} | yiping999/springcloud-pig | user-service/src/main/java/com/piggymetrics/user/Swagger2.java | Java | mit | 1,848 |
#include "f2c.h"
#include "blaswrap.h"
/* Common Block Declarations */
struct {
integer infot, nunit;
logical ok, lerr;
} infoc_;
#define infoc_1 infoc_
struct {
char srnamt[6];
} srnamc_;
#define srnamc_1 srnamc_
/* Table of constant values */
static integer c__1 = 1;
static integer c__2 = 2;
static integer c__0 = 0;
static integer c_n1 = -1;
static complex c_b47 = {0.f,0.f};
static complex c_b48 = {1.f,0.f};
/* Subroutine */ int cdrvpb_(logical *dotype, integer *nn, integer *nval,
integer *nrhs, real *thresh, logical *tsterr, integer *nmax, complex *
a, complex *afac, complex *asav, complex *b, complex *bsav, complex *
x, complex *xact, real *s, complex *work, real *rwork, integer *nout)
{
/* Initialized data */
static integer iseedy[4] = { 1988,1989,1990,1991 };
static char facts[1*3] = "F" "N" "E";
static char equeds[1*2] = "N" "Y";
/* Format strings */
static char fmt_9999[] = "(1x,a6,\002, UPLO='\002,a1,\002', N =\002,i5"
",\002, KD =\002,i5,\002, type \002,i1,\002, test(\002,i1,\002)"
"=\002,g12.5)";
static char fmt_9997[] = "(1x,a6,\002( '\002,a1,\002', '\002,a1,\002',"
" \002,i5,\002, \002,i5,\002, ... ), EQUED='\002,a1,\002', type"
" \002,i1,\002, test(\002,i1,\002)=\002,g12.5)";
static char fmt_9998[] = "(1x,a6,\002( '\002,a1,\002', '\002,a1,\002',"
" \002,i5,\002, \002,i5,\002, ... ), type \002,i1,\002, test(\002"
",i1,\002)=\002,g12.5)";
/* System generated locals */
address a__1[2];
integer i__1, i__2, i__3, i__4, i__5, i__6, i__7[2];
char ch__1[2];
/* Builtin functions */
/* Subroutine */ int s_copy(char *, char *, ftnlen, ftnlen);
integer s_wsfe(cilist *), do_fio(integer *, char *, ftnlen), e_wsfe(void);
/* Subroutine */ int s_cat(char *, char **, integer *, integer *, ftnlen);
/* Local variables */
integer i__, k, n, i1, i2, k1, kd, nb, in, kl, iw, ku, nt, lda, ikd, nkd,
ldab;
char fact[1];
integer ioff, mode, koff;
real amax;
char path[3];
integer imat, info;
char dist[1], uplo[1], type__[1];
integer nrun, ifact;
extern /* Subroutine */ int cget04_(integer *, integer *, complex *,
integer *, complex *, integer *, real *, real *);
integer nfail, iseed[4], nfact;
extern /* Subroutine */ int cpbt01_(char *, integer *, integer *, complex
*, integer *, complex *, integer *, real *, real *),
cpbt02_(char *, integer *, integer *, integer *, complex *,
integer *, complex *, integer *, complex *, integer *, real *,
real *), cpbt05_(char *, integer *, integer *, integer *,
complex *, integer *, complex *, integer *, complex *, integer *,
complex *, integer *, real *, real *, real *);
integer kdval[4];
extern logical lsame_(char *, char *);
char equed[1];
integer nbmin;
real rcond, roldc, scond;
integer nimat;
extern doublereal sget06_(real *, real *);
real anorm;
extern /* Subroutine */ int ccopy_(integer *, complex *, integer *,
complex *, integer *), cpbsv_(char *, integer *, integer *,
integer *, complex *, integer *, complex *, integer *, integer *);
logical equil;
extern /* Subroutine */ int cswap_(integer *, complex *, integer *,
complex *, integer *);
integer iuplo, izero, nerrs;
logical zerot;
char xtype[1];
extern /* Subroutine */ int clatb4_(char *, integer *, integer *, integer
*, char *, integer *, integer *, real *, integer *, real *, char *
), aladhd_(integer *, char *);
extern doublereal clanhb_(char *, char *, integer *, integer *, complex *,
integer *, real *), clange_(char *, integer *,
integer *, complex *, integer *, real *);
extern /* Subroutine */ int claqhb_(char *, integer *, integer *, complex
*, integer *, real *, real *, real *, char *),
alaerh_(char *, char *, integer *, integer *, char *, integer *,
integer *, integer *, integer *, integer *, integer *, integer *,
integer *, integer *), claipd_(integer *,
complex *, integer *, integer *);
logical prefac;
real rcondc;
logical nofact;
char packit[1];
integer iequed;
extern /* Subroutine */ int clacpy_(char *, integer *, integer *, complex
*, integer *, complex *, integer *), clarhs_(char *, char
*, char *, char *, integer *, integer *, integer *, integer *,
integer *, complex *, integer *, complex *, integer *, complex *,
integer *, integer *, integer *),
claset_(char *, integer *, integer *, complex *, complex *,
complex *, integer *), cpbequ_(char *, integer *, integer
*, complex *, integer *, real *, real *, real *, integer *), alasvm_(char *, integer *, integer *, integer *, integer
*);
real cndnum;
extern /* Subroutine */ int clatms_(integer *, integer *, char *, integer
*, char *, real *, integer *, real *, real *, integer *, integer *
, char *, complex *, integer *, complex *, integer *), cpbtrf_(char *, integer *, integer *, complex *,
integer *, integer *);
real ainvnm;
extern /* Subroutine */ int cpbtrs_(char *, integer *, integer *, integer
*, complex *, integer *, complex *, integer *, integer *),
xlaenv_(integer *, integer *), cpbsvx_(char *, char *, integer *,
integer *, integer *, complex *, integer *, complex *, integer *,
char *, real *, complex *, integer *, complex *, integer *, real
*, real *, real *, complex *, real *, integer *), cerrvx_(char *, integer *);
real result[6];
/* Fortran I/O blocks */
static cilist io___57 = { 0, 0, 0, fmt_9999, 0 };
static cilist io___60 = { 0, 0, 0, fmt_9997, 0 };
static cilist io___61 = { 0, 0, 0, fmt_9998, 0 };
/* -- LAPACK test routine (version 3.1) -- */
/* Univ. of Tennessee, Univ. of California Berkeley and NAG Ltd.. */
/* November 2006 */
/* .. Scalar Arguments .. */
/* .. */
/* .. Array Arguments .. */
/* .. */
/* Purpose */
/* ======= */
/* CDRVPB tests the driver routines CPBSV and -SVX. */
/* Arguments */
/* ========= */
/* DOTYPE (input) LOGICAL array, dimension (NTYPES) */
/* The matrix types to be used for testing. Matrices of type j */
/* (for 1 <= j <= NTYPES) are used for testing if DOTYPE(j) = */
/* .TRUE.; if DOTYPE(j) = .FALSE., then type j is not used. */
/* NN (input) INTEGER */
/* The number of values of N contained in the vector NVAL. */
/* NVAL (input) INTEGER array, dimension (NN) */
/* The values of the matrix dimension N. */
/* NRHS (input) INTEGER */
/* The number of right hand side vectors to be generated for */
/* each linear system. */
/* THRESH (input) REAL */
/* The threshold value for the test ratios. A result is */
/* included in the output file if RESULT >= THRESH. To have */
/* every test ratio printed, use THRESH = 0. */
/* TSTERR (input) LOGICAL */
/* Flag that indicates whether error exits are to be tested. */
/* NMAX (input) INTEGER */
/* The maximum value permitted for N, used in dimensioning the */
/* work arrays. */
/* A (workspace) COMPLEX array, dimension (NMAX*NMAX) */
/* AFAC (workspace) COMPLEX array, dimension (NMAX*NMAX) */
/* ASAV (workspace) COMPLEX array, dimension (NMAX*NMAX) */
/* B (workspace) COMPLEX array, dimension (NMAX*NRHS) */
/* BSAV (workspace) COMPLEX array, dimension (NMAX*NRHS) */
/* X (workspace) COMPLEX array, dimension (NMAX*NRHS) */
/* XACT (workspace) COMPLEX array, dimension (NMAX*NRHS) */
/* S (workspace) REAL array, dimension (NMAX) */
/* WORK (workspace) COMPLEX array, dimension */
/* (NMAX*max(3,NRHS)) */
/* RWORK (workspace) REAL array, dimension (NMAX+2*NRHS) */
/* NOUT (input) INTEGER */
/* The unit number for output. */
/* ===================================================================== */
/* .. Parameters .. */
/* .. */
/* .. Local Scalars .. */
/* .. */
/* .. Local Arrays .. */
/* .. */
/* .. External Functions .. */
/* .. */
/* .. External Subroutines .. */
/* .. */
/* .. Intrinsic Functions .. */
/* .. */
/* .. Scalars in Common .. */
/* .. */
/* .. Common blocks .. */
/* .. */
/* .. Data statements .. */
/* Parameter adjustments */
--rwork;
--work;
--s;
--xact;
--x;
--bsav;
--b;
--asav;
--afac;
--a;
--nval;
--dotype;
/* Function Body */
/* .. */
/* .. Executable Statements .. */
/* Initialize constants and the random number seed. */
s_copy(path, "Complex precision", (ftnlen)1, (ftnlen)17);
s_copy(path + 1, "PB", (ftnlen)2, (ftnlen)2);
nrun = 0;
nfail = 0;
nerrs = 0;
for (i__ = 1; i__ <= 4; ++i__) {
iseed[i__ - 1] = iseedy[i__ - 1];
/* L10: */
}
/* Test the error exits */
if (*tsterr) {
cerrvx_(path, nout);
}
infoc_1.infot = 0;
kdval[0] = 0;
/* Set the block size and minimum block size for testing. */
nb = 1;
nbmin = 2;
xlaenv_(&c__1, &nb);
xlaenv_(&c__2, &nbmin);
/* Do for each value of N in NVAL */
i__1 = *nn;
for (in = 1; in <= i__1; ++in) {
n = nval[in];
lda = max(n,1);
*(unsigned char *)xtype = 'N';
/* Set limits on the number of loop iterations. */
/* Computing MAX */
i__2 = 1, i__3 = min(n,4);
nkd = max(i__2,i__3);
nimat = 8;
if (n == 0) {
nimat = 1;
}
kdval[1] = n + (n + 1) / 4;
kdval[2] = (n * 3 - 1) / 4;
kdval[3] = (n + 1) / 4;
i__2 = nkd;
for (ikd = 1; ikd <= i__2; ++ikd) {
/* Do for KD = 0, (5*N+1)/4, (3N-1)/4, and (N+1)/4. This order */
/* makes it easier to skip redundant values for small values */
/* of N. */
kd = kdval[ikd - 1];
ldab = kd + 1;
/* Do first for UPLO = 'U', then for UPLO = 'L' */
for (iuplo = 1; iuplo <= 2; ++iuplo) {
koff = 1;
if (iuplo == 1) {
*(unsigned char *)uplo = 'U';
*(unsigned char *)packit = 'Q';
/* Computing MAX */
i__3 = 1, i__4 = kd + 2 - n;
koff = max(i__3,i__4);
} else {
*(unsigned char *)uplo = 'L';
*(unsigned char *)packit = 'B';
}
i__3 = nimat;
for (imat = 1; imat <= i__3; ++imat) {
/* Do the tests only if DOTYPE( IMAT ) is true. */
if (! dotype[imat]) {
goto L80;
}
/* Skip types 2, 3, or 4 if the matrix size is too small. */
zerot = imat >= 2 && imat <= 4;
if (zerot && n < imat - 1) {
goto L80;
}
if (! zerot || ! dotype[1]) {
/* Set up parameters with CLATB4 and generate a test */
/* matrix with CLATMS. */
clatb4_(path, &imat, &n, &n, type__, &kl, &ku, &anorm,
&mode, &cndnum, dist);
s_copy(srnamc_1.srnamt, "CLATMS", (ftnlen)6, (ftnlen)
6);
clatms_(&n, &n, dist, iseed, type__, &rwork[1], &mode,
&cndnum, &anorm, &kd, &kd, packit, &a[koff],
&ldab, &work[1], &info);
/* Check error code from CLATMS. */
if (info != 0) {
alaerh_(path, "CLATMS", &info, &c__0, uplo, &n, &
n, &c_n1, &c_n1, &c_n1, &imat, &nfail, &
nerrs, nout);
goto L80;
}
} else if (izero > 0) {
/* Use the same matrix for types 3 and 4 as for type */
/* 2 by copying back the zeroed out column, */
iw = (lda << 1) + 1;
if (iuplo == 1) {
ioff = (izero - 1) * ldab + kd + 1;
i__4 = izero - i1;
ccopy_(&i__4, &work[iw], &c__1, &a[ioff - izero +
i1], &c__1);
iw = iw + izero - i1;
i__4 = i2 - izero + 1;
/* Computing MAX */
i__6 = ldab - 1;
i__5 = max(i__6,1);
ccopy_(&i__4, &work[iw], &c__1, &a[ioff], &i__5);
} else {
ioff = (i1 - 1) * ldab + 1;
i__4 = izero - i1;
/* Computing MAX */
i__6 = ldab - 1;
i__5 = max(i__6,1);
ccopy_(&i__4, &work[iw], &c__1, &a[ioff + izero -
i1], &i__5);
ioff = (izero - 1) * ldab + 1;
iw = iw + izero - i1;
i__4 = i2 - izero + 1;
ccopy_(&i__4, &work[iw], &c__1, &a[ioff], &c__1);
}
}
/* For types 2-4, zero one row and column of the matrix */
/* to test that INFO is returned correctly. */
izero = 0;
if (zerot) {
if (imat == 2) {
izero = 1;
} else if (imat == 3) {
izero = n;
} else {
izero = n / 2 + 1;
}
/* Save the zeroed out row and column in WORK(*,3) */
iw = lda << 1;
/* Computing MIN */
i__5 = (kd << 1) + 1;
i__4 = min(i__5,n);
for (i__ = 1; i__ <= i__4; ++i__) {
i__5 = iw + i__;
work[i__5].r = 0.f, work[i__5].i = 0.f;
/* L20: */
}
++iw;
/* Computing MAX */
i__4 = izero - kd;
i1 = max(i__4,1);
/* Computing MIN */
i__4 = izero + kd;
i2 = min(i__4,n);
if (iuplo == 1) {
ioff = (izero - 1) * ldab + kd + 1;
i__4 = izero - i1;
cswap_(&i__4, &a[ioff - izero + i1], &c__1, &work[
iw], &c__1);
iw = iw + izero - i1;
i__4 = i2 - izero + 1;
/* Computing MAX */
i__6 = ldab - 1;
i__5 = max(i__6,1);
cswap_(&i__4, &a[ioff], &i__5, &work[iw], &c__1);
} else {
ioff = (i1 - 1) * ldab + 1;
i__4 = izero - i1;
/* Computing MAX */
i__6 = ldab - 1;
i__5 = max(i__6,1);
cswap_(&i__4, &a[ioff + izero - i1], &i__5, &work[
iw], &c__1);
ioff = (izero - 1) * ldab + 1;
iw = iw + izero - i1;
i__4 = i2 - izero + 1;
cswap_(&i__4, &a[ioff], &c__1, &work[iw], &c__1);
}
}
/* Set the imaginary part of the diagonals. */
if (iuplo == 1) {
claipd_(&n, &a[kd + 1], &ldab, &c__0);
} else {
claipd_(&n, &a[1], &ldab, &c__0);
}
/* Save a copy of the matrix A in ASAV. */
i__4 = kd + 1;
clacpy_("Full", &i__4, &n, &a[1], &ldab, &asav[1], &ldab);
for (iequed = 1; iequed <= 2; ++iequed) {
*(unsigned char *)equed = *(unsigned char *)&equeds[
iequed - 1];
if (iequed == 1) {
nfact = 3;
} else {
nfact = 1;
}
i__4 = nfact;
for (ifact = 1; ifact <= i__4; ++ifact) {
*(unsigned char *)fact = *(unsigned char *)&facts[
ifact - 1];
prefac = lsame_(fact, "F");
nofact = lsame_(fact, "N");
equil = lsame_(fact, "E");
if (zerot) {
if (prefac) {
goto L60;
}
rcondc = 0.f;
} else if (! lsame_(fact, "N")) {
/* Compute the condition number for comparison */
/* with the value returned by CPBSVX (FACT = */
/* 'N' reuses the condition number from the */
/* previous iteration with FACT = 'F'). */
i__5 = kd + 1;
clacpy_("Full", &i__5, &n, &asav[1], &ldab, &
afac[1], &ldab);
if (equil || iequed > 1) {
/* Compute row and column scale factors to */
/* equilibrate the matrix A. */
cpbequ_(uplo, &n, &kd, &afac[1], &ldab, &
s[1], &scond, &amax, &info);
if (info == 0 && n > 0) {
if (iequed > 1) {
scond = 0.f;
}
/* Equilibrate the matrix. */
claqhb_(uplo, &n, &kd, &afac[1], &
ldab, &s[1], &scond, &amax,
equed);
}
}
/* Save the condition number of the */
/* non-equilibrated system for use in CGET04. */
if (equil) {
roldc = rcondc;
}
/* Compute the 1-norm of A. */
anorm = clanhb_("1", uplo, &n, &kd, &afac[1],
&ldab, &rwork[1]);
/* Factor the matrix A. */
cpbtrf_(uplo, &n, &kd, &afac[1], &ldab, &info);
/* Form the inverse of A. */
claset_("Full", &n, &n, &c_b47, &c_b48, &a[1],
&lda);
s_copy(srnamc_1.srnamt, "CPBTRS", (ftnlen)6, (
ftnlen)6);
cpbtrs_(uplo, &n, &kd, &n, &afac[1], &ldab, &
a[1], &lda, &info);
/* Compute the 1-norm condition number of A. */
ainvnm = clange_("1", &n, &n, &a[1], &lda, &
rwork[1]);
if (anorm <= 0.f || ainvnm <= 0.f) {
rcondc = 1.f;
} else {
rcondc = 1.f / anorm / ainvnm;
}
}
/* Restore the matrix A. */
i__5 = kd + 1;
clacpy_("Full", &i__5, &n, &asav[1], &ldab, &a[1],
&ldab);
/* Form an exact solution and set the right hand */
/* side. */
s_copy(srnamc_1.srnamt, "CLARHS", (ftnlen)6, (
ftnlen)6);
clarhs_(path, xtype, uplo, " ", &n, &n, &kd, &kd,
nrhs, &a[1], &ldab, &xact[1], &lda, &b[1],
&lda, iseed, &info);
*(unsigned char *)xtype = 'C';
clacpy_("Full", &n, nrhs, &b[1], &lda, &bsav[1], &
lda);
if (nofact) {
/* --- Test CPBSV --- */
/* Compute the L*L' or U'*U factorization of the */
/* matrix and solve the system. */
i__5 = kd + 1;
clacpy_("Full", &i__5, &n, &a[1], &ldab, &
afac[1], &ldab);
clacpy_("Full", &n, nrhs, &b[1], &lda, &x[1],
&lda);
s_copy(srnamc_1.srnamt, "CPBSV ", (ftnlen)6, (
ftnlen)6);
cpbsv_(uplo, &n, &kd, nrhs, &afac[1], &ldab, &
x[1], &lda, &info);
/* Check error code from CPBSV . */
if (info != izero) {
alaerh_(path, "CPBSV ", &info, &izero,
uplo, &n, &n, &kd, &kd, nrhs, &
imat, &nfail, &nerrs, nout);
goto L40;
} else if (info != 0) {
goto L40;
}
/* Reconstruct matrix from factors and compute */
/* residual. */
cpbt01_(uplo, &n, &kd, &a[1], &ldab, &afac[1],
&ldab, &rwork[1], result);
/* Compute residual of the computed solution. */
clacpy_("Full", &n, nrhs, &b[1], &lda, &work[
1], &lda);
cpbt02_(uplo, &n, &kd, nrhs, &a[1], &ldab, &x[
1], &lda, &work[1], &lda, &rwork[1], &
result[1]);
/* Check solution from generated exact solution. */
cget04_(&n, nrhs, &x[1], &lda, &xact[1], &lda,
&rcondc, &result[2]);
nt = 3;
/* Print information about the tests that did */
/* not pass the threshold. */
i__5 = nt;
for (k = 1; k <= i__5; ++k) {
if (result[k - 1] >= *thresh) {
if (nfail == 0 && nerrs == 0) {
aladhd_(nout, path);
}
io___57.ciunit = *nout;
s_wsfe(&io___57);
do_fio(&c__1, "CPBSV ", (ftnlen)6);
do_fio(&c__1, uplo, (ftnlen)1);
do_fio(&c__1, (char *)&n, (ftnlen)
sizeof(integer));
do_fio(&c__1, (char *)&kd, (ftnlen)
sizeof(integer));
do_fio(&c__1, (char *)&imat, (ftnlen)
sizeof(integer));
do_fio(&c__1, (char *)&k, (ftnlen)
sizeof(integer));
do_fio(&c__1, (char *)&result[k - 1],
(ftnlen)sizeof(real));
e_wsfe();
++nfail;
}
/* L30: */
}
nrun += nt;
L40:
;
}
/* --- Test CPBSVX --- */
if (! prefac) {
i__5 = kd + 1;
claset_("Full", &i__5, &n, &c_b47, &c_b47, &
afac[1], &ldab);
}
claset_("Full", &n, nrhs, &c_b47, &c_b47, &x[1], &
lda);
if (iequed > 1 && n > 0) {
/* Equilibrate the matrix if FACT='F' and */
/* EQUED='Y' */
claqhb_(uplo, &n, &kd, &a[1], &ldab, &s[1], &
scond, &amax, equed);
}
/* Solve the system and compute the condition */
/* number and error bounds using CPBSVX. */
s_copy(srnamc_1.srnamt, "CPBSVX", (ftnlen)6, (
ftnlen)6);
cpbsvx_(fact, uplo, &n, &kd, nrhs, &a[1], &ldab, &
afac[1], &ldab, equed, &s[1], &b[1], &lda,
&x[1], &lda, &rcond, &rwork[1], &rwork[*
nrhs + 1], &work[1], &rwork[(*nrhs << 1)
+ 1], &info);
/* Check the error code from CPBSVX. */
if (info != izero) {
/* Writing concatenation */
i__7[0] = 1, a__1[0] = fact;
i__7[1] = 1, a__1[1] = uplo;
s_cat(ch__1, a__1, i__7, &c__2, (ftnlen)2);
alaerh_(path, "CPBSVX", &info, &izero, ch__1,
&n, &n, &kd, &kd, nrhs, &imat, &nfail,
&nerrs, nout);
goto L60;
}
if (info == 0) {
if (! prefac) {
/* Reconstruct matrix from factors and */
/* compute residual. */
cpbt01_(uplo, &n, &kd, &a[1], &ldab, &
afac[1], &ldab, &rwork[(*nrhs <<
1) + 1], result);
k1 = 1;
} else {
k1 = 2;
}
/* Compute residual of the computed solution. */
clacpy_("Full", &n, nrhs, &bsav[1], &lda, &
work[1], &lda);
cpbt02_(uplo, &n, &kd, nrhs, &asav[1], &ldab,
&x[1], &lda, &work[1], &lda, &rwork[(*
nrhs << 1) + 1], &result[1]);
/* Check solution from generated exact solution. */
if (nofact || prefac && lsame_(equed, "N")) {
cget04_(&n, nrhs, &x[1], &lda, &xact[1], &
lda, &rcondc, &result[2]);
} else {
cget04_(&n, nrhs, &x[1], &lda, &xact[1], &
lda, &roldc, &result[2]);
}
/* Check the error bounds from iterative */
/* refinement. */
cpbt05_(uplo, &n, &kd, nrhs, &asav[1], &ldab,
&b[1], &lda, &x[1], &lda, &xact[1], &
lda, &rwork[1], &rwork[*nrhs + 1], &
result[3]);
} else {
k1 = 6;
}
/* Compare RCOND from CPBSVX with the computed */
/* value in RCONDC. */
result[5] = sget06_(&rcond, &rcondc);
/* Print information about the tests that did not */
/* pass the threshold. */
for (k = k1; k <= 6; ++k) {
if (result[k - 1] >= *thresh) {
if (nfail == 0 && nerrs == 0) {
aladhd_(nout, path);
}
if (prefac) {
io___60.ciunit = *nout;
s_wsfe(&io___60);
do_fio(&c__1, "CPBSVX", (ftnlen)6);
do_fio(&c__1, fact, (ftnlen)1);
do_fio(&c__1, uplo, (ftnlen)1);
do_fio(&c__1, (char *)&n, (ftnlen)
sizeof(integer));
do_fio(&c__1, (char *)&kd, (ftnlen)
sizeof(integer));
do_fio(&c__1, equed, (ftnlen)1);
do_fio(&c__1, (char *)&imat, (ftnlen)
sizeof(integer));
do_fio(&c__1, (char *)&k, (ftnlen)
sizeof(integer));
do_fio(&c__1, (char *)&result[k - 1],
(ftnlen)sizeof(real));
e_wsfe();
} else {
io___61.ciunit = *nout;
s_wsfe(&io___61);
do_fio(&c__1, "CPBSVX", (ftnlen)6);
do_fio(&c__1, fact, (ftnlen)1);
do_fio(&c__1, uplo, (ftnlen)1);
do_fio(&c__1, (char *)&n, (ftnlen)
sizeof(integer));
do_fio(&c__1, (char *)&kd, (ftnlen)
sizeof(integer));
do_fio(&c__1, (char *)&imat, (ftnlen)
sizeof(integer));
do_fio(&c__1, (char *)&k, (ftnlen)
sizeof(integer));
do_fio(&c__1, (char *)&result[k - 1],
(ftnlen)sizeof(real));
e_wsfe();
}
++nfail;
}
/* L50: */
}
nrun = nrun + 7 - k1;
L60:
;
}
/* L70: */
}
L80:
;
}
/* L90: */
}
/* L100: */
}
/* L110: */
}
/* Print a summary of the results. */
alasvm_(path, nout, &nfail, &nrun, &nerrs);
return 0;
/* End of CDRVPB */
} /* cdrvpb_ */
| nagadomi/animeface-2009 | nvxs/CLAPACK/TESTING/LIN/cdrvpb.c | C | mit | 23,792 |
import {
checkThunderstorms,
checkRains,
checkDrizzles,
checkSnows,
checkAtmospheres,
checkHeavyClouds,
} from './checkWeatherDesc';
test('should return true if the word "lightning" is present in string', () => {
expect(checkThunderstorms('thunderstorm')).toBeTruthy();
expect(checkThunderstorms('thunderstorm with heavy drizzle')).toBeTruthy();
expect(checkThunderstorms('not included')).toBeFalsy();
});
test('should return true if the word "rain" is present in string', () => {
expect(checkRains('very heavy rain')).toBeTruthy();
expect(checkRains('heavy intensity rain')).toBeTruthy();
expect(checkRains('fake string')).toBeFalsy();
});
test('should return true if the word drizzle is present in a string', () => {
expect(checkDrizzles('drizzle')).toBeTruthy();
expect(checkDrizzles('shower drizzle')).toBeTruthy();
expect(checkDrizzles('no drizzle here')).toBeFalsy();
});
test('should return true if the word "snow" is present in a string', () => {
expect(checkSnows('heavy snow')).toBeTruthy();
expect(checkSnows('rain and snow')).toBeTruthy();
expect(checkSnows('no snow today')).toBeFalsy();
});
test('should return true if the word for atmosphere is included, e.g: "wind", "dust", "tornado" etc ', () => {
expect(checkAtmospheres('tornado')).toBeTruthy();
expect(checkAtmospheres('dust')).toBeTruthy();
expect(checkAtmospheres('strong winds')).toBeFalsy();
});
test('should return true if the word "cloud" is present in the string', () => {
expect(checkHeavyClouds('broken clouds')).toBeTruthy();
expect(checkHeavyClouds('scattered clouds')).toBeTruthy();
expect(checkHeavyClouds('no clouds')).toBeFalsy();
});
| kjwatke/weather_app_updated_July-2017 | src/index.spec.js | JavaScript | mit | 1,675 |
define([
'../upanddown',
'../dir/newPlayer',
'../svc/scoringSystemProvider',
'../svc/gameMgr'
],
function(module) {
module.controller('NewGameCtrl', [
'$scope',
'$timeout',
'ScoringSystemProvider',
'GameManager',
function($scope, $timeout, ScoringSystemProvider, GameManager) {
function reset() {
$scope.players = [];
$scope.blank = {};
$scope.scoringSystems = ScoringSystemProvider.available;
$scope.selectedScoringSystem = $scope.scoringSystems[0];
$scope.currentDealer = null;
}
function flashError(times, on) {
$scope.errorClass = on ? 'panel-danger' : '';
if(times > 0) {
times = on ? times - 1 : times;
$timeout(flashError.bind(null, times, !on), 300);
}
}
$scope.add = function(player) {
$scope.blank = {};
if(!$scope.currentDealer) {
player.dealer = true;
$scope.currentDealer = player;
}
$scope.players.push(player);
return true;
};
$scope.remove = function(player) {
$scope.players.splice($scope.players.indexOf(player), 1);
};
$scope.setDealer = function(player) {
$scope.currentDealer.dealer = false;
player.dealer = true;
$scope.currentDealer = player;
}
$scope.start = function() {
if($scope.players.length < 3) {
flashError(2, true);
return;
}
GameManager.startGame($scope.players, $scope.selectedScoringSystem);
reset();
};
reset();
}
]);
}); | tobio/up-and-down | public/js/ctrl/newGame.js | JavaScript | mit | 2,163 |
#include "commonFilesList.h"
#define USER_PROFILE_ENV_VAR L"%UserProfile%"
TCHAR* g_initFilesList[NUM_OF_FILES] = { L"%SystemDrive%\\temp_file_do_not_touch.docx",
L"%SystemDrive%\\Python27\\temp_file_do_not_touch.txt",
L"%UserProfile%\\temp_file_do_not_touch.docx",
L"%SystemDrive%\\Windows\\temp_file_do_not_touch.txt",
L"%SystemDrive%\\Windows\\system32\\temp_file_do_not_touch.txt",
L"%SystemDrive%\\$Recycle.Bin\\temp_file_do_not_touch.docx"};
TCHAR** g_filesList = NULL;
DWORD g_numOfFiles = 0;
TCHAR* g_procsToHideFrom[NUM_OF_HIDE_FROM_PROCS] = { L"explorer.exe",
L"cmd.exe" };
DWORD numOfFilesWithUserProfile() {
DWORD counter = 0;
for (int i = 0; i < NUM_OF_FILES; ++i) {
if (0 != wcsstr(g_initFilesList[i], USER_PROFILE_ENV_VAR)) {
++counter;
}
}
return counter;
}
DWORD getNumOfFiles() {
return g_numOfFiles;
}
BOOL addExpandedFile(const TCHAR* filename, int curIndex) {
TCHAR expandedFname[MAX_PATH] = { 0 };
if (0 == ExpandEnvironmentStrings(filename, expandedFname, MAX_PATH)) {
debugOutputNum(L"Error in addExpandedFile. ExpandEnvironmentStrings failed (%d)", GetLastError());
return FALSE;
}
size_t expandedFnameSize = wcslen(expandedFname);
size_t curIndexFileSize = sizeof(TCHAR) * (expandedFnameSize + 1);
g_filesList[curIndex] = (TCHAR*)malloc(curIndexFileSize);
if (NULL == g_filesList[curIndex]) {
debugOutputNum(L"Error in addExpandedFile. Memory allocation for g_filesList[curIndex] failed (%d)", GetLastError());
return FALSE;
}
debugOutputStr(L"Adding the file: %s\n", expandedFname);
return NULL != memcpy(g_filesList[curIndex], expandedFname, curIndexFileSize);
}
static TCHAR* g_usersPath = NULL;
BOOL initUsersPath() {
if (NULL != g_usersPath) {
return TRUE;
}
DWORD userPathSize = -1;
if (!GetProfilesDirectory(NULL, &userPathSize) || (-1 == userPathSize)) {
DWORD lastError = GetLastError();
if (ERROR_INSUFFICIENT_BUFFER != lastError) {
debugOutputNum(L"Error in getUsersPath. GetProfilesDirectory failed on first run (%d)", GetLastError());
return FALSE;
}
}
g_usersPath = (TCHAR*)malloc(sizeof(TCHAR) * (userPathSize + 1));
if (NULL == g_usersPath) {
debugOutputNum(L"Error in getUsersPath. Memory allocation failed (%d)", GetLastError());
return FALSE;
}
if (!GetProfilesDirectory(g_usersPath, &userPathSize)) {
debugOutputNum(L"Error in getUsersPath. GetProfilesDirectory failed on second run (%d)", GetLastError());
return FALSE;
}
g_usersPath[userPathSize - 1] = '\\';
g_usersPath[userPathSize] = '\0';
return TRUE;
}
BOOL expandSingleUserProfile(const TCHAR* username, const TCHAR* filename, int* curIndex) {
BOOL retVal = TRUE;
const TCHAR* fnameWithNoUserPath = strReplace(filename, USER_PROFILE_ENV_VAR, L"");
size_t usernameSize = wcslen(username);
size_t fnameWithNoUserPathSize = wcslen(fnameWithNoUserPath);
size_t usersPathSize = wcslen(g_usersPath);
size_t outPathElems = fnameWithNoUserPathSize + usernameSize + usersPathSize + 1;
size_t outPathSize = sizeof(TCHAR) * outPathElems;
TCHAR* outPath = (TCHAR*)malloc(outPathSize);
memset(outPath, 0, outPathSize);
wcscpy_s(outPath, outPathElems, g_usersPath);
wcscat_s(outPath, outPathElems, username);
if (retVal = PathFileExists(outPath)) {
wcscat_s(outPath, outPathElems, fnameWithNoUserPath);
retVal = addExpandedFile(outPath, *curIndex);
}
if (fnameWithNoUserPath) {
free((TCHAR*)fnameWithNoUserPath);
fnameWithNoUserPath = NULL;
}
if (outPath) {
free(outPath);
outPath = NULL;
}
return retVal;
}
BOOL expandUsersProfile(const TCHAR usrsLst[][MAX_NUM_OF_USERS], const TCHAR* filename, DWORD numOfUsers, int* curIndex) {
if (!initUsersPath()) {
return FALSE; // Error message printed out in the getUsersPath function
}
for (unsigned int j = 0; j < numOfUsers; ++j) {
const TCHAR* username = usrsLst[j];
BOOL retVal = expandSingleUserProfile(username, filename, curIndex);
if (retVal) {
++(*curIndex);
} else {
--g_numOfFiles;
}
}
return TRUE;
}
static BOOL isFileListInitialized = FALSE;
BOOL initFilesList() {
if (isFileListInitialized) {
return TRUE;
}
TCHAR usrsLst[MAX_PATH][MAX_NUM_OF_USERS] = { 0 };
DWORD numOfUsers = getAllUsers(&usrsLst);
DWORD fileWithUserProfile = numOfFilesWithUserProfile();
g_numOfFiles = NUM_OF_FILES - fileWithUserProfile + (fileWithUserProfile * numOfUsers );
g_filesList = malloc(sizeof(TCHAR*) * g_numOfFiles);
if (NULL == g_filesList) {
debugOutputNum(L"Error in initFilesList. Memory allocation for g_filesList failed (%d)", GetLastError());
return FALSE;
}
DWORD counter = 0;
for (int i = 0; i < NUM_OF_FILES; ++i) {
const TCHAR* filename = g_initFilesList[i];
if (0 != wcsstr(filename, USER_PROFILE_ENV_VAR)) {
if (!expandUsersProfile(usrsLst, filename, numOfUsers, &counter)) {
debugOutputNum(L"Error in initFilesList. expandUserProfile failed (%d)", GetLastError());
return FALSE;
}
} else {
if (!addExpandedFile(filename, counter)) {
debugOutputNum(L"Error in initFilesList. expandUserProfile failed (%d)", GetLastError());
return FALSE;
}
++counter;
}
}
isFileListInitialized = TRUE;
return TRUE;
}
const TCHAR ** getFilesList(){
return g_filesList;
}
const TCHAR** getProcsToHideFrom() {
return g_procsToHideFrom;
} | benny-z/RansomHoney | RansomHoney/commonFilesList.c | C | mit | 5,496 |
import UIKit
import XCTest
import OnePromise
private var testQueueTag = 0xbeaf
private let kOnePromiseTestsQueue: dispatch_queue_t = {
let q = dispatch_queue_create("jp.ko9.OnePromiseTest", DISPATCH_QUEUE_CONCURRENT)
dispatch_queue_set_specific(q, &testQueueTag, &testQueueTag, nil)
return q
}()
enum ErrorWithValue: ErrorType {
case IntError(Int)
case StrError(String)
}
class OnePromiseTests: XCTestCase {
func testCreateWithBlock() {
let expectation = self.expectationWithDescription("done")
let promise: Promise<Int> = Promise { (fulfill, _) in
dispatch_async(dispatch_get_main_queue()) {
fulfill(1)
}
}
promise.then({
XCTAssertEqual($0, 1)
expectation.fulfill()
})
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
func testPromiseCallbackReturnsSameTypeAsValueType() {
let expectation = self.expectationWithDescription("done")
let deferred = Promise<Int>.deferred()
deferred.promise
.then({
return $0 * 2
})
.then({
XCTAssertEqual($0, 2000)
expectation.fulfill()
})
deferred.fulfill(1000)
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
func testCreateWithBlockThrows() {
let expectation = self.expectationWithDescription("done")
let promise = Promise<Void>({ (_, _) throws in
throw ErrorWithValue.IntError(1000)
})
promise.caught({
XCTAssert($0.domain.hasSuffix(".ErrorWithValue"))
expectation.fulfill()
})
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
}
// MARK: Swift type inference
extension OnePromiseTests {
func testTypeInference1() {
let expectation = self.expectationWithDescription("done")
let deferred1 = Promise<Int>.deferred()
let deferred2 = Promise<Int>.deferred()
let promise1 = deferred1.promise
let promise2 = deferred2.promise
var i = 0
promise1.then({ (_) in XCTAssertEqual(i++, 0) })
promise2.then({ (_) in XCTAssertEqual(i++, 1) })
// Because `then A` returns the Promise, the handler in `then B` must be
// invoked after `then A` promise fulfilled.
let _: Promise<Void> = promise1
// then A
.then({
(_) in // should be: (_) -> Promise<Int> in
return promise2
})
// then B
.then({ (_) -> Void in
XCTAssertEqual(i++, 2)
expectation.fulfill()
})
deferred1.fulfill(1)
dispatch_async(dispatch_get_main_queue()) { () -> Void in
deferred2.fulfill(2)
}
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
}
// MARK: Deferred
extension OnePromiseTests {
func testDeferredFulfill() {
let expectation = self.expectationWithDescription("done")
let deferred = Promise<Int>.deferred()
deferred.promise
.then({
XCTAssertEqual($0, 199)
expectation.fulfill()
})
dispatch_async(dispatch_get_main_queue()) {
deferred.fulfill(199)
}
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
func testDeferredReject() {
let expectation = self.expectationWithDescription("done")
let (promise, _, reject) = Promise<Int>.deferred()
promise
.caught({ (_) in
expectation.fulfill()
})
dispatch_async(dispatch_get_main_queue()) {
reject(self.generateRandomError())
}
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
}
// MARK: Dispatch Queue
extension OnePromiseTests {
func testDispatchQueue() {
let expectation = self.expectationWithDescription("done")
let deferred = Promise<Int>.deferred()
deferred.promise
.then({ (i) -> Int in
XCTAssertFalse(self.isInTestDispatchQueue())
return i * 2
})
.then(kOnePromiseTestsQueue, { (i) -> Promise<String> in
XCTAssertTrue(self.isInTestDispatchQueue())
XCTAssertEqual(i, 2000)
return Promise<String> { (fulfill, _) in
fulfill("\(i)")
}
})
.then(kOnePromiseTestsQueue, { (s) in
XCTAssertTrue(self.isInTestDispatchQueue())
XCTAssertEqual(s, "2000")
expectation.fulfill()
})
deferred.fulfill(1000)
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
}
// MARK: child promise
extension OnePromiseTests {
func testChildPromiseOfPendingPromise() {
let expectation = self.expectationWithDescription("done")
let deferred = Promise<Int>.deferred()
deferred.promise
.then({ (i) in
Promise<Double> { (fulfill, _) in
dispatch_async(dispatch_get_main_queue()) {
fulfill(Double(i))
}
}
})
.then({ (d) -> Void in
XCTAssertEqualWithAccuracy(d, 2.0, accuracy: 0.01)
expectation.fulfill()
})
dispatch_async(dispatch_get_main_queue()) {
deferred.fulfill(2)
}
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
func testChildPromiseOfPendingPromiseToBeRejected() {
let expectation = self.expectationWithDescription("done")
let deferred = Promise<Int>.deferred()
deferred.promise
.then({ (i) in
Promise<Double> { (fulfill, _) in
dispatch_async(dispatch_get_main_queue()) {
fulfill(Double(i))
}
}
})
.then({ (d) -> Void in
XCTFail()
}, { (e: NSError) in
expectation.fulfill()
})
dispatch_async(dispatch_get_main_queue()) {
deferred.reject(self.generateRandomError())
}
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
func testChildPromiseOfFulfilledPromise() {
let expectation = self.expectationWithDescription("done")
let deferred = Promise<Int>.deferred()
deferred.fulfill(2)
deferred.promise
.then({ (i) in
Promise<Double> { (fulfill, _) in
fulfill(Double(i))
}
})
.then({ (d) -> Void in
XCTAssertEqualWithAccuracy(d, 2.0, accuracy: 0.01)
expectation.fulfill()
})
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
}
// MARK: onFulfilled
extension OnePromiseTests {
func testOnFulfilledSequence() {
// Executation queue: we need serial queue for thread sefety
let serialQueue = dispatch_get_main_queue()
// Expectations: verify callbacks order
var i = 0
var expectations = [XCTestExpectation]()
expectations.append(self.expectationWithDescription("1"))
expectations.append(self.expectationWithDescription("2"))
expectations.append(self.expectationWithDescription("3"))
expectations.append(self.expectationWithDescription("4"))
// Promise and callback registration
let deferred = Promise<Int>.deferred()
let promise = deferred.promise
promise
.then(serialQueue, { (value) -> Void in
XCTAssertEqual(i, 0)
expectations[i++].fulfill()
})
.then(serialQueue, { (value) -> Void in
XCTAssertEqual(i, 3)
expectations[i++].fulfill()
})
promise.then(serialQueue, { (value) -> Void in
XCTAssertEqual(i, 1)
expectations[i++].fulfill()
})
deferred.fulfill(1000)
promise.then(serialQueue, { (value) -> Void in
XCTAssertEqual(i, 2)
expectations[i++].fulfill()
})
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
func testOnFulfilledNeverCalledIfAlreadyRejected() {
let expectation = self.expectationWithDescription("wait")
let deferred = Promise<Int>.deferred()
let promise = deferred.promise
deferred.reject(self.generateRandomError())
promise
.then({ (value) -> Promise<Int> in
XCTFail()
return Promise<Int>() { (_, _) in }
})
.then({ (value) in
XCTFail()
})
dispatch_async(dispatch_get_main_queue()) {
expectation.fulfill()
}
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
func testPropagateFulfillToChildPromises() {
let expectation = self.expectationWithDescription("wait")
let deferred = Promise<Int>.deferred()
deferred.promise
.caught({ (e: NSError) in
XCTFail()
})
.then({ (value) in
XCTAssertEqual(value, 123)
expectation.fulfill()
})
deferred.fulfill(123)
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
}
// MARK: onRejected
extension OnePromiseTests {
func testOnRejectedSequence() {
// Executation queue: we need serial queue for thread sefety
let serialQueue = dispatch_get_main_queue()
// Expectations: verify callbacks order
var i = 0
var expectations = [XCTestExpectation]()
expectations.append(self.expectationWithDescription("1"))
expectations.append(self.expectationWithDescription("2"))
expectations.append(self.expectationWithDescription("3"))
expectations.append(self.expectationWithDescription("4"))
// Promise and callback registration
let error = self.generateRandomError()
let deferred = Promise<Int>.deferred()
let promise = deferred.promise
promise
.caught(serialQueue, { (e: NSError) -> Void in
XCTAssertEqual(i, 0)
expectations[i++].fulfill()
})
.caught(serialQueue, { (e: NSError) -> Void in
XCTAssertEqual(i, 3)
expectations[i++].fulfill()
})
promise.caught(serialQueue, { (e: NSError) -> Void in
XCTAssertEqual(i, 1)
expectations[i++].fulfill()
})
deferred.reject(error)
promise.caught(serialQueue, { (e: NSError) -> Void in
XCTAssertEqual(i, 2)
expectations[i++].fulfill()
})
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
func testOnRejectedNeverCalledIfAlreadyFulfilled() {
let expectation = self.expectationWithDescription("wait")
let deferred = Promise<Int>.deferred()
deferred.fulfill(1)
deferred.promise
.caught({ (e: NSError) -> Void in
XCTFail()
})
dispatch_async(dispatch_get_main_queue()) {
expectation.fulfill()
}
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
func testPropagateRejectionToChildPromises() {
let expectation = self.expectationWithDescription("wait")
let deferred = Promise<Int>.deferred()
let error = self.generateRandomError()
deferred.promise
.then({ (value) in
})
.caught({ (e: NSError) in
XCTAssertEqual(e, error)
expectation.fulfill()
})
deferred.reject(error)
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
func testOnRejectWithCustomErrorType() {
let expectation = self.expectationWithDescription("done")
let deferred = Promise<Int>.deferred()
deferred.promise
.caught({ (e: ErrorWithValue) in
if case .IntError(let value) = e {
XCTAssertEqual(value, 2000)
}
expectation.fulfill()
})
deferred.reject(ErrorWithValue.IntError(2000) as NSError)
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
func testOnRejectWithCustomErrorTypeThenFulfill() {
let expectation = self.expectationWithDescription("done")
let deferred = Promise<Int>.deferred()
deferred.promise
.caught({ (e: ErrorWithValue) in
XCTFail()
})
.then({ (value) -> Void in
XCTAssertEqual(value, 2000)
expectation.fulfill()
})
deferred.fulfill(2000)
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
}
// MARK: onRejected: Error propagation
extension OnePromiseTests {
enum SomeError: ErrorType {
case IntError(Int)
}
func testPropagateSwiftErrorType() {
let expectation = self.expectationWithDescription("wait")
let deferred = Promise<Int>.deferred()
deferred.promise
.then({ (i) throws -> Void in
throw SomeError.IntError(i)
})
.caught({ (e: NSError) in
XCTAssertTrue(e.domain.hasSuffix(".OnePromiseTests.SomeError"))
expectation.fulfill()
})
deferred.fulfill(1)
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
func testPropagateNSError() {
let expectation = self.expectationWithDescription("wait")
let error = self.generateRandomError()
let deferred = Promise<Int>.deferred()
deferred.promise
.then({ (i) throws -> Void in
throw error
})
.caught({ (e: NSError) in
XCTAssertEqual(e, error)
expectation.fulfill()
})
deferred.fulfill(1)
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
func testPropagateNSErrorInCallbackReturnsPromise() {
let expectation = self.expectationWithDescription("wait")
let error = self.generateRandomError()
let deferred = Promise<Int>.deferred()
deferred.promise
.then({ (i) throws -> Promise<Int> in
throw error
})
.caught({ (e: NSError) in
XCTAssertEqual(e, error)
expectation.fulfill()
})
deferred.fulfill(1)
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
/// An error occurred in a child promise should be propagated to
/// following promises.
func testErrorPropagationFromChildPromise() {
let expectation = self.expectationWithDescription("wait")
let error = self.generateRandomError()
let deferred = Promise<Int>.deferred()
deferred.promise
.then({ (i) throws -> Promise<Int> in
return Promise<Int> { (_, reject) in
reject(error)
}
})
.caught({ (e: NSError) in
XCTAssertEqual(e, error)
expectation.fulfill()
})
deferred.fulfill(1)
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
}
// MARK: State
extension OnePromiseTests {
func testFulfilledStateMustNotTransitionToAnyOtherState() {
let expectation = self.expectationWithDescription("wait")
let deferred = Promise<Int>.deferred()
deferred.fulfill(10)
deferred.fulfill(20)
deferred.promise.then({ (value) in
XCTAssertEqual(value, 10)
expectation.fulfill()
})
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
}
// MARK: CustomStringConvertible
extension OnePromiseTests {
func testDescription() {
let deferred = Promise<Int>.deferred()
XCTAssertEqual("\(deferred.promise)", "Promise (Pending)")
deferred.fulfill(10)
XCTAssertEqual("\(deferred.promise)", "Promise (Fulfilled)")
let deferred2 = Promise<Int>.deferred()
deferred2.reject(NSError(domain: "", code: -1, userInfo: nil))
XCTAssertEqual("\(deferred2.promise)", "Promise (Rejected)")
}
}
// MARK: resolve and reject
extension OnePromiseTests {
func testResolve() {
let expectation1 = self.expectationWithDescription("done")
let expectation2 = self.expectationWithDescription("done")
let promise1 = Promise<Int>.resolve(100)
let promise2 = Promise.resolve("string value")
promise1.then({
XCTAssertEqual($0, 100)
expectation1.fulfill()
})
promise2.then({
XCTAssertEqual($0, "string value")
expectation2.fulfill()
})
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
func testResolveWithPromise() {
let promise1 = Promise<Int>.resolve(100)
let promise2 = Promise<Int>.resolve(promise1)
XCTAssertTrue(promise1 === promise2)
}
func testRejectedPromise() {
let expectation = self.expectationWithDescription("done")
let error = self.generateRandomError()
let promise = Promise<Int>.reject(error)
promise.caught({
XCTAssertEqual($0, error)
expectation.fulfill()
})
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
func testRejectedWithErrorTypePromise() {
let expectation = self.expectationWithDescription("done")
let promise = Promise<Int>.reject(ErrorWithValue.StrError("panic!"))
promise.caught({ (err: ErrorWithValue) in
if case .StrError(let str) = err {
XCTAssertEqual(str, "panic!")
}
else {
XCTFail()
}
expectation.fulfill()
})
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
}
// MARK: caught
extension OnePromiseTests {
func testFail() {
let expectation = self.expectationWithDescription("done")
let error = self.generateRandomError()
let deferred = Promise<Int>.deferred()
deferred.promise.caught({
XCTAssertEqual($0, error)
expectation.fulfill()
})
deferred.reject(error)
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
func testFailWithDispatchQueue() {
let expectation = self.expectationWithDescription("done")
let error = self.generateRandomError()
let deferred = Promise<Int>.deferred()
deferred.promise
.caught(kOnePromiseTestsQueue, {
XCTAssertTrue(self.isInTestDispatchQueue())
XCTAssertEqual($0, error)
expectation.fulfill()
})
deferred.reject(error)
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
func testIgnoreErrorInCaughtHandler() {
let expectation1 = self.expectationWithDescription("done 1")
let expectation2 = self.expectationWithDescription("done 2")
let promise = Promise<Int> { (_, reject) in
reject(self.generateRandomError())
}
// The #1 arg in error handler can be omitted.
promise
.then({ (_) in }, { (_) in
expectation1.fulfill()
})
.caught({ (_) in
expectation2.fulfill()
})
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
}
// MARK: finally
extension OnePromiseTests {
func testFinally() {
let expectation1 = self.expectationWithDescription("done 1")
let expectation2 = self.expectationWithDescription("done 2")
let deferred = Promise<Int>.deferred()
deferred.promise
.finally({
expectation1.fulfill()
})
.then({ (n) in
expectation2.fulfill()
XCTAssertEqual(n, 555)
})
deferred.fulfill(555)
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
func testFinallyWithDispatchQueue() {
let expectation = self.expectationWithDescription("done")
let deferred = Promise<Int>.deferred()
deferred.promise.finally(kOnePromiseTestsQueue, {
XCTAssertTrue(self.isInTestDispatchQueue())
expectation.fulfill()
})
deferred.fulfill(1)
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
func testFinallyWithRejection() {
let expectation = self.expectationWithDescription("done")
let deferred = Promise<Int>.deferred()
deferred.promise.finally({
expectation.fulfill()
})
deferred.reject(self.generateRandomError())
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
func testThenFinally() {
let expectation = self.expectationWithDescription("done")
let deferred = Promise<Int>.deferred()
deferred.promise
.then({ (_) -> Void in
})
.finally({
expectation.fulfill()
})
deferred.reject(self.generateRandomError())
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
// The callback passed to .finally returns a promise which will be fulfilled.
func testFinallyCallbackReturnsPromiseBeFulfilled() {
let expectation1 = self.expectationWithDescription("done 1")
let expectation2 = self.expectationWithDescription("done 2")
let expectation3 = self.expectationWithDescription("done 3")
let mainDeferred = Promise<Int>.deferred()
let finallyDeferred = Promise<Void>.deferred()
var step = 1
mainDeferred.promise
.finally({ (_) -> Promise<Void> in
// (1) .finally returns promise
XCTAssertEqual(step++, 1)
expectation1.fulfill()
return finallyDeferred.promise
})
.then({ (n) in
// (3) This resolution should be delayed until
// the promise returned from callback is finished.
XCTAssertEqual(step++, 3)
expectation3.fulfill()
XCTAssertEqual(n, 777)
})
finallyDeferred.promise
.then({
// (2) The promise which returned from callback
XCTAssertEqual(step++, 2)
expectation2.fulfill()
})
mainDeferred.fulfill(777)
dispatch_async(dispatch_get_main_queue(), {
finallyDeferred.fulfill()
})
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
// The callback passed to .finally returns a promise which will be rejected.
func testFinallyCallbackReturnsPromiseBeRejected() {
let expectation1 = self.expectationWithDescription("done 1")
let expectation2 = self.expectationWithDescription("done 2")
let expectation3 = self.expectationWithDescription("done 3")
let mainDeferred = Promise<Int>.deferred()
let finallyDeferred = Promise<Void>.deferred()
var step = 1
mainDeferred.promise
.finally({ (_) -> Promise<Void> in
// (1) .finally returns promise
XCTAssertEqual(step++, 1)
expectation1.fulfill()
return finallyDeferred.promise
})
.then({ (n) in
// (3) This resolution should be delayed until
// the promise returned from callback is finished.
XCTAssertEqual(step++, 3)
expectation3.fulfill()
XCTAssertEqual(n, 2015)
})
finallyDeferred.promise
.caught({ (_) in
// (2) The promise which returned from callback
XCTAssertEqual(step++, 2)
expectation2.fulfill()
})
mainDeferred.fulfill(2015)
dispatch_async(dispatch_get_main_queue(), {
finallyDeferred.reject(self.generateRandomError())
})
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
// The root promise will be rejected.
// The callback passed to .finally returns a promise which will be fulfilled.
func testRejectPromiseFinallyCallbackReturnsPromiseBeFulfilled() {
let expectation1 = self.expectationWithDescription("done 1")
let expectation2 = self.expectationWithDescription("done 2")
let expectation3 = self.expectationWithDescription("done 3")
let mainDeferred = Promise<Int>.deferred()
let finallyDeferred = Promise<Void>.deferred()
var step = 1
mainDeferred.promise
.finally({ (_) -> Promise<Void> in
// (1) .finally returns promise
XCTAssertEqual(step++, 1)
expectation1.fulfill()
return finallyDeferred.promise
})
.caught({ (n) in
// (3) This resolution should be delayed until
// the promise returned from callback is finished.
XCTAssertEqual(step++, 3)
expectation3.fulfill()
})
finallyDeferred.promise
.then({
// (2) The promise which returned from callback
XCTAssertEqual(step++, 2)
expectation2.fulfill()
})
mainDeferred.reject(self.generateRandomError())
dispatch_async(dispatch_get_main_queue(), {
finallyDeferred.fulfill()
})
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
// The root promise will be rejected.
// The callback passed to .finally returns a promise which will be rejected.
func testRejectFinallyCallbackReturnsPromiseBeRejected() {
let expectation1 = self.expectationWithDescription("done 1")
let expectation2 = self.expectationWithDescription("done 2")
let expectation3 = self.expectationWithDescription("done 3")
let mainDeferred = Promise<Int>.deferred()
let finallyDeferred = Promise<Void>.deferred()
var step = 1
mainDeferred.promise
.finally({ (_) -> Promise<Void> in
// (1) .finally returns promise
XCTAssertEqual(step++, 1)
expectation1.fulfill()
return finallyDeferred.promise
})
.caught({ (n) in
// (3) This resolution should be delayed until
// the promise returned from callback is finished.
XCTAssertEqual(step++, 3)
expectation3.fulfill()
})
finallyDeferred.promise
.caught({ (_) in
// (2) The promise which returned from callback
XCTAssertEqual(step++, 2)
expectation2.fulfill()
})
mainDeferred.reject(self.generateRandomError())
dispatch_async(dispatch_get_main_queue(), {
finallyDeferred.reject(self.generateRandomError())
})
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
}
// MARK: tap
extension OnePromiseTests {
func testTap() {
let expectation = self.expectationWithDescription("done")
let deferred = Promise<Int>.deferred()
deferred.promise
.tap({
XCTAssertEqual($0, 10000)
expectation.fulfill()
})
deferred.fulfill(10000)
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
func testTapRejected() {
let expectation = self.expectationWithDescription("done")
let deferred = Promise<Int>.deferred()
deferred.promise
.tap({ (_) in
XCTFail()
})
.caught({ (_) in
expectation.fulfill()
})
deferred.reject(self.generateRandomError())
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
func testTapWithCallbackReturnsPromise() {
let expectation1 = self.expectationWithDescription("done 1")
let expectation2 = self.expectationWithDescription("done 2")
let mainDeferred = Promise<Int>.deferred()
let callbackDeferred = Promise<Void>.deferred()
var step = 1
mainDeferred.promise
.tap({ (n) -> Promise<Void> in
XCTAssertEqual(step++, 1)
XCTAssertEqual(n, 20000)
expectation1.fulfill()
return callbackDeferred.promise
})
.then({ (n) in
XCTAssertEqual(step++, 2)
XCTAssertEqual(n, 20000)
expectation2.fulfill()
})
mainDeferred.fulfill(20000)
dispatch_async(dispatch_get_main_queue(), {
callbackDeferred.fulfill()
})
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
func testTapWithCallbackReturnsPromiseWillBeRejected() {
let expectation1 = self.expectationWithDescription("done 1")
let expectation2 = self.expectationWithDescription("done 2")
let mainDeferred = Promise<Int>.deferred()
let callbackDeferred = Promise<Void>.deferred()
var step = 1
mainDeferred.promise
.tap({ (n) -> Promise<Void> in
XCTAssertEqual(step++, 1)
XCTAssertEqual(n, 30000)
expectation1.fulfill()
return callbackDeferred.promise
})
.then({ (n) in
XCTAssertEqual(step++, 2)
XCTAssertEqual(n, 30000)
expectation2.fulfill()
})
mainDeferred.fulfill(30000)
dispatch_async(dispatch_get_main_queue(), {
callbackDeferred.reject(self.generateRandomError())
})
self.waitForExpectationsWithTimeout(1.0, handler: nil)
}
}
// MARK: Promise.all
extension OnePromiseTests {
private func createPromises() -> (promises: [Promise<Int>], fulfills: [Int -> Void]) {
var promises: [Promise<Int>] = []
var fulfills: [Int -> Void] = []
for i in 1...10 {
let subexpectation = self.expectationWithDescription("Promise \(i)")
let d = Promise<Int>.deferred()
d.promise
.then({ (_) -> Void in
subexpectation.fulfill()
})
promises.append(d.promise)
fulfills.append(d.fulfill)
}
return (promises: promises, fulfills: fulfills)
}
func testAllPromisesFulfilledInDispatchQueue() {
let (promises, fulfills) = createPromises()
let expectation = self.expectationWithDescription("All done")
Promise.all(promises)
.then(kOnePromiseTestsQueue, { (_) -> Void in
XCTAssertTrue(self.isInTestDispatchQueue())
expectation.fulfill()
})
for f in fulfills {
f(1)
}
self.waitForExpectationsWithTimeout(3.0, handler: nil)
}
func testAllPromisesFulfilledInReverseOrder() {
let (promises, fulfills) = createPromises()
let expectation = self.expectationWithDescription("All done")
let fulfillments = (1...fulfills.count).map { $0 * 2 }
Promise.all(promises)
.then({ (values) -> Void in
XCTAssertEqual(values, fulfillments)
expectation.fulfill()
})
// Fulfill reverse order
for (fulfill, value) in zip(fulfills, fulfillments).reverse() {
fulfill(value)
}
self.waitForExpectationsWithTimeout(3.0, handler: nil)
}
func testAllPromisesFulfilledInRandomOrder() {
let (promises, fulfills) = createPromises()
let expectation = self.expectationWithDescription("All done")
let fulfillments = (1...fulfills.count).map { $0 * 2 }
Promise.all(promises)
.then({ (values) -> Void in
XCTAssertEqual(values, fulfillments)
expectation.fulfill()
})
// Shuffle
var shuffled = fulfills
for i in (0..<shuffled.count) {
let j = Int(arc4random_uniform(UInt32(shuffled.count)))
if i != j {
swap(&shuffled[i], &shuffled[j])
}
}
// Fulfill reverse order
for (fulfill, value) in zip(fulfills, fulfillments).reverse() {
fulfill(value)
}
self.waitForExpectationsWithTimeout(3.0, handler: nil)
}
func testAnyPromisesRejected() {
var promises: [Promise<Int>] = []
var fulfillers: [Int -> Void] = []
var rejecters: [NSError -> Void] = []
for _ in 1...10 {
let d = Promise<Int>.deferred()
promises.append(d.promise)
fulfillers.append(d.fulfill)
rejecters.append(d.reject)
}
let expectation = self.expectationWithDescription("All done")
Promise.all(promises)
.then({ (_) -> Void in
XCTFail()
})
.caught(kOnePromiseTestsQueue, { (_) -> Void in
XCTAssertTrue(self.isInTestDispatchQueue())
expectation.fulfill()
})
let error = self.generateRandomError()
fulfillers.popLast()
for f in fulfillers {
f(2)
}
rejecters.last!(error)
self.waitForExpectationsWithTimeout(3.0, handler: nil)
}
}
// MARK: Promise.join
extension OnePromiseTests {
// Promise.join/2
func testJoinedTwoPromisesFulfilled() {
let intDeferred = Promise<Int>.deferred()
let strDeferred = Promise<String>.deferred()
let intPromise = intDeferred.promise
let strPromise = strDeferred.promise
let expectation1 = self.expectationWithDescription("Int Promise")
let expectation2 = self.expectationWithDescription("String Promise")
intPromise
.then({ (_) -> Void in
expectation1.fulfill()
})
strPromise
.then({ (_) -> Void in
expectation2.fulfill()
})
let expectation = self.expectationWithDescription("All done")
Promise.join(intPromise, strPromise)
.then(kOnePromiseTestsQueue, { (value1, value2) -> Void in
XCTAssertTrue(self.isInTestDispatchQueue())
XCTAssertEqual(value1, 1000)
XCTAssertEqual(value2, "string value")
expectation.fulfill()
})
.caught({ (error: NSError) -> Void in
XCTFail()
})
intDeferred.fulfill(1000)
strDeferred.fulfill("string value")
self.waitForExpectationsWithTimeout(3.0, handler: nil)
}
func testJoinedTwoPromisesRejected() {
let intDeferred = Promise<Int>.deferred()
let strDeferred = Promise<String>.deferred()
let intPromise = intDeferred.promise
let strPromise = strDeferred.promise
let expectation1 = self.expectationWithDescription("Int Promise")
let expectation2 = self.expectationWithDescription("String Promise")
intPromise
.then({ (_) -> Void in
expectation1.fulfill()
})
strPromise
.caught({ (e: NSError) -> Void in
expectation2.fulfill()
})
let error = self.generateRandomError()
let expectation = self.expectationWithDescription("All done")
Promise.join(intPromise, strPromise)
.then(kOnePromiseTestsQueue, { (value1, value2) -> Void in
XCTFail()
})
.caught(kOnePromiseTestsQueue, { (e: NSError) -> Void in
XCTAssertTrue(self.isInTestDispatchQueue())
XCTAssertEqual(e, error)
expectation.fulfill()
})
intDeferred.fulfill(1000)
strDeferred.reject(error)
self.waitForExpectationsWithTimeout(3.0, handler: nil)
}
// Promise.join/3
func testJoinedThreePromisesFulfilled() {
let intDeferred = Promise<Int>.deferred()
let strDeferred = Promise<String>.deferred()
let doubleDeferred = Promise<Double>.deferred()
let intPromise = intDeferred.promise
let strPromise = strDeferred.promise
let doublePromise = doubleDeferred.promise
let expectation1 = self.expectationWithDescription("Int Promise")
let expectation2 = self.expectationWithDescription("String Promise")
let expectation3 = self.expectationWithDescription("String Promise")
intPromise
.then({ (_) -> Void in
expectation1.fulfill()
})
strPromise
.then({ (_) -> Void in
expectation2.fulfill()
})
doublePromise
.then({ (_) -> Void in
expectation3.fulfill()
})
let expectation = self.expectationWithDescription("All done")
Promise.join(intPromise, strPromise, doublePromise)
.then(kOnePromiseTestsQueue, { (value1, value2, value3) -> Void in
XCTAssertTrue(self.isInTestDispatchQueue())
XCTAssertEqual(value1, 1000)
XCTAssertEqual(value2, "string value")
XCTAssertEqualWithAccuracy(value3, 2000.0, accuracy: 0.01)
expectation.fulfill()
})
.caught({ (error: NSError) -> Void in
XCTFail()
})
intDeferred.fulfill(1000)
strDeferred.fulfill("string value")
doubleDeferred.fulfill(2000.0)
self.waitForExpectationsWithTimeout(3.0, handler: nil)
}
func testJoinedThreePromisesRejected() {
let error = self.generateRandomError()
let intDeferred = Promise<Int>.deferred()
let strDeferred = Promise<String>.deferred()
let doubleDeferred = Promise<Double>.deferred()
let intPromise = intDeferred.promise
let strPromise = strDeferred.promise
let doublePromise = doubleDeferred.promise
let expectation1 = self.expectationWithDescription("Int Promise")
let expectation2 = self.expectationWithDescription("String Promise")
let expectation3 = self.expectationWithDescription("String Promise")
intPromise
.then({ (_) -> Void in
expectation1.fulfill()
})
strPromise
.caught({ (e) -> Void in
XCTAssertEqual(e, error)
expectation2.fulfill()
})
doublePromise
.then({ (_) -> Void in
expectation3.fulfill()
})
let expectation = self.expectationWithDescription("All done")
Promise.join(intPromise, strPromise, doublePromise)
.then(kOnePromiseTestsQueue, { (_, _, _) -> Void in
XCTFail()
})
.caught(kOnePromiseTestsQueue, { (e: NSError) -> Void in
XCTAssertTrue(self.isInTestDispatchQueue())
XCTAssertEqual(e, error)
expectation.fulfill()
})
intDeferred.fulfill(1000)
doubleDeferred.fulfill(2000.0)
strDeferred.reject(error)
self.waitForExpectationsWithTimeout(3.0, handler: nil)
}
}
// MARK: Timer
extension OnePromiseTests {
func testDelay() {
self.delayTest {
Promise
.resolve(1000)
.delay($0)
.then({ (value) in
XCTAssertEqual(value, 1000)
})
}
}
func testDelayValue() {
self.delayTest {
Promise
.delay(2000, $0)
.then({ (value) in
XCTAssertEqual(value, 2000)
})
}
}
func testDelayPromise() {
self.delayTest {
Promise
.delay(Promise.resolve(3000), $0)
.then({ (value) in
XCTAssertEqual(value, 3000)
})
}
}
private func delayTest<T>(timeToPromisifier: (NSTimeInterval) -> Promise<T>) {
let expectation = self.expectationWithDescription("done")
var resolved = false
// (1) pre condition
do {
let time = dispatch_time(DISPATCH_TIME_NOW, Int64(0.1 * Double(NSEC_PER_SEC)))
dispatch_after(time, kOnePromiseTestsQueue, {
XCTAssertFalse(resolved)
XCTAssertTrue(self.isInTestDispatchQueue())
})
}
// (2) resolution later
timeToPromisifier(0.3).then({ (_) in
resolved = true
})
// (3) post condition
do {
let time = dispatch_time(DISPATCH_TIME_NOW, Int64(0.5 * Double(NSEC_PER_SEC)))
dispatch_after(time, kOnePromiseTestsQueue, {
XCTAssertTrue(resolved)
expectation.fulfill()
})
}
self.waitForExpectationsWithTimeout(3.0, handler: nil)
}
}
// MARK: Deprecated APIs
extension OnePromiseTests {
func testDeperecatedAPIs() {
let expectation1 = self.expectationWithDescription("done 1")
let expectation2 = self.expectationWithDescription("done 2")
let promise1 = Promise<Int> { (promise) -> Void in
dispatch_async(kOnePromiseTestsQueue, {
promise.fulfill(100)
})
}
let promise2 = Promise<Int> { (promise) -> Void in
dispatch_async(kOnePromiseTestsQueue, {
promise.reject(self.generateRandomError())
})
}
promise1.then({ (value) in
expectation1.fulfill()
XCTAssertEqual(value, 100)
})
promise2.caught({ (_) in
expectation2.fulfill()
})
self.waitForExpectationsWithTimeout(3.0, handler: nil)
}
}
// MARK: Helpers
extension OnePromiseTests {
private func generateRandomError() -> NSError {
let code = Int(arc4random_uniform(10001))
return NSError(domain: "test.SomeError", code: code, userInfo: nil)
}
private func isInTestDispatchQueue() -> Bool {
return dispatch_get_specific(&testQueueTag) != nil
}
}
| ishikawa/OnePromise | OnePromiseTests.swift | Swift | mit | 43,058 |
/*
* $Id: Yytoken.java,v 1.1 2006/04/15 14:10:48 platform Exp $
* Created on 2006-4-15
*/
package net.minepass.api.gameserver.embed.solidtx.embed.json.parser;
/**
* @author FangYidong<fangyidong@yahoo.com.cn>
*/
public class Yytoken {
public static final int TYPE_VALUE=0;//JSON primitive value: string,number,boolean,null
public static final int TYPE_LEFT_BRACE=1;
public static final int TYPE_RIGHT_BRACE=2;
public static final int TYPE_LEFT_SQUARE=3;
public static final int TYPE_RIGHT_SQUARE=4;
public static final int TYPE_COMMA=5;
public static final int TYPE_COLON=6;
public static final int TYPE_EOF=-1;//end of file
public int type=0;
public Object value=null;
public Yytoken(int type,Object value){
this.type=type;
this.value=value;
}
public String toString(){
StringBuffer sb = new StringBuffer();
switch(type){
case TYPE_VALUE:
sb.append("VALUE(").append(value).append(")");
break;
case TYPE_LEFT_BRACE:
sb.append("LEFT BRACE({)");
break;
case TYPE_RIGHT_BRACE:
sb.append("RIGHT BRACE(})");
break;
case TYPE_LEFT_SQUARE:
sb.append("LEFT SQUARE([)");
break;
case TYPE_RIGHT_SQUARE:
sb.append("RIGHT SQUARE(])");
break;
case TYPE_COMMA:
sb.append("COMMA(,)");
break;
case TYPE_COLON:
sb.append("COLON(:)");
break;
case TYPE_EOF:
sb.append("END OF FILE");
break;
}
return sb.toString();
}
}
| minepass/gameserver-core | src/embed/java/net/minepass/api/gameserver/embed/solidtx/embed/json/parser/Yytoken.java | Java | mit | 1,402 |
'''
This is a simple sphinx extension to provide nice output from "click"
decorated command-lines. Enables markup like this in the Sphinx rst
files::
.. cuv_command:: downloadbundle
Which will document the command "carml downloadbundle"
'''
from contextlib import contextmanager
import click
from docutils import nodes
from docutils.parsers.rst import Directive
class click_command(nodes.Element):
pass
class CarmlCommandDirective(Directive):
has_content = True
required_arguments = 1
optional_arguments = 1
def run(self):
env = self.state.document.settings.env
node = click_command()
node.line = self.lineno
node['command'] = self.arguments
return [node]
#targetid = "cb-cmd-%d" % env.new_serialno('cb-cmd')
#targetnode = nodes.target('', '', ids=[targetid])
#return [targetnode, node]
def find_command(cmd_name):
from cuv import cli
return getattr(cli, cmd_name, None)
class AutodocClickFormatter(object):#click.HelpFormatter):
def __init__(self, topname, cmd):
self._topname = topname
self._cmd = cmd
self._node = nodes.section()
def getvalue(self):
return ''
def get_node(self):
return self._node
@contextmanager
def section(self, name):
yield
@contextmanager
def indentation(self):
yield
def write_usage(self, prog, args='', prefix='Usage: '):
"""Writes a usage line into the buffer.
:param prog: the program name.
:param args: whitespace separated list of arguments.
:param prefix: the prefix for the first line.
"""
title = nodes.subtitle()
title.append(nodes.literal('', '{} {}'.format(self._topname, prog)))
usage = nodes.paragraph()
usage.append(nodes.Text(prefix))
usage.append(nodes.literal('', '{} {} {}'.format(self._topname, prog, args)))
self._node.append(title)
self._node.append(usage)
def write_paragraph(self):
self._last_paragraph = nodes.paragraph()
self._node.append(self._last_paragraph)
def write_text(self, text):
for line in text.split('\n'):
if not line.strip():
self.write_paragraph()
else:
if line.startswith(' '):
block = nodes.literal_block()
block.append(nodes.Text(line))
self._last_paragraph.append(block)
else:
self._last_paragraph.append(nodes.Text(line))
def write_dl(self, rows, col_max=30, col_spacing=2):
"""Writes a definition list into the buffer. This is how options
and commands are usually formatted.
:param rows: a list of two item tuples for the terms and values.
:param col_max: the maximum width of the first column.
:param col_spacing: the number of spaces between the first and
second column.
"""
rows = list(rows)
dl = nodes.bullet_list()
self._node.append(dl)
for (option, help_text) in rows:
item = nodes.list_item()
dl.append(item)
p = nodes.paragraph()
p.append(nodes.literal('', option))
p.append(nodes.Text(': '))
p.append(nodes.Text(help_text))
item.append(p)
def document_commands(app, doctree):
for node in doctree.traverse(click_command):
cmd = node.get('command', [])
top = cmd[0]
cmd_name = cmd[1]
cmd = find_command(cmd_name)
context = cmd.make_context(cmd_name, [])
formatter = AutodocClickFormatter(top, cmd)
context.make_formatter = lambda: formatter
cmd.get_help(context)
node.replace_self(formatter.get_node())
def setup(app):
app.add_directive('click_command', CarmlCommandDirective)
app.connect(str('doctree-read'), document_commands)
| meejah/cuvner | cuv/click_autodoc.py | Python | mit | 3,964 |
using FontBuddyLib;
using MenuBuddy;
using Microsoft.Xna.Framework;
using Microsoft.Xna.Framework.Graphics;
using ResolutionBuddy;
using System.Threading.Tasks;
namespace InsertCoinBuddyExample
{
/// <summary>
/// The background screen sits behind all the other menu screens.
/// It draws a background image that remains fixed in place regardless
/// of whatever transitions the screens on top of it may be doing.
/// </summary>
public class BackgroundScreen : Screen
{
#region Properties
private FontBuddy _dannobotText;
private RainbowTextBuddy _titleText;
#endregion //Properties
#region Methods
/// <summary>
/// Constructor.
/// </summary>
public BackgroundScreen()
{
Transition.OnTime = 0.5f;
Transition.OffTime = 0.5f;
}
/// <summary>
/// Loads graphics content for this screen. The background texture is quite
/// big, so we use our own local ContentManager to load it. This allows us
/// to unload before going from the menus into the game itself, wheras if we
/// used the shared ContentManager provided by the Game class, the content
/// would remain loaded forever.
/// </summary>
public override async Task LoadContent()
{
await base.LoadContent();
_titleText = new RainbowTextBuddy()
{
ShadowOffset = new Vector2(-5.0f, 3.0f),
ShadowSize = 1.025f,
RainbowSpeed = 4.0f,
};
_titleText.LoadContent(Content, @"Fonts\ArialBlack48");
_dannobotText = new FontBuddy();
_dannobotText.LoadContent(Content, @"Fonts\ArialBlack24");
}
/// <summary>
/// Draws the background screen.
/// </summary>
public override void Draw(GameTime gameTime)
{
SpriteBatch spriteBatch = ScreenManager.SpriteBatch;
ScreenManager.SpriteBatchBegin();
Rectangle screenFullRect = Resolution.ScreenArea;
//Draw the game title!
_titleText.ShadowColor = new Color(0.15f, 0.15f, 0.15f, Transition.Alpha);
_titleText.Write("InsertCoinBuddySample!!!",
new Vector2(Resolution.TitleSafeArea.Center.X, Resolution.TitleSafeArea.Center.Y * 0.05f),
Justify.Center,
1.5f,
new Color(0.85f, 0.85f, 0.85f, Transition.Alpha),
spriteBatch,
Time);
//draw "dannobot games"
_dannobotText.Write("@DannobotGames",
new Vector2((Resolution.TitleSafeArea.Right * 0.97f),
((Resolution.TitleSafeArea.Bottom) - (_dannobotText.MeasureString("@DannobotGames").Y * 0.65f))),
Justify.Right,
0.5f,
new Color(0.85f, 0.85f, 0.85f, Transition.Alpha),
spriteBatch,
Time);
ScreenManager.SpriteBatchEnd();
}
#endregion //Methods
}
} | dmanning23/InsertCoinBuddyExample | InsertCoinBuddyExample.SharedProject/BackgroundScreen.cs | C# | mit | 2,669 |
using System;
using Microsoft.VisualStudio.Shell;
using Microsoft.VisualStudio.Shell.Interop;
namespace Clide
{
/// <summary>
/// Base class for nodes that exist with a managed project.
/// </summary>
public abstract class ProjectItemNode : SolutionExplorerNode
{
ISolutionExplorerNodeFactory nodeFactory;
Lazy<IProjectNode> owningProject;
/// <summary>
/// Initializes a new instance of the <see cref="ProjectItemNode"/> class.
/// </summary>
/// <param name="kind">The kind of project node.</param>
/// <param name="hierarchyNode">The underlying hierarchy represented by this node.</param>
/// <param name="nodeFactory">The factory for child nodes.</param>
/// <param name="adapter">The adapter service that implements the smart cast <see cref="ISolutionExplorerNode.As{T}"/>.</param>
public ProjectItemNode(
SolutionNodeKind kind,
IVsHierarchyItem hierarchyNode,
ISolutionExplorerNodeFactory nodeFactory,
IAdapterService adapter,
JoinableLazy<IVsUIHierarchyWindow> solutionExplorer)
: base(kind, hierarchyNode, nodeFactory, adapter, solutionExplorer)
{
this.nodeFactory = nodeFactory;
owningProject = new Lazy<IProjectNode>(() =>
this.nodeFactory.CreateNode(hierarchyNode.GetRoot()) as IProjectNode);
}
/// <summary>
/// Gets the owning project.
/// </summary>
public virtual IProjectNode OwningProject => owningProject.Value;
Lazy<ISolutionExplorerNode> GetParent(IVsHierarchyItem hierarchy) => hierarchy.Parent == null ? null :
new Lazy<ISolutionExplorerNode>(() => nodeFactory.CreateNode(hierarchy.Parent));
#region Equality
/// <summary>
/// Gets whether the given nodes are equal.
/// </summary>
public static bool operator ==(ProjectItemNode obj1, ProjectItemNode obj2) => Equals(obj1, obj2);
/// <summary>
/// Gets whether the given nodes are not equal.
/// </summary>
public static bool operator !=(ProjectItemNode obj1, ProjectItemNode obj2) => !Equals(obj1, obj2);
/// <summary>
/// Gets whether the current node equals the given node.
/// </summary>
public bool Equals(ProjectItemNode other) => ProjectItemNode.Equals(this, other);
/// <summary>
/// Gets whether the current node equals the given node.
/// </summary>
public override bool Equals(object obj) => ProjectItemNode.Equals(this, obj as ProjectItemNode);
/// <summary>
/// Gets whether the given nodes are equal.
/// </summary>
public static bool Equals(ProjectItemNode obj1, ProjectItemNode obj2)
{
if (Object.Equals(null, obj1) ||
Object.Equals(null, obj2) ||
obj1.GetType() != obj2.GetType() ||
Object.Equals(null, obj1.OwningProject) ||
Object.Equals(null, obj2.OwningProject))
return false;
if (Object.ReferenceEquals(obj1, obj2)) return true;
return obj1.HierarchyNode.GetActualHierarchy() == obj2.HierarchyNode.GetActualHierarchy() &&
obj1.HierarchyNode.GetActualItemId() == obj2.HierarchyNode.GetActualItemId();
}
/// <summary>
/// Returns a hash code for this instance.
/// </summary>
/// <returns>
/// A hash code for this instance, suitable for use in hashing algorithms and data structures like a hash table.
/// </returns>
public override int GetHashCode() =>
HierarchyNode.GetActualHierarchy().GetHashCode() ^
HierarchyNode.GetActualItemId().GetHashCode();
#endregion
}
} | tondat/clide | src/Clide/Solution/ProjectItemNode.cs | C# | mit | 3,865 |
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<meta name="viewport" content="width=device-width, initial-scale=1">
<title>mathcomp-multinomials: Not compatible</title>
<link rel="shortcut icon" type="image/png" href="../../../../../favicon.png" />
<link href="../../../../../bootstrap.min.css" rel="stylesheet">
<link href="../../../../../bootstrap-custom.css" rel="stylesheet">
<link href="//maxcdn.bootstrapcdn.com/font-awesome/4.2.0/css/font-awesome.min.css" rel="stylesheet">
<script src="../../../../../moment.min.js"></script>
<!-- HTML5 Shim and Respond.js 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]-->
</head>
<body>
<div class="container">
<div class="navbar navbar-default" role="navigation">
<div class="container-fluid">
<div class="navbar-header">
<a class="navbar-brand" href="../../../../.."><i class="fa fa-lg fa-flag-checkered"></i> Coq bench</a>
</div>
<div id="navbar" class="collapse navbar-collapse">
<ul class="nav navbar-nav">
<li><a href="../..">clean / extra-dev</a></li>
<li class="active"><a href="">dev / mathcomp-multinomials - 1.5.1</a></li>
</ul>
</div>
</div>
</div>
<div class="article">
<div class="row">
<div class="col-md-12">
<a href="../..">« Up</a>
<h1>
mathcomp-multinomials
<small>
1.5.1
<span class="label label-info">Not compatible</span>
</small>
</h1>
<p><em><script>document.write(moment("2021-10-27 02:59:51 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script> (2021-10-27 02:59:51 UTC)</em><p>
<h2>Context</h2>
<pre># Packages matching: installed
# Name # Installed # Synopsis
base-bigarray base
base-threads base
base-unix base
conf-findutils 1 Virtual package relying on findutils
conf-gmp 3 Virtual package relying on a GMP lib system installation
coq dev Formal proof management system
dune 2.9.1 Fast, portable, and opinionated build system
ocaml 4.12.0 The OCaml compiler (virtual package)
ocaml-base-compiler 4.12.0 Official release 4.12.0
ocaml-config 2 OCaml Switch Configuration
ocaml-options-vanilla 1 Ensure that OCaml is compiled with no special options enabled
ocamlfind 1.9.1 A library manager for OCaml
zarith 1.12 Implements arithmetic and logical operations over arbitrary-precision integers
# opam file:
opam-version: "2.0"
name: "coq-mathcomp-multinomials"
maintainer: "pierre-yves@strub.nu"
homepage: "https://github.com/math-comp/multinomials"
bug-reports: "https://github.com/math-comp/multinomials/issues"
dev-repo: "git+https://github.com/math-comp/multinomials.git"
license: "CeCILL-B"
authors: ["Pierre-Yves Strub"]
build: [
[make "INSTMODE=global" "config"]
[make "-j%{jobs}%"]
]
install: [
[make "install"]
]
depends: [
"coq" {>= "8.7" & < "8.12~"}
"coq-mathcomp-ssreflect" {>= "1.11" & < "1.12~"}
"coq-mathcomp-algebra"
"coq-mathcomp-bigenough" {>= "1.0.0" & < "1.1~"}
"coq-mathcomp-finmap" {>= "1.5" & < "1.6~"}
]
tags: [
"keyword:multinomials"
"keyword:monoid algebra"
"category:Math/Algebra/Multinomials"
"category:Math/Algebra/Monoid algebra"
"date:2020-01-20"
"logpath:SsrMultinomials"
]
synopsis: "A Multivariate polynomial Library for the Mathematical Components Library"
url {
src: "https://github.com/math-comp/multinomials/archive/1.5.1.tar.gz"
checksum: "sha512=808be2a321348f66d0327e5d5e21e3e70f839933f90094c7768322c634db2fe64186615e750efde22bbfc5fd1bb08fcdb94d7c73a646f06d4364e9c299e5fee8"
}
</pre>
<h2>Lint</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
</dl>
<h2>Dry install</h2>
<p>Dry install with the current Coq version:</p>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam install -y --show-action coq-mathcomp-multinomials.1.5.1 coq.dev</code></dd>
<dt>Return code</dt>
<dd>5120</dd>
<dt>Output</dt>
<dd><pre>[NOTE] Package coq is already installed (current version is dev).
The following dependencies couldn't be met:
- coq-mathcomp-multinomials -> coq < 8.12~ -> ocaml < 4.12
base of this switch (use `--unlock-base' to force)
Your request can't be satisfied:
- No available version of coq satisfies the constraints
No solution found, exiting
</pre></dd>
</dl>
<p>Dry install without Coq/switch base, to test if the problem was incompatibility with the current Coq/OCaml version:</p>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam remove -y coq; opam install -y --show-action --unlock-base coq-mathcomp-multinomials.1.5.1</code></dd>
<dt>Return code</dt>
<dd>0</dd>
</dl>
<h2>Install dependencies</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Duration</dt>
<dd>0 s</dd>
</dl>
<h2>Install</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Duration</dt>
<dd>0 s</dd>
</dl>
<h2>Installation size</h2>
<p>No files were installed.</p>
<h2>Uninstall</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Missing removes</dt>
<dd>
none
</dd>
<dt>Wrong removes</dt>
<dd>
none
</dd>
</dl>
</div>
</div>
</div>
<hr/>
<div class="footer">
<p class="text-center">
<small>Sources are on <a href="https://github.com/coq-bench">GitHub</a>. © Guillaume Claret.</small>
</p>
</div>
</div>
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>
<script src="../../../../../bootstrap.min.js"></script>
</body>
</html>
| coq-bench/coq-bench.github.io | clean/Linux-x86_64-4.12.0-2.0.8/extra-dev/dev/mathcomp-multinomials/1.5.1.html | HTML | mit | 7,513 |
var FormElements = function () {
//function to initiate jquery.inputlimiter
var runInputLimiter = function () {
$('.limited').inputlimiter({
remText: 'You only have %n character%s remaining...',
remFullText: 'Stop typing! You\'re not allowed any more characters!',
limitText: 'You\'re allowed to input %n character%s into this field.'
});
};
//function to initiate query.autosize
var runAutosize = function () {
$("textarea.autosize").autosize();
};
//function to initiate Select2
var runSelect2 = function () {
$(".search-select").select2({
placeholder: "--Select Category--",
allowClear: true
});
};
//function to initiate jquery.maskedinput
var runMaskInput = function () {
$.mask.definitions['~'] = '[+-]';
$('.input-mask-date').mask('99/99/9999');
$('.input-mask-phone').mask('(999) 999-9999');
$('.input-mask-eyescript').mask('~9.99 ~9.99 999');
$(".input-mask-product").mask("a*-999-a999", {
placeholder: " ",
completed: function () {
alert("You typed the following: " + this.val());
}
});
};
var runMaskMoney = function () {
$(".currency").maskMoney();
};
//function to initiate bootstrap-datepicker
var runDatePicker = function () {
$('.date-picker').datepicker({
autoclose: true
});
};
//function to initiate bootstrap-timepicker
var runTimePicker = function () {
$('.time-picker').timepicker();
};
//function to initiate daterangepicker
var runDateRangePicker = function () {
$('.date-range').daterangepicker();
$('.date-time-range').daterangepicker({
timePicker: true,
timePickerIncrement: 15,
format: 'MM/DD/YYYY h:mm A'
});
};
//function to initiate bootstrap-colorpicker
var runColorPicker = function () {
$('.color-picker').colorpicker({
format: 'hex'
});
$('.color-picker-rgba').colorpicker({
format: 'rgba'
});
$('.colorpicker-component').colorpicker();
};
//function to initiate bootstrap-colorpalette
var runColorPalette = function () {
$('.color-palette').colorPalette()
.on('selectColor', function (e) {
$('#selected-color1').val(e.color);
});
};
//function to initiate jquery.tagsinput
var runTagsInput = function () {
$('#tags_1').tagsInput({
width: 'auto'
});
};
//function to initiate summernote
var runSummerNote = function () {
$('.summernote').summernote({
height: 160,
tabsize: 2
});
};
//function to initiate ckeditor
var runCKEditor = function () {
CKEDITOR.disableAutoInline = true;
$('textarea.ckeditor').ckeditor();
};
return {
//main function to initiate template pages
init: function () {
//runInputLimiter();
//runAutosize();
//runSelect2();
//runMaskInput();
//runMaskMoney();
//runDatePicker();
//runTimePicker();
//runDateRangePicker();
//runColorPicker();
//runColorPalette();
//runTagsInput();
runSummerNote();
//runCKEditor();
}
};
}(); | akhokhar/eProcurement-Application | includes/admin/js/form-elements.js | JavaScript | mit | 3,632 |
///////////////////////////////////////////////////////////////////////////
// Copyright © 2015 Esri. All Rights Reserved.
//
// Licensed under the Apache License Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
///////////////////////////////////////////////////////////////////////////
define([
'dojo/_base/declare',
'dojo/_base/lang',
'dojo/_base/array',
'dojo/Deferred',
'dojo/promise/all',
'esri/lang',
'jimu/portalUrlUtils',
'./table/_FeatureTable',
// './_RelationshipTable',
'./utils'
], function(declare, lang, array, Deferred, all,
esriLang, portalUrlUtils,
_FeatureTable,/* _RelationshipTable,*/ attrUtils) {
return declare(null, {
_activeLayerInfoId: null,
_activeRelationshipKey: null,
nls: null,
config: null,
map: null,
//FeatureTable
_delayedLayerInfos: [],
_layerInfosFromMap: [],
featureTableSet: {},
//RelationshipTable
// one layer may be have multiple relationships, so we use key-value to store relationships
relationshipsSet: {},
relationshipTableSet: {},
currentRelationshipKey: null,
constructor: function(params) {
this.map = params && params.map;
this.nls = params && params.nls;
this._delayedLayerInfos = [];
this._layerInfosFromMap = [];
this.featureTableSet = {};
this.relationshipsSet = {};
this.relationshipTableSet = {};
this.currentRelationshipKey = null;
},
setConfig: function(tableConfig) {
this.config = lang.clone(tableConfig || {});
},
setMap: function(map) {
this.map = map;
},
updateLayerInfoResources: function(updateConfig) {
var def = new Deferred();
attrUtils.readConfigLayerInfosFromMap(this.map, false, true)
.then(lang.hitch(this, function(layerInfos) {
this._layerInfosFromMap = layerInfos;
this._processDelayedLayerInfos();
if (updateConfig) {
if (this.config.layerInfos.length === 0) {
// if no config only display visible layers
var configLayerInfos = attrUtils.getConfigInfosFromLayerInfos(layerInfos);
this.config.layerInfos = array.filter(configLayerInfos, function(layer) {
return layer.show;
});
} else {
// filter layer from current map and show property of layerInfo is true
this.config.layerInfos = array.filter(
lang.delegate(this.config.layerInfos),
lang.hitch(this, function(layerInfo) {
var mLayerInfo = this._getLayerInfoById(layerInfo.id);
return layerInfo.show && mLayerInfo &&
(layerInfo.name = mLayerInfo.name || mLayerInfo.title);
}));
}
}
def.resolve();
}), function(err) {
def.reject(err);
});
return def;
},
isEmpty: function() {
return this.config && this.config.layerInfos && this.config.layerInfos.length <= 0;
},
getConfigInfos: function() {
return lang.clone(this.config.layerInfos);
},
addLayerInfo: function(newLayerInfo) {
if (this._layerInfosFromMap.length === 0) {
this._delayedLayerInfos.push(newLayerInfo);
} else if (this._layerInfosFromMap.length > 0 &&
!this._getLayerInfoById(newLayerInfo.id)) {
this._layerInfosFromMap.push(newLayerInfo); // _layerInfosFromMap read from map
}
},
addConfigInfo: function(newLayerInfo) {
if (!this._getConfigInfoById(newLayerInfo.id)) {
var info = attrUtils.getConfigInfoFromLayerInfo(newLayerInfo);
this.config.layerInfos.push({
id: info.id,
name: info.name,
layer: {
url: info.layer.url,
fields: info.layer.fields
}
});
}
},
removeLayerInfo: function(infoId) {
var _clayerInfo = this._getLayerInfoById(infoId);
var pos = this._layerInfosFromMap.indexOf(_clayerInfo);
this._layerInfosFromMap.splice(pos, 1);
},
removeConfigInfo: function(infoId) {
if (lang.getObject('config.layerInfos', false, this)) {
var len = this.config.layerInfos.length;
for (var i = 0; i < len; i++) {
if (this.config.layerInfos[i].id === infoId) {
if (this.featureTableSet[infoId]) {
this.featureTableSet[infoId].destroy();
delete this.featureTableSet[infoId];
}
this.config.layerInfos.splice(i, 1);
break;
}
}
}
},
getQueryTable: function(tabId, enabledMatchingMap, hideExportButton) {
var def = new Deferred();
this._activeLayerInfoId = tabId;
if (!this.featureTableSet[tabId]) {
this._getQueryTableInfo(tabId).then(lang.hitch(this, function(queryTableInfo) {
if (!queryTableInfo) {
def.resolve(null);
return;
}
var activeLayerInfo = queryTableInfo.layerInfo;
var layerObject = queryTableInfo.layerObject;
var tableInfo = queryTableInfo.tableInfo;
// prevent create duplicate table
// for asychronous request in both queryTable and queryRelationTable
if (this.featureTableSet[tabId]) {
def.resolve({
isSupportQuery: tableInfo.isSupportQuery,
table: this.featureTableSet[tabId]
});
return;
}
if (lang.getObject('isSupportQuery', false, tableInfo)) {
var configInfo = this._getConfigInfoById(tabId);
if (!configInfo) {
this.addConfigInfo(activeLayerInfo);
configInfo = this._getConfigInfoById(tabId);
}
var configFields = lang.getObject('layer.fields', false, configInfo);
var layerFields = layerObject && layerObject.fields;
// remove fields not exist in layerObject.fields
configInfo.layer.fields = this._clipValidFields(
configFields,
layerFields
);
var table = new _FeatureTable({
map: this.map,
matchingMap: enabledMatchingMap,
hideExportButton: hideExportButton,
layerInfo: activeLayerInfo,
configedInfo: configInfo,
nls: this.nls
});
this.featureTableSet[tabId] = table;
def.resolve({
isSupportQuery: tableInfo.isSupportQuery,
table: table
});
} else {
def.resolve({
isSupportQuery: false
});
}
}), function(err) {
def.reject(err);
});
} else {
def.resolve({
isSupportQuery: true,
table: this.featureTableSet[tabId]
});
}
return def;
},
getRelationTable: function(originalInfoId, key, enabledMatchingMap, hideExportButton) {
var def = new Deferred();
var currentShip = this.relationshipsSet[key];
this._activeRelationshipKey = key;
if (currentShip) {
var originalInfo = this._getLayerInfoById(originalInfoId);
var layerInfoId = lang.getObject('shipInfo.id', false, currentShip);
this.getQueryTable(layerInfoId, enabledMatchingMap, hideExportButton)
.then(lang.hitch(this, function(tableResult) {
if (tableResult && tableResult.table) {
var table = tableResult.table;
table.set('relatedOriginalInfo', originalInfo);
table.set('relationship', currentShip);
}
def.resolve(tableResult);
}), lang.hitch(function() {
def.resolve(null);
}));
} else {
def.resolve(null);
}
return def;
},
removeRelationTable: function(relationShipKey) {
if (this.relationshipTableSet[relationShipKey]) {
this.relationshipTableSet[relationShipKey].destroy();
this.relationshipTableSet[relationShipKey] = null;
}
},
getCurrentTable: function(key) {
return this.featureTableSet[key] || this.relationshipTableSet[key];
},
collectRelationShips: function(layerInfo, relatedTableInfos) {
this._collectRelationShips(layerInfo, layerInfo.layerObject, relatedTableInfos);
},
getConfigInfoById: function(id) {
return this._getConfigInfoById(id);
},
getLayerInfoById: function(id) {
return this._getLayerInfoById(id);
},
getRelationshipsByInfoId: function(id) {
var ships = [];
for (var p in this.relationshipsSet) {
var ship = this.relationshipsSet[p];
if (ship._layerInfoId === id) {
ships.push(ship);
}
}
return ships;
},
empty: function() {
this._delayedLayerInfos = [];
this._layerInfosFromMap = [];
this.featureTableSet = {};
for (var p in this.relationshipsSet) {
var ship = this.relationshipsSet[p];
ship.shipInfo = null;
}
this.relationshipsSet = {};
this.relationshipTableSet = {};
this.currentRelationshipKey = null;
this.config = null;
this.map = null;
this.nls = null;
},
_processDelayedLayerInfos: function() { // must be invoke after initialize this._layerInfos
if (this._delayedLayerInfos.length > 0) {
array.forEach(this._delayedLayerInfos, lang.hitch(this, function(delayedLayerInfo) {
if (!this._getLayerInfoById(delayedLayerInfo && delayedLayerInfo.id) &&
this.map && this.map.getLayer(delayedLayerInfo.id)) {
this._layerInfosFromMap.push(delayedLayerInfo);
}
}));
this._delayedLayerInfos = [];
}
},
_getLayerInfoById: function(layerId) {
for (var i = 0, len = this._layerInfosFromMap.length; i < len; i++) {
if (this._layerInfosFromMap[i] && this._layerInfosFromMap[i].id === layerId) {
return this._layerInfosFromMap[i];
}
}
},
_getConfigInfoById: function(id) {
if (!lang.getObject('layerInfos.length', false, this.config)) {
return null;
}
for (var i = 0, len = this.config.layerInfos.length; i < len; i++) {
var configInfo = this.config.layerInfos[i];
if (configInfo && configInfo.id === id) {
return configInfo;
}
}
return null;
},
_getQueryTableInfo: function(tabId) {
var def = new Deferred();
var activeLayerInfo = this._getLayerInfoById(tabId);
if (!activeLayerInfo) {
console.error("no activeLayerInfo!");
def.reject(new Error());
} else {
var defs = [];
var hasUrl = activeLayerInfo.getUrl();
defs.push(activeLayerInfo.getLayerObject());
defs.push(activeLayerInfo.getSupportTableInfo());
if (hasUrl) {
defs.push(activeLayerInfo.getRelatedTableInfoArray());
}
all(defs).then(lang.hitch(this, function(results) {
if (this._activeLayerInfoId !== tabId || !results) {
def.resolve(null);
return;
}
var layerObject = results[0];
var tableInfo = results[1];
var relatedTableInfos = hasUrl ? results[2] : [];
if (esriLang.isDefined(relatedTableInfos) && esriLang.isDefined(layerObject) &&
relatedTableInfos.length > 0) {
this._collectRelationShips(activeLayerInfo, layerObject, relatedTableInfos);
}
def.resolve({
layerInfo: activeLayerInfo,
layerObject: layerObject,
tableInfo: tableInfo
});
}), function(err) {
def.reject(err);
});
}
return def;
},
_collectRelationShips: function(layerInfo, layerObject, relatedTableInfos) {
var ships = layerObject.relationships;
if (ships && ships.length > 0 && layerObject && layerObject.url) {
var layerUrl = layerObject.url;
var parts = layerUrl.split('/');
array.forEach(ships, lang.hitch(this, function(ship) {
parts[parts.length - 1] = ship.relatedTableId;
var relationUrl = parts.join('/');
var tableInfos = array.filter(relatedTableInfos, lang.hitch(this, function(tableInfo) {
var tableInfoUrl = tableInfo.getUrl();
return esriLang.isDefined(tableInfoUrl) && esriLang.isDefined(relationUrl) &&
(portalUrlUtils.removeProtocol(tableInfoUrl.toString().toLowerCase()) ===
portalUrlUtils.removeProtocol(relationUrl.toString().toLowerCase()));
}));
if (tableInfos && tableInfos.length > 0) {
ship.shipInfo = tableInfos[0];
}
var relKey = layerInfo.id + '_' + ship.name + '_' + ship.id;
ship._relKey = relKey;
ship._layerInfoId = layerInfo.id;
if (!this.relationshipsSet[relKey]) {
this.relationshipsSet[relKey] = ship;
this.relationshipsSet[relKey].objectIdField = layerObject.objectIdField;
}
}));
}
},
_getLayerInfoLabel: function(layerInfo) {
var label = layerInfo.name || layerInfo.title;
return label;
},
_getLayerInfoId: function(layerInfo) {
return layerInfo && layerInfo.id || "";
},
_clipValidFields: function(sFields, rFields) {
if (!(sFields && sFields.length)) {
return rFields || [];
}
if (!(rFields && rFields.length)) {
return sFields;
}
var validFields = [];
for (var i = 0, len = sFields.length; i < len; i++) {
var sf = sFields[i];
for (var j = 0, len2 = rFields.length; j < len2; j++) {
var rf = rFields[j];
if (rf.name === sf.name) {
validFields.push(sf);
break;
}
}
}
return validFields;
}
});
});
| cmccullough2/cmv-wab-widgets | wab/2.2/widgets/AttributeTable/_ResourceManager.js | JavaScript | mit | 15,116 |
//
// JENReadCarouseDetailViewController.swift
// ONE_Swift
//
// Created by 任玉祥 on 16/5/3.
// Copyright © 2016年 任玉祥. All rights reserved.
//
import UIKit
class JENReadCarouseDetailViewController: UIViewController {
// MARK: - lazy load
/// 头部Label
private lazy var headerLabel: UILabel = {
let headerLabel = UILabel()
headerLabel.backgroundColor = UIColor.clearColor()
headerLabel.textColor = UIColor.whiteColor()
headerLabel.textAlignment = .Center
headerLabel.height = 70
self.tableView.tableHeaderView = headerLabel
return headerLabel
}()
/// 尾部Label
private lazy var footerLabel: UILabel = {
let footerLabel = UILabel()
footerLabel.backgroundColor = UIColor.clearColor()
footerLabel.textColor = UIColor.whiteColor()
footerLabel.numberOfLines = 0
footerLabel.x = 30
footerLabel.centerY = self.footerView.height * 0.5 - 50
footerLabel.width = UIScreen.mainScreen().bounds.size.width - 2 * 30
self.footerView.addSubview(footerLabel)
return footerLabel
}()
/// 尾部View
private lazy var footerView: UIView = {
let footerView = UIView()
footerView.height = 500
footerView.backgroundColor = UIColor.clearColor()
self.tableView.tableFooterView = footerView
return footerView
}()
private let readCarouseCellId = "ReadCarouseCell"
/// 轮播的模型数组
private lazy var carouselDetailItems: [JENReadCarouselItem] = {
let carouselDetailItems = [JENReadCarouselItem]()
return carouselDetailItems
}()
/// 轮播列表模型
var readCarouseListItem = JENReadCarouselListItem() {
didSet {
view.backgroundColor = UIColor.colorWithHexString(readCarouseListItem.bgcolor)
headerLabel.text = readCarouseListItem.title
footerLabel.text = readCarouseListItem.bottom_text
headerLabel.sizeToFit()
footerLabel.sizeToFit()
guard let carousel_id = readCarouseListItem.carousel_id else { return }
JENLoadData.loadReadCarouselDetail(carousel_id) { (resObj) in
if resObj.count > 0 {
self.carouselDetailItems = resObj
self.tableView.reloadData()
}
}
}
}
@IBOutlet weak var tableView: UITableView!
override func viewDidLoad() {
super.viewDidLoad()
automaticallyAdjustsScrollViewInsets = false
tableView.insetT = 50
tableView.separatorInset.top = tableView.insetT
tableView.scrollIndicatorInsets.top = 20
tableView.registerNib(UINib.init(nibName: "JENReadCarouseCell", bundle: nil), forCellReuseIdentifier: readCarouseCellId)
tableView.separatorStyle = .None
}
override func preferredStatusBarStyle() -> UIStatusBarStyle {
return .LightContent
}
@IBAction func close() {
dismissViewControllerAnimated(true, completion: nil)
}
}
extension JENReadCarouseDetailViewController: UITableViewDataSource, UITableViewDelegate {
func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return self.carouselDetailItems.count ?? 0
}
func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
let cell = tableView.dequeueReusableCellWithIdentifier(readCarouseCellId) as! JENReadCarouseCell
let carouseItem = self.carouselDetailItems[indexPath.row]
carouseItem.number = "\(indexPath.row + 1)"
cell.carouselItem = carouseItem
return cell
}
func tableView(tableView: UITableView, heightForRowAtIndexPath indexPath: NSIndexPath) -> CGFloat {
let cell = tableView.dequeueReusableCellWithIdentifier(readCarouseCellId) as! JENReadCarouseCell
cell.carouselItem = self.carouselDetailItems[indexPath.row]
return cell.rowHeight
}
func tableView(tableView: UITableView, didSelectRowAtIndexPath indexPath: NSIndexPath) {
let detailItem = carouselDetailItems[indexPath.row]
var readDetailVc: JENReadDetailViewController?
switch detailItem.readType {
case .Essay:
readDetailVc = JENEssayDetailViewController()
case .Serial:
readDetailVc = JENSerialDetailViewController()
case .Question:
readDetailVc = JENQuestionDetailViewController()
default: break
}
guard let detailVc = readDetailVc else {return}
guard let item_id = detailItem.item_id else { return }
detailVc.detail_id = item_id
navigationController?.pushViewController(detailVc, animated: true)
}
}
| shlyren/ONE-Swift | ONE_Swift/Classes/Reading-阅读/Controller/Detail/JENReadCarouseDetailViewController.swift | Swift | mit | 4,921 |
/**
* @copyright 2015, Prometheus Research, LLC
*/
import JSONSchema from './JSONSchema';
import toKeyPath from './keyPath';
/**
* Create a React Forms schema validator.
*/
export function Schema(schema, options) {
options = {
...options,
greedy: true,
undefinedAsObject: true,
nullAsObject: true,
undefinedAsArray: true,
nullAsUndefined: true,
nullAsArray: true,
nullAsBottomType: true
};
return JSONSchema(schema, options);
}
function _generateSchemaBuilder(type) {
return function builder(params) {
return {
type,
isRequired: params ? !!params.isRequired : false,
...params
};
};
}
export function object(properties, params) {
return {
type: 'object',
properties,
required: Object.keys(properties).filter(k => properties[k].isRequired),
isRequired: params ? !!params.isRequired : false,
...params
};
}
export function array(items, params) {
return {
type: 'array',
items,
isRequired: params ? !!params.isRequired : false,
...params
};
}
export let string = _generateSchemaBuilder('string');
export let number = _generateSchemaBuilder('number');
const NON_ENUMERABLE_PROP = {
enumerable: false,
writable: true,
configurable: true
};
function cache(obj, key, value) {
Object.defineProperty(obj, key, {...NON_ENUMERABLE_PROP, value});
}
export function validate(schema, value, options) {
if (!schema) {
return [];
}
if (value.__schema === schema && value.__errorList) {
return value.__errorList;
} else {
if (schema.__validator === undefined) {
cache(
schema,
'__validator',
Schema(schema, {...options, formats: schema.formats})
);
}
let errorList = schema.__validator(value);
cache(value, '__schema', schema);
cache(value, '__errorList', errorList);
return errorList;
}
}
export function select(schema, keyPath) {
keyPath = toKeyPath(keyPath);
for (let i = 0, len = keyPath.length; i < len; i++) {
if (!schema) {
return schema;
}
schema = _select(schema, keyPath[i]);
}
return schema;
}
function _select(schema, key) {
if (schema) {
if (schema.type === 'object') {
let subSchema = schema.properties ?
schema.properties[key] :
undefined;
if (Array.isArray(schema.required)) {
// transfer required info onto schema
subSchema = {
type: 'object',
...subSchema,
isRequired: schema.required.indexOf(key) !== -1
};
}
return subSchema;
} else if (schema.type === 'array') {
if (schema.items) {
if (Array.isArray(schema.items)) { // eslint-disable-line max-depth
return schema.items[key];
} else {
return schema.items;
}
} else {
return undefined;
}
} else {
throw new Error(`${JSON.stringify(schema)} ${key}`);
}
}
}
| prometheusresearch/react-forms | src/Schema.js | JavaScript | mit | 2,939 |
/*! bulma.io v0.7.1 | MIT License | github.com/jgthms/bulma */
@keyframes spinAround{0%{transform:rotate(0deg)}to{transform:rotate(359deg)}}.breadcrumb,.button,.delete,.file,.is-unselectable,.modal-close,.pagination-ellipsis,.pagination-link,.pagination-next,.pagination-previous,.tabs{-webkit-touch-callout:none;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.navbar-link::after,.select:not(.is-multiple):not(.is-loading)::after{border:3px solid transparent;border-radius:2px;border-right:0;border-top:0;content:" ";display:block;height:.625em;margin-top:-.4375em;pointer-events:none;position:absolute;top:50%;transform:rotate(-45deg);transform-origin:center;width:.625em}.block:not(:last-child),.box:not(:last-child),.breadcrumb:not(:last-child),.content:not(:last-child),.highlight:not(:last-child),.level:not(:last-child),.message:not(:last-child),.notification:not(:last-child),.progress:not(:last-child),.subtitle:not(:last-child),.table-container:not(:last-child),.table:not(:last-child),.tabs:not(:last-child),.title:not(:last-child){margin-bottom:1.5rem}.delete,.modal-close{-moz-appearance:none;-webkit-appearance:none;background-color:rgba(10,10,10,.2);border:0;border-radius:290486px;cursor:pointer;display:inline-block;flex-grow:0;flex-shrink:0;font-size:0;height:20px;max-height:20px;max-width:20px;min-height:20px;min-width:20px;outline:0;position:relative;vertical-align:top;width:20px}.delete::after,.delete::before,.modal-close::after,.modal-close::before{background-color:#fff;content:"";display:block;left:50%;position:absolute;top:50%;transform:translateX(-50%) translateY(-50%) rotate(45deg);transform-origin:center center}.delete::before,.modal-close::before{height:2px;width:50%}.delete::after,.modal-close::after{height:50%;width:2px}.delete:focus,.delete:hover,.modal-close:focus,.modal-close:hover{background-color:rgba(10,10,10,.3)}.delete:active,.modal-close:active{background-color:rgba(10,10,10,.4)}.is-small.delete,.is-small.modal-close{height:16px;max-height:16px;max-width:16px;min-height:16px;min-width:16px;width:16px}.is-medium.delete,.is-medium.modal-close{height:24px;max-height:24px;max-width:24px;min-height:24px;min-width:24px;width:24px}.is-large.delete,.is-large.modal-close{height:32px;max-height:32px;max-width:32px;min-height:32px;min-width:32px;width:32px}.button.is-loading::after,.control.is-loading::after,.loader,.select.is-loading::after{animation:spinAround 500ms infinite linear;border:2px solid #dbdbdb;border-radius:290486px;border-right-color:transparent;border-top-color:transparent;content:"";display:block;height:1em;position:relative;width:1em}.hero-video,.image.is-16by9 img,.image.is-1by1 img,.image.is-1by2 img,.image.is-1by3 img,.image.is-2by1 img,.image.is-2by3 img,.image.is-3by1 img,.image.is-3by2 img,.image.is-3by4 img,.image.is-3by5 img,.image.is-4by3 img,.image.is-4by5 img,.image.is-5by3 img,.image.is-5by4 img,.image.is-9by16 img,.image.is-square img,.is-overlay,.modal,.modal-background{bottom:0;left:0;position:absolute;right:0;top:0}.button,.file-cta,.file-name,.input,.pagination-ellipsis,.pagination-link,.pagination-next,.pagination-previous,.select select,.textarea{-moz-appearance:none;-webkit-appearance:none;align-items:center;border:1px solid transparent;border-radius:4px;box-shadow:none;display:inline-flex;font-size:1rem;height:2.25em;justify-content:flex-start;line-height:1.5;padding:calc(.375em - 1px) calc(.625em - 1px);position:relative;vertical-align:top}.button:active,.button:focus,.file-cta:active,.file-cta:focus,.file-name:active,.file-name:focus,.input:active,.input:focus,.is-active.button,.is-active.file-cta,.is-active.file-name,.is-active.input,.is-active.pagination-ellipsis,.is-active.pagination-link,.is-active.pagination-next,.is-active.pagination-previous,.is-active.textarea,.is-focused.button,.is-focused.file-cta,.is-focused.file-name,.is-focused.input,.is-focused.pagination-ellipsis,.is-focused.pagination-link,.is-focused.pagination-next,.is-focused.pagination-previous,.is-focused.textarea,.pagination-ellipsis:active,.pagination-ellipsis:focus,.pagination-link:active,.pagination-link:focus,.pagination-next:active,.pagination-next:focus,.pagination-previous:active,.pagination-previous:focus,.select select.is-active,.select select.is-focused,.select select:active,.select select:focus,.textarea:active,.textarea:focus{outline:0}.button[disabled],.file-cta[disabled],.file-name[disabled],.input[disabled],.pagination-ellipsis[disabled],.pagination-link[disabled],.pagination-next[disabled],.pagination-previous[disabled],.select select[disabled],.textarea[disabled]{cursor:not-allowed}
/*! minireset.css v0.0.3 | MIT License | github.com/jgthms/minireset.css */
blockquote,body,dd,dl,dt,fieldset,figure,h1,h2,h3,h4,h5,h6,hr,html,iframe,legend,li,ol,p,pre,textarea,ul{padding:0;margin:0}h1,h2,h3,h4,h5,h6{font-size:100%;font-weight:400}ul{list-style:none}button,input,select{margin:0}html{box-sizing:border-box;background-color:#fff;font-size:16px;-moz-osx-font-smoothing:grayscale;-webkit-font-smoothing:antialiased;min-width:300px;overflow-x:hidden;overflow-y:scroll;text-rendering:optimizeLegibility;text-size-adjust:100%}*,::after,::before{box-sizing:inherit}audio,img,video{height:auto;max-width:100%}iframe{border:0}table{border-collapse:collapse;border-spacing:0}td,th{padding:0;text-align:left}article,aside,figure,footer,header,hgroup,section{display:block}body,button,input,select,textarea{font-family:BlinkMacSystemFont,-apple-system,"Segoe UI","Roboto","Oxygen","Ubuntu","Cantarell","Fira Sans","Droid Sans","Helvetica Neue","Helvetica","Arial",sans-serif}code,pre{-moz-osx-font-smoothing:auto;-webkit-font-smoothing:auto;font-family:monospace}body,code{font-weight:400}body{font-size:1rem;line-height:1.5;color:#4a4a4a}a{color:#3273dc;cursor:pointer;text-decoration:none}a strong,pre code{color:currentColor}code{color:#ff3860;padding:.25em .5em}code,hr,pre{background-color:#f5f5f5}hr{border:0;display:block;height:2px;margin:1.5rem 0}input[type=checkbox],input[type=radio]{vertical-align:baseline}code,pre,small{font-size:.875em}span{font-style:inherit;font-weight:inherit}strong{font-weight:700}pre{-webkit-overflow-scrolling:touch;color:#4a4a4a;overflow-x:auto;padding:1.25rem 1.5rem;white-space:pre;word-wrap:normal}pre code{background-color:transparent;font-size:1em;padding:0}table td,table th{text-align:left;vertical-align:top}a:hover,strong,table th{color:#363636}.is-clearfix::after{clear:both;content:" ";display:table}.is-pulled-left{float:left!important}.is-pulled-right{float:right!important}.is-clipped{overflow:hidden!important}.is-size-1{font-size:3rem!important}.is-size-2{font-size:2.5rem!important}.is-size-3{font-size:2rem!important}.is-size-4{font-size:1.5rem!important}.is-size-5{font-size:1.25rem!important}.is-size-6{font-size:1rem!important}.is-size-7{font-size:.75rem!important}@media screen and (max-width:768px){.is-size-1-mobile{font-size:3rem!important}.is-size-2-mobile{font-size:2.5rem!important}.is-size-3-mobile{font-size:2rem!important}.is-size-4-mobile{font-size:1.5rem!important}.is-size-5-mobile{font-size:1.25rem!important}.is-size-6-mobile{font-size:1rem!important}.is-size-7-mobile{font-size:.75rem!important}}@media screen and (min-width:769px),print{.is-size-1-tablet{font-size:3rem!important}.is-size-2-tablet{font-size:2.5rem!important}.is-size-3-tablet{font-size:2rem!important}.is-size-4-tablet{font-size:1.5rem!important}.is-size-5-tablet{font-size:1.25rem!important}.is-size-6-tablet{font-size:1rem!important}.is-size-7-tablet{font-size:.75rem!important}}@media screen and (max-width:1087px){.is-size-1-touch{font-size:3rem!important}.is-size-2-touch{font-size:2.5rem!important}.is-size-3-touch{font-size:2rem!important}.is-size-4-touch{font-size:1.5rem!important}.is-size-5-touch{font-size:1.25rem!important}.is-size-6-touch{font-size:1rem!important}.is-size-7-touch{font-size:.75rem!important}}@media screen and (min-width:1088px){.is-size-1-desktop{font-size:3rem!important}.is-size-2-desktop{font-size:2.5rem!important}.is-size-3-desktop{font-size:2rem!important}.is-size-4-desktop{font-size:1.5rem!important}.is-size-5-desktop{font-size:1.25rem!important}.is-size-6-desktop{font-size:1rem!important}.is-size-7-desktop{font-size:.75rem!important}}@media screen and (min-width:1280px){.is-size-1-widescreen{font-size:3rem!important}.is-size-2-widescreen{font-size:2.5rem!important}.is-size-3-widescreen{font-size:2rem!important}.is-size-4-widescreen{font-size:1.5rem!important}.is-size-5-widescreen{font-size:1.25rem!important}.is-size-6-widescreen{font-size:1rem!important}.is-size-7-widescreen{font-size:.75rem!important}}@media screen and (min-width:1472px){.is-size-1-fullhd{font-size:3rem!important}.is-size-2-fullhd{font-size:2.5rem!important}.is-size-3-fullhd{font-size:2rem!important}.is-size-4-fullhd{font-size:1.5rem!important}.is-size-5-fullhd{font-size:1.25rem!important}.is-size-6-fullhd{font-size:1rem!important}.is-size-7-fullhd{font-size:.75rem!important}}.has-text-centered{text-align:center!important}.has-text-justified{text-align:justify!important}.has-text-left{text-align:left!important}.has-text-right{text-align:right!important}@media screen and (max-width:768px){.has-text-centered-mobile{text-align:center!important}}@media screen and (min-width:769px),print{.has-text-centered-tablet{text-align:center!important}}@media screen and (min-width:769px) and (max-width:1087px){.has-text-centered-tablet-only{text-align:center!important}}@media screen and (max-width:1087px){.has-text-centered-touch{text-align:center!important}}@media screen and (min-width:1088px){.has-text-centered-desktop{text-align:center!important}}@media screen and (min-width:1088px) and (max-width:1279px){.has-text-centered-desktop-only{text-align:center!important}}@media screen and (min-width:1280px){.has-text-centered-widescreen{text-align:center!important}}@media screen and (min-width:1280px) and (max-width:1471px){.has-text-centered-widescreen-only{text-align:center!important}}@media screen and (min-width:1472px){.has-text-centered-fullhd{text-align:center!important}}@media screen and (max-width:768px){.has-text-justified-mobile{text-align:justify!important}}@media screen and (min-width:769px),print{.has-text-justified-tablet{text-align:justify!important}}@media screen and (min-width:769px) and (max-width:1087px){.has-text-justified-tablet-only{text-align:justify!important}}@media screen and (max-width:1087px){.has-text-justified-touch{text-align:justify!important}}@media screen and (min-width:1088px){.has-text-justified-desktop{text-align:justify!important}}@media screen and (min-width:1088px) and (max-width:1279px){.has-text-justified-desktop-only{text-align:justify!important}}@media screen and (min-width:1280px){.has-text-justified-widescreen{text-align:justify!important}}@media screen and (min-width:1280px) and (max-width:1471px){.has-text-justified-widescreen-only{text-align:justify!important}}@media screen and (min-width:1472px){.has-text-justified-fullhd{text-align:justify!important}}@media screen and (max-width:768px){.has-text-left-mobile{text-align:left!important}}@media screen and (min-width:769px),print{.has-text-left-tablet{text-align:left!important}}@media screen and (min-width:769px) and (max-width:1087px){.has-text-left-tablet-only{text-align:left!important}}@media screen and (max-width:1087px){.has-text-left-touch{text-align:left!important}}@media screen and (min-width:1088px){.has-text-left-desktop{text-align:left!important}}@media screen and (min-width:1088px) and (max-width:1279px){.has-text-left-desktop-only{text-align:left!important}}@media screen and (min-width:1280px){.has-text-left-widescreen{text-align:left!important}}@media screen and (min-width:1280px) and (max-width:1471px){.has-text-left-widescreen-only{text-align:left!important}}@media screen and (min-width:1472px){.has-text-left-fullhd{text-align:left!important}}@media screen and (max-width:768px){.has-text-right-mobile{text-align:right!important}}@media screen and (min-width:769px),print{.has-text-right-tablet{text-align:right!important}}@media screen and (min-width:769px) and (max-width:1087px){.has-text-right-tablet-only{text-align:right!important}}@media screen and (max-width:1087px){.has-text-right-touch{text-align:right!important}}@media screen and (min-width:1088px){.has-text-right-desktop{text-align:right!important}}@media screen and (min-width:1088px) and (max-width:1279px){.has-text-right-desktop-only{text-align:right!important}}@media screen and (min-width:1280px){.has-text-right-widescreen{text-align:right!important}}@media screen and (min-width:1280px) and (max-width:1471px){.has-text-right-widescreen-only{text-align:right!important}}@media screen and (min-width:1472px){.has-text-right-fullhd{text-align:right!important}}.is-capitalized{text-transform:capitalize!important}.is-lowercase{text-transform:lowercase!important}.is-uppercase{text-transform:uppercase!important}.is-italic{font-style:italic!important}.has-text-white{color:#fff!important}a.has-text-white:focus,a.has-text-white:hover{color:#e6e6e6!important}.has-background-white{background-color:#fff!important}.has-text-black{color:#0a0a0a!important}a.has-text-black:focus,a.has-text-black:hover{color:#000!important}.has-background-black{background-color:#0a0a0a!important}.has-text-light{color:#f5f5f5!important}a.has-text-light:focus,a.has-text-light:hover{color:#dbdbdb!important}.has-background-light{background-color:#f5f5f5!important}.has-text-dark{color:#363636!important}a.has-text-dark:focus,a.has-text-dark:hover{color:#1c1c1c!important}.has-background-dark{background-color:#363636!important}.has-text-primary{color:#00d1b2!important}a.has-text-primary:focus,a.has-text-primary:hover{color:#009e86!important}.has-background-primary{background-color:#00d1b2!important}.has-text-link{color:#3273dc!important}a.has-text-link:focus,a.has-text-link:hover{color:#205bbc!important}.has-background-link{background-color:#3273dc!important}.has-text-info{color:#209cee!important}a.has-text-info:focus,a.has-text-info:hover{color:#0f81cc!important}.has-background-info{background-color:#209cee!important}.has-text-success{color:#23d160!important}a.has-text-success:focus,a.has-text-success:hover{color:#1ca64c!important}.has-background-success{background-color:#23d160!important}.has-text-warning{color:#ffdd57!important}a.has-text-warning:focus,a.has-text-warning:hover{color:#ffd324!important}.has-background-warning{background-color:#ffdd57!important}.has-text-danger{color:#ff3860!important}a.has-text-danger:focus,a.has-text-danger:hover{color:#ff0537!important}.has-background-danger{background-color:#ff3860!important}.has-text-black-bis{color:#121212!important}.has-background-black-bis{background-color:#121212!important}.has-text-black-ter{color:#242424!important}.has-background-black-ter{background-color:#242424!important}.has-text-grey-darker{color:#363636!important}.has-background-grey-darker{background-color:#363636!important}.has-text-grey-dark{color:#4a4a4a!important}.has-background-grey-dark{background-color:#4a4a4a!important}.has-text-grey{color:#7a7a7a!important}.has-background-grey{background-color:#7a7a7a!important}.has-text-grey-light{color:#b5b5b5!important}.has-background-grey-light{background-color:#b5b5b5!important}.has-text-grey-lighter{color:#dbdbdb!important}.has-background-grey-lighter{background-color:#dbdbdb!important}.has-text-white-ter{color:#f5f5f5!important}.has-background-white-ter{background-color:#f5f5f5!important}.has-text-white-bis{color:#fafafa!important}.has-background-white-bis{background-color:#fafafa!important}.has-text-weight-light{font-weight:300!important}.has-text-weight-normal{font-weight:400!important}.has-text-weight-semibold{font-weight:600!important}.has-text-weight-bold{font-weight:700!important}.is-block{display:block!important}@media screen and (max-width:768px){.is-block-mobile{display:block!important}}@media screen and (min-width:769px),print{.is-block-tablet{display:block!important}}@media screen and (min-width:769px) and (max-width:1087px){.is-block-tablet-only{display:block!important}}@media screen and (max-width:1087px){.is-block-touch{display:block!important}}@media screen and (min-width:1088px){.is-block-desktop{display:block!important}}@media screen and (min-width:1088px) and (max-width:1279px){.is-block-desktop-only{display:block!important}}@media screen and (min-width:1280px){.is-block-widescreen{display:block!important}}@media screen and (min-width:1280px) and (max-width:1471px){.is-block-widescreen-only{display:block!important}}@media screen and (min-width:1472px){.is-block-fullhd{display:block!important}}.is-flex{display:flex!important}@media screen and (max-width:768px){.is-flex-mobile{display:flex!important}}@media screen and (min-width:769px),print{.is-flex-tablet{display:flex!important}}@media screen and (min-width:769px) and (max-width:1087px){.is-flex-tablet-only{display:flex!important}}@media screen and (max-width:1087px){.is-flex-touch{display:flex!important}}@media screen and (min-width:1088px){.is-flex-desktop{display:flex!important}}@media screen and (min-width:1088px) and (max-width:1279px){.is-flex-desktop-only{display:flex!important}}@media screen and (min-width:1280px){.is-flex-widescreen{display:flex!important}}@media screen and (min-width:1280px) and (max-width:1471px){.is-flex-widescreen-only{display:flex!important}}@media screen and (min-width:1472px){.is-flex-fullhd{display:flex!important}}.is-inline{display:inline!important}@media screen and (max-width:768px){.is-inline-mobile{display:inline!important}}@media screen and (min-width:769px),print{.is-inline-tablet{display:inline!important}}@media screen and (min-width:769px) and (max-width:1087px){.is-inline-tablet-only{display:inline!important}}@media screen and (max-width:1087px){.is-inline-touch{display:inline!important}}@media screen and (min-width:1088px){.is-inline-desktop{display:inline!important}}@media screen and (min-width:1088px) and (max-width:1279px){.is-inline-desktop-only{display:inline!important}}@media screen and (min-width:1280px){.is-inline-widescreen{display:inline!important}}@media screen and (min-width:1280px) and (max-width:1471px){.is-inline-widescreen-only{display:inline!important}}@media screen and (min-width:1472px){.is-inline-fullhd{display:inline!important}}.is-inline-block{display:inline-block!important}@media screen and (max-width:768px){.is-inline-block-mobile{display:inline-block!important}}@media screen and (min-width:769px),print{.is-inline-block-tablet{display:inline-block!important}}@media screen and (min-width:769px) and (max-width:1087px){.is-inline-block-tablet-only{display:inline-block!important}}@media screen and (max-width:1087px){.is-inline-block-touch{display:inline-block!important}}@media screen and (min-width:1088px){.is-inline-block-desktop{display:inline-block!important}}@media screen and (min-width:1088px) and (max-width:1279px){.is-inline-block-desktop-only{display:inline-block!important}}@media screen and (min-width:1280px){.is-inline-block-widescreen{display:inline-block!important}}@media screen and (min-width:1280px) and (max-width:1471px){.is-inline-block-widescreen-only{display:inline-block!important}}@media screen and (min-width:1472px){.is-inline-block-fullhd{display:inline-block!important}}.is-inline-flex{display:inline-flex!important}@media screen and (max-width:768px){.is-inline-flex-mobile{display:inline-flex!important}}@media screen and (min-width:769px),print{.is-inline-flex-tablet{display:inline-flex!important}}@media screen and (min-width:769px) and (max-width:1087px){.is-inline-flex-tablet-only{display:inline-flex!important}}@media screen and (max-width:1087px){.is-inline-flex-touch{display:inline-flex!important}}@media screen and (min-width:1088px){.is-inline-flex-desktop{display:inline-flex!important}}@media screen and (min-width:1088px) and (max-width:1279px){.is-inline-flex-desktop-only{display:inline-flex!important}}@media screen and (min-width:1280px){.is-inline-flex-widescreen{display:inline-flex!important}}@media screen and (min-width:1280px) and (max-width:1471px){.is-inline-flex-widescreen-only{display:inline-flex!important}}@media screen and (min-width:1472px){.is-inline-flex-fullhd{display:inline-flex!important}}.is-hidden{display:none!important}@media screen and (max-width:768px){.is-hidden-mobile{display:none!important}}@media screen and (min-width:769px),print{.is-hidden-tablet{display:none!important}}@media screen and (min-width:769px) and (max-width:1087px){.is-hidden-tablet-only{display:none!important}}@media screen and (max-width:1087px){.is-hidden-touch{display:none!important}}@media screen and (min-width:1088px){.is-hidden-desktop{display:none!important}}@media screen and (min-width:1088px) and (max-width:1279px){.is-hidden-desktop-only{display:none!important}}@media screen and (min-width:1280px){.is-hidden-widescreen{display:none!important}}@media screen and (min-width:1280px) and (max-width:1471px){.is-hidden-widescreen-only{display:none!important}}@media screen and (min-width:1472px){.is-hidden-fullhd{display:none!important}}.is-invisible{visibility:hidden!important}@media screen and (max-width:768px){.is-invisible-mobile{visibility:hidden!important}}@media screen and (min-width:769px),print{.is-invisible-tablet{visibility:hidden!important}}@media screen and (min-width:769px) and (max-width:1087px){.is-invisible-tablet-only{visibility:hidden!important}}@media screen and (max-width:1087px){.is-invisible-touch{visibility:hidden!important}}@media screen and (min-width:1088px){.is-invisible-desktop{visibility:hidden!important}}@media screen and (min-width:1088px) and (max-width:1279px){.is-invisible-desktop-only{visibility:hidden!important}}@media screen and (min-width:1280px){.is-invisible-widescreen{visibility:hidden!important}}@media screen and (min-width:1280px) and (max-width:1471px){.is-invisible-widescreen-only{visibility:hidden!important}}@media screen and (min-width:1472px){.is-invisible-fullhd{visibility:hidden!important}}.is-marginless{margin:0!important}.is-paddingless{padding:0!important}.is-radiusless{border-radius:0!important}.is-shadowless{box-shadow:none!important}.box{background-color:#fff;border-radius:6px;box-shadow:0 2px 3px rgba(10,10,10,.1),0 0 0 1px rgba(10,10,10,.1);color:#4a4a4a;display:block;padding:1.25rem}a.box:focus,a.box:hover{box-shadow:0 2px 3px rgba(10,10,10,.1),0 0 0 1px #3273dc}a.box:active{box-shadow:inset 0 1px 2px rgba(10,10,10,.2),0 0 0 1px #3273dc}.button{background-color:#fff;border-color:#dbdbdb;border-width:1px;color:#363636;cursor:pointer;justify-content:center;padding-bottom:calc(.375em - 1px);padding-left:.75em;padding-right:.75em;padding-top:calc(.375em - 1px);text-align:center;white-space:nowrap}.button strong{color:inherit}.button .icon,.button .icon.is-large,.button .icon.is-medium,.button .icon.is-small{height:1.5em;width:1.5em}.button .icon:first-child:not(:last-child){margin-left:calc(-.375em - 1px);margin-right:.1875em}.button .icon:last-child:not(:first-child){margin-left:.1875em;margin-right:calc(-.375em - 1px)}.button .icon:first-child:last-child{margin-left:calc(-.375em - 1px);margin-right:calc(-.375em - 1px)}.button.is-hovered,.button:hover{border-color:#b5b5b5;color:#363636}.button.is-focused,.button:focus{border-color:#3273dc;color:#363636}.button.is-focused:not(:active),.button:focus:not(:active){box-shadow:0 0 0 .125em rgba(50,115,220,.25)}.button.is-active,.button:active{border-color:#4a4a4a;color:#363636}.button.is-text{background-color:transparent;border-color:transparent;color:#4a4a4a;text-decoration:underline}.button.is-text.is-focused,.button.is-text.is-hovered,.button.is-text:focus,.button.is-text:hover{background-color:#f5f5f5;color:#363636}.button.is-text.is-active,.button.is-text:active{background-color:#e8e8e8;color:#363636}.button.is-text[disabled]{background-color:transparent;border-color:transparent;box-shadow:none}.button.is-white{background-color:#fff;border-color:transparent;color:#0a0a0a}.button.is-white.is-hovered,.button.is-white:hover{background-color:#f9f9f9;border-color:transparent;color:#0a0a0a}.button.is-white.is-focused,.button.is-white:focus{border-color:transparent;color:#0a0a0a}.button.is-white.is-focused:not(:active),.button.is-white:focus:not(:active){box-shadow:0 0 0 .125em rgba(255,255,255,.25)}.button.is-white.is-active,.button.is-white:active{background-color:#f2f2f2;border-color:transparent;color:#0a0a0a}.button.is-white[disabled]{background-color:#fff;border-color:transparent;box-shadow:none}.button.is-white.is-inverted{background-color:#0a0a0a;color:#fff}.button.is-white.is-inverted:hover{background-color:#000}.button.is-white.is-inverted[disabled]{background-color:#0a0a0a;border-color:transparent;box-shadow:none;color:#fff}.button.is-white.is-loading::after{border-color:transparent transparent #0a0a0a #0a0a0a!important}.button.is-white.is-outlined{background-color:transparent;border-color:#fff;color:#fff}.button.is-white.is-outlined:focus,.button.is-white.is-outlined:hover{background-color:#fff;border-color:#fff;color:#0a0a0a}.button.is-black.is-loading::after,.button.is-white.is-outlined.is-loading::after{border-color:transparent transparent #fff #fff!important}.button.is-white.is-outlined[disabled]{background-color:transparent;border-color:#fff;box-shadow:none;color:#fff}.button.is-white.is-inverted.is-outlined{background-color:transparent;border-color:#0a0a0a;color:#0a0a0a}.button.is-white.is-inverted.is-outlined:focus,.button.is-white.is-inverted.is-outlined:hover{background-color:#0a0a0a;color:#fff}.button.is-white.is-inverted.is-outlined[disabled]{background-color:transparent;border-color:#0a0a0a;box-shadow:none;color:#0a0a0a}.button.is-black{background-color:#0a0a0a;border-color:transparent;color:#fff}.button.is-black.is-hovered,.button.is-black:hover{background-color:#040404;border-color:transparent;color:#fff}.button.is-black.is-focused,.button.is-black:focus{border-color:transparent;color:#fff}.button.is-black.is-focused:not(:active),.button.is-black:focus:not(:active){box-shadow:0 0 0 .125em rgba(10,10,10,.25)}.button.is-black.is-active,.button.is-black:active{background-color:#000;border-color:transparent;color:#fff}.button.is-black[disabled]{background-color:#0a0a0a;border-color:transparent;box-shadow:none}.button.is-black.is-inverted{background-color:#fff;color:#0a0a0a}.button.is-black.is-inverted:hover{background-color:#f2f2f2}.button.is-black.is-inverted[disabled]{background-color:#fff;border-color:transparent;box-shadow:none;color:#0a0a0a}.button.is-black.is-outlined{background-color:transparent;border-color:#0a0a0a;color:#0a0a0a}.button.is-black.is-outlined:focus,.button.is-black.is-outlined:hover{background-color:#0a0a0a;border-color:#0a0a0a;color:#fff}.button.is-black.is-outlined.is-loading::after{border-color:transparent transparent #0a0a0a #0a0a0a!important}.button.is-black.is-outlined[disabled]{background-color:transparent;border-color:#0a0a0a;box-shadow:none;color:#0a0a0a}.button.is-black.is-inverted.is-outlined{background-color:transparent;border-color:#fff;color:#fff}.button.is-black.is-inverted.is-outlined:focus,.button.is-black.is-inverted.is-outlined:hover{background-color:#fff;color:#0a0a0a}.button.is-black.is-inverted.is-outlined[disabled]{background-color:transparent;border-color:#fff;box-shadow:none;color:#fff}.button.is-light{background-color:#f5f5f5;border-color:transparent;color:#363636}.button.is-light.is-hovered,.button.is-light:hover{background-color:#eee;border-color:transparent;color:#363636}.button.is-light.is-focused,.button.is-light:focus{border-color:transparent;color:#363636}.button.is-light.is-focused:not(:active),.button.is-light:focus:not(:active){box-shadow:0 0 0 .125em rgba(245,245,245,.25)}.button.is-light.is-active,.button.is-light:active{background-color:#e8e8e8;border-color:transparent;color:#363636}.button.is-light[disabled]{background-color:#f5f5f5;border-color:transparent;box-shadow:none}.button.is-light.is-inverted{background-color:#363636;color:#f5f5f5}.button.is-light.is-inverted:hover{background-color:#292929}.button.is-light.is-inverted[disabled]{background-color:#363636;border-color:transparent;box-shadow:none;color:#f5f5f5}.button.is-light.is-loading::after{border-color:transparent transparent #363636 #363636!important}.button.is-light.is-outlined{background-color:transparent;border-color:#f5f5f5;color:#f5f5f5}.button.is-light.is-outlined:focus,.button.is-light.is-outlined:hover{background-color:#f5f5f5;border-color:#f5f5f5;color:#363636}.button.is-dark.is-loading::after,.button.is-light.is-outlined.is-loading::after{border-color:transparent transparent #f5f5f5 #f5f5f5!important}.button.is-light.is-outlined[disabled]{background-color:transparent;border-color:#f5f5f5;box-shadow:none;color:#f5f5f5}.button.is-light.is-inverted.is-outlined{background-color:transparent;border-color:#363636;color:#363636}.button.is-light.is-inverted.is-outlined:focus,.button.is-light.is-inverted.is-outlined:hover{background-color:#363636;color:#f5f5f5}.button.is-light.is-inverted.is-outlined[disabled]{background-color:transparent;border-color:#363636;box-shadow:none;color:#363636}.button.is-dark{background-color:#363636;border-color:transparent;color:#f5f5f5}.button.is-dark.is-hovered,.button.is-dark:hover{background-color:#2f2f2f;border-color:transparent;color:#f5f5f5}.button.is-dark.is-focused,.button.is-dark:focus{border-color:transparent;color:#f5f5f5}.button.is-dark.is-focused:not(:active),.button.is-dark:focus:not(:active){box-shadow:0 0 0 .125em rgba(54,54,54,.25)}.button.is-dark.is-active,.button.is-dark:active{background-color:#292929;border-color:transparent;color:#f5f5f5}.button.is-dark[disabled]{background-color:#363636;border-color:transparent;box-shadow:none}.button.is-dark.is-inverted{background-color:#f5f5f5;color:#363636}.button.is-dark.is-inverted:hover{background-color:#e8e8e8}.button.is-dark.is-inverted[disabled]{background-color:#f5f5f5;border-color:transparent;box-shadow:none;color:#363636}.button.is-dark.is-outlined{background-color:transparent;border-color:#363636;color:#363636}.button.is-dark.is-outlined:focus,.button.is-dark.is-outlined:hover{background-color:#363636;border-color:#363636;color:#f5f5f5}.button.is-dark.is-outlined.is-loading::after{border-color:transparent transparent #363636 #363636!important}.button.is-dark.is-outlined[disabled]{background-color:transparent;border-color:#363636;box-shadow:none;color:#363636}.button.is-dark.is-inverted.is-outlined{background-color:transparent;border-color:#f5f5f5;color:#f5f5f5}.button.is-dark.is-inverted.is-outlined:focus,.button.is-dark.is-inverted.is-outlined:hover{background-color:#f5f5f5;color:#363636}.button.is-dark.is-inverted.is-outlined[disabled]{background-color:transparent;border-color:#f5f5f5;box-shadow:none;color:#f5f5f5}.button.is-primary{background-color:#00d1b2;border-color:transparent;color:#fff}.button.is-primary.is-hovered,.button.is-primary:hover{background-color:#00c4a7;border-color:transparent;color:#fff}.button.is-primary.is-focused,.button.is-primary:focus{border-color:transparent;color:#fff}.button.is-primary.is-focused:not(:active),.button.is-primary:focus:not(:active){box-shadow:0 0 0 .125em rgba(0,209,178,.25)}.button.is-primary.is-active,.button.is-primary:active{background-color:#00b89c;border-color:transparent;color:#fff}.button.is-primary[disabled]{background-color:#00d1b2;border-color:transparent;box-shadow:none}.button.is-primary.is-inverted{background-color:#fff;color:#00d1b2}.button.is-primary.is-inverted:hover{background-color:#f2f2f2}.button.is-primary.is-inverted[disabled]{background-color:#fff;border-color:transparent;box-shadow:none;color:#00d1b2}.button.is-info.is-loading::after,.button.is-link.is-loading::after,.button.is-primary.is-loading::after,.button.is-success.is-loading::after{border-color:transparent transparent #fff #fff!important}.button.is-primary.is-outlined{background-color:transparent;border-color:#00d1b2;color:#00d1b2}.button.is-primary.is-outlined:focus,.button.is-primary.is-outlined:hover{background-color:#00d1b2;border-color:#00d1b2;color:#fff}.button.is-primary.is-outlined.is-loading::after{border-color:transparent transparent #00d1b2 #00d1b2!important}.button.is-primary.is-outlined[disabled]{background-color:transparent;border-color:#00d1b2;box-shadow:none;color:#00d1b2}.button.is-primary.is-inverted.is-outlined{background-color:transparent;border-color:#fff;color:#fff}.button.is-primary.is-inverted.is-outlined:focus,.button.is-primary.is-inverted.is-outlined:hover{background-color:#fff;color:#00d1b2}.button.is-primary.is-inverted.is-outlined[disabled]{background-color:transparent;border-color:#fff;box-shadow:none;color:#fff}.button.is-link{background-color:#3273dc;border-color:transparent;color:#fff}.button.is-link.is-hovered,.button.is-link:hover{background-color:#276cda;border-color:transparent;color:#fff}.button.is-link.is-focused,.button.is-link:focus{border-color:transparent;color:#fff}.button.is-link.is-focused:not(:active),.button.is-link:focus:not(:active){box-shadow:0 0 0 .125em rgba(50,115,220,.25)}.button.is-link.is-active,.button.is-link:active{background-color:#2366d1;border-color:transparent;color:#fff}.button.is-link[disabled]{background-color:#3273dc;border-color:transparent;box-shadow:none}.button.is-link.is-inverted{background-color:#fff;color:#3273dc}.button.is-link.is-inverted:hover{background-color:#f2f2f2}.button.is-link.is-inverted[disabled]{background-color:#fff;border-color:transparent;box-shadow:none;color:#3273dc}.button.is-link.is-outlined{background-color:transparent;border-color:#3273dc;color:#3273dc}.button.is-link.is-outlined:focus,.button.is-link.is-outlined:hover{background-color:#3273dc;border-color:#3273dc;color:#fff}.button.is-link.is-outlined.is-loading::after{border-color:transparent transparent #3273dc #3273dc!important}.button.is-link.is-outlined[disabled]{background-color:transparent;border-color:#3273dc;box-shadow:none;color:#3273dc}.button.is-link.is-inverted.is-outlined{background-color:transparent;border-color:#fff;color:#fff}.button.is-link.is-inverted.is-outlined:focus,.button.is-link.is-inverted.is-outlined:hover{background-color:#fff;color:#3273dc}.button.is-link.is-inverted.is-outlined[disabled]{background-color:transparent;border-color:#fff;box-shadow:none;color:#fff}.button.is-info{background-color:#209cee;border-color:transparent;color:#fff}.button.is-info.is-hovered,.button.is-info:hover{background-color:#1496ed;border-color:transparent;color:#fff}.button.is-info.is-focused,.button.is-info:focus{border-color:transparent;color:#fff}.button.is-info.is-focused:not(:active),.button.is-info:focus:not(:active){box-shadow:0 0 0 .125em rgba(32,156,238,.25)}.button.is-info.is-active,.button.is-info:active{background-color:#118fe4;border-color:transparent;color:#fff}.button.is-info[disabled]{background-color:#209cee;border-color:transparent;box-shadow:none}.button.is-info.is-inverted{background-color:#fff;color:#209cee}.button.is-info.is-inverted:hover{background-color:#f2f2f2}.button.is-info.is-inverted[disabled]{background-color:#fff;border-color:transparent;box-shadow:none;color:#209cee}.button.is-info.is-outlined{background-color:transparent;border-color:#209cee;color:#209cee}.button.is-info.is-outlined:focus,.button.is-info.is-outlined:hover{background-color:#209cee;border-color:#209cee;color:#fff}.button.is-info.is-outlined.is-loading::after{border-color:transparent transparent #209cee #209cee!important}.button.is-info.is-outlined[disabled]{background-color:transparent;border-color:#209cee;box-shadow:none;color:#209cee}.button.is-info.is-inverted.is-outlined{background-color:transparent;border-color:#fff;color:#fff}.button.is-info.is-inverted.is-outlined:focus,.button.is-info.is-inverted.is-outlined:hover{background-color:#fff;color:#209cee}.button.is-info.is-inverted.is-outlined[disabled]{background-color:transparent;border-color:#fff;box-shadow:none;color:#fff}.button.is-success{background-color:#23d160;border-color:transparent;color:#fff}.button.is-success.is-hovered,.button.is-success:hover{background-color:#22c65b;border-color:transparent;color:#fff}.button.is-success.is-focused,.button.is-success:focus{border-color:transparent;color:#fff}.button.is-success.is-focused:not(:active),.button.is-success:focus:not(:active){box-shadow:0 0 0 .125em rgba(35,209,96,.25)}.button.is-success.is-active,.button.is-success:active{background-color:#20bc56;border-color:transparent;color:#fff}.button.is-success[disabled]{background-color:#23d160;border-color:transparent;box-shadow:none}.button.is-success.is-inverted{background-color:#fff;color:#23d160}.button.is-success.is-inverted:hover{background-color:#f2f2f2}.button.is-success.is-inverted[disabled]{background-color:#fff;border-color:transparent;box-shadow:none;color:#23d160}.button.is-success.is-outlined{background-color:transparent;border-color:#23d160;color:#23d160}.button.is-success.is-outlined:focus,.button.is-success.is-outlined:hover{background-color:#23d160;border-color:#23d160;color:#fff}.button.is-success.is-outlined.is-loading::after{border-color:transparent transparent #23d160 #23d160!important}.button.is-success.is-outlined[disabled]{background-color:transparent;border-color:#23d160;box-shadow:none;color:#23d160}.button.is-success.is-inverted.is-outlined{background-color:transparent;border-color:#fff;color:#fff}.button.is-success.is-inverted.is-outlined:focus,.button.is-success.is-inverted.is-outlined:hover{background-color:#fff;color:#23d160}.button.is-success.is-inverted.is-outlined[disabled]{background-color:transparent;border-color:#fff;box-shadow:none;color:#fff}.button.is-warning{background-color:#ffdd57;border-color:transparent;color:rgba(0,0,0,.7)}.button.is-warning.is-hovered,.button.is-warning:hover{background-color:#ffdb4a;border-color:transparent;color:rgba(0,0,0,.7)}.button.is-warning.is-focused,.button.is-warning:focus{border-color:transparent;color:rgba(0,0,0,.7)}.button.is-warning.is-focused:not(:active),.button.is-warning:focus:not(:active){box-shadow:0 0 0 .125em rgba(255,221,87,.25)}.button.is-warning.is-active,.button.is-warning:active{background-color:#ffd83d;border-color:transparent;color:rgba(0,0,0,.7)}.button.is-warning[disabled]{background-color:#ffdd57;border-color:transparent;box-shadow:none}.button.is-warning.is-inverted{color:#ffdd57}.button.is-warning.is-inverted,.button.is-warning.is-inverted:hover{background-color:rgba(0,0,0,.7)}.button.is-warning.is-inverted[disabled]{background-color:rgba(0,0,0,.7);border-color:transparent;box-shadow:none;color:#ffdd57}.button.is-warning.is-loading::after{border-color:transparent transparent rgba(0,0,0,.7) rgba(0,0,0,.7)!important}.button.is-warning.is-outlined{background-color:transparent;border-color:#ffdd57;color:#ffdd57}.button.is-warning.is-outlined:focus,.button.is-warning.is-outlined:hover{background-color:#ffdd57;border-color:#ffdd57;color:rgba(0,0,0,.7)}.button.is-warning.is-outlined.is-loading::after{border-color:transparent transparent #ffdd57 #ffdd57!important}.button.is-warning.is-outlined[disabled]{background-color:transparent;border-color:#ffdd57;box-shadow:none;color:#ffdd57}.button.is-warning.is-inverted.is-outlined{background-color:transparent;border-color:rgba(0,0,0,.7);color:rgba(0,0,0,.7)}.button.is-warning.is-inverted.is-outlined:focus,.button.is-warning.is-inverted.is-outlined:hover{background-color:rgba(0,0,0,.7);color:#ffdd57}.button.is-warning.is-inverted.is-outlined[disabled]{background-color:transparent;border-color:rgba(0,0,0,.7);box-shadow:none;color:rgba(0,0,0,.7)}.button.is-danger{background-color:#ff3860;border-color:transparent;color:#fff}.button.is-danger.is-hovered,.button.is-danger:hover{background-color:#ff2b56;border-color:transparent;color:#fff}.button.is-danger.is-focused,.button.is-danger:focus{border-color:transparent;color:#fff}.button.is-danger.is-focused:not(:active),.button.is-danger:focus:not(:active){box-shadow:0 0 0 .125em rgba(255,56,96,.25)}.button.is-danger.is-active,.button.is-danger:active{background-color:#ff1f4b;border-color:transparent;color:#fff}.button.is-danger[disabled]{background-color:#ff3860;border-color:transparent;box-shadow:none}.button.is-danger.is-inverted{background-color:#fff;color:#ff3860}.button.is-danger.is-inverted:hover{background-color:#f2f2f2}.button.is-danger.is-inverted[disabled]{background-color:#fff;border-color:transparent;box-shadow:none;color:#ff3860}.button.is-danger.is-loading::after{border-color:transparent transparent #fff #fff!important}.button.is-danger.is-outlined{background-color:transparent;border-color:#ff3860;color:#ff3860}.button.is-danger.is-outlined:focus,.button.is-danger.is-outlined:hover{background-color:#ff3860;border-color:#ff3860;color:#fff}.button.is-danger.is-outlined.is-loading::after{border-color:transparent transparent #ff3860 #ff3860!important}.button.is-danger.is-outlined[disabled]{background-color:transparent;border-color:#ff3860;box-shadow:none;color:#ff3860}.button.is-danger.is-inverted.is-outlined{background-color:transparent;border-color:#fff;color:#fff}.button.is-danger.is-inverted.is-outlined:focus,.button.is-danger.is-inverted.is-outlined:hover{background-color:#fff;color:#ff3860}.button.is-danger.is-inverted.is-outlined[disabled]{background-color:transparent;border-color:#fff;box-shadow:none;color:#fff}.button.is-small{border-radius:2px;font-size:.75rem}.button.is-medium{font-size:1.25rem}.button.is-large{font-size:1.5rem}.button[disabled]{background-color:#fff;border-color:#dbdbdb;box-shadow:none;opacity:.5}.button.is-fullwidth{display:flex;width:100%}.button.is-loading{color:transparent!important;pointer-events:none}.button.is-loading::after{left:calc(50% - (1em/2));top:calc(50% - (1em/2));position:absolute!important}.button.is-static{background-color:#f5f5f5;border-color:#dbdbdb;color:#7a7a7a;box-shadow:none;pointer-events:none}.button.is-rounded{border-radius:290486px;padding-left:1em;padding-right:1em}.buttons{align-items:center;display:flex;flex-wrap:wrap;justify-content:flex-start}.buttons .button{margin-bottom:.5rem}.buttons .button:not(:last-child){margin-right:.5rem}.buttons:last-child{margin-bottom:-.5rem}.buttons:not(:last-child){margin-bottom:1rem}.buttons.has-addons .button:not(:first-child){border-bottom-left-radius:0;border-top-left-radius:0}.buttons.has-addons .button:not(:last-child){border-bottom-right-radius:0;border-top-right-radius:0;margin-right:-1px}.buttons.has-addons .button:last-child{margin-right:0}.buttons.has-addons .button.is-hovered,.buttons.has-addons .button:hover{z-index:2}.buttons.has-addons .button.is-active,.buttons.has-addons .button.is-focused,.buttons.has-addons .button.is-selected,.buttons.has-addons .button:active,.buttons.has-addons .button:focus{z-index:3}.buttons.has-addons .button.is-active:hover,.buttons.has-addons .button.is-focused:hover,.buttons.has-addons .button.is-selected:hover,.buttons.has-addons .button:active:hover,.buttons.has-addons .button:focus:hover{z-index:4}.buttons.has-addons .button.is-expanded{flex-grow:1}.buttons.is-centered{justify-content:center}.buttons.is-right{justify-content:flex-end}.container{margin:0 auto;position:relative}@media screen and (min-width:1088px){.container{max-width:960px;width:960px}.container.is-fluid{margin-left:64px;margin-right:64px;max-width:none;width:auto}}@media screen and (max-width:1279px){.container.is-widescreen{max-width:1152px;width:auto}}@media screen and (max-width:1471px){.container.is-fullhd{max-width:1344px;width:auto}}@media screen and (min-width:1280px){.container{max-width:1152px;width:1152px}}@media screen and (min-width:1472px){.container{max-width:1344px;width:1344px}}.content li+li{margin-top:.25em}.content blockquote:not(:last-child),.content dl:not(:last-child),.content ol:not(:last-child),.content p:not(:last-child),.content pre:not(:last-child),.content table:not(:last-child),.content ul:not(:last-child){margin-bottom:1em}.content h1,.content h2,.content h3,.content h4,.content h5,.content h6{color:#363636;font-weight:600;line-height:1.125}.content h1{font-size:2em;margin-bottom:.5em}.content h1:not(:first-child){margin-top:1em}.content h2{font-size:1.75em;margin-bottom:.5714em}.content h2:not(:first-child){margin-top:1.1428em}.content h3{font-size:1.5em;margin-bottom:.6666em}.content h3:not(:first-child){margin-top:1.3333em}.content h4{font-size:1.25em;margin-bottom:.8em}.content h5{font-size:1.125em;margin-bottom:.8888em}.content h6{font-size:1em;margin-bottom:1em}.content blockquote{background-color:#f5f5f5;border-left:5px solid #dbdbdb;padding:1.25em 1.5em}.content ol,.content ul{list-style:decimal outside;margin-top:1em}.content ul{list-style:disc outside}.content ul ul{list-style-type:circle;margin-top:.5em}.content ul ul ul{list-style-type:square}.content dd,.content ol,.content ul{margin-left:2em}.content figure{margin-left:2em;margin-right:2em;text-align:center}.content figure:not(:first-child){margin-top:2em}.content figure:not(:last-child){margin-bottom:2em}.content figure img{display:inline-block}.content figure figcaption{font-style:italic}.content pre{-webkit-overflow-scrolling:touch;overflow-x:auto;padding:1.25em 1.5em;white-space:pre;word-wrap:normal}.content sub,.content sup{font-size:75%}.content table{width:100%}.content table td,.content table th,.table td,.table th{border:1px solid #dbdbdb;border-width:0 0 1px;padding:.5em .75em;vertical-align:top}.content table th,.table th{color:#363636;text-align:left}.content table thead td,.content table thead th,.table thead td,.table thead th{border-width:0 0 2px;color:#363636}.content table tfoot td,.content table tfoot th,.table tfoot td,.table tfoot th{border-width:2px 0 0;color:#363636}.content table tbody tr:last-child td,.content table tbody tr:last-child th,.table tbody tr:last-child td,.table tbody tr:last-child th{border-bottom-width:0}.content.is-small{font-size:.75rem}.content.is-medium{font-size:1.25rem}.content.is-large{font-size:1.5rem}.input{max-width:100%}.input,.textarea{background-color:#fff;border-color:#dbdbdb;color:#363636;box-shadow:inset 0 1px 2px rgba(10,10,10,.1);width:100%}.input:-moz-placeholder,.input::-moz-placeholder,.select select::-moz-placeholder,.textarea:-moz-placeholder,.textarea::-moz-placeholder{color:rgba(54,54,54,.3)}.input::-webkit-input-placeholder,.select select::-webkit-input-placeholder,.textarea::-webkit-input-placeholder{color:rgba(54,54,54,.3)}.input:-ms-input-placeholder,.textarea:-ms-input-placeholder{color:rgba(54,54,54,.3)}.input.is-hovered,.input:hover,.textarea.is-hovered,.textarea:hover{border-color:#b5b5b5}.input.is-active,.input.is-focused,.input:active,.input:focus,.textarea.is-active,.textarea.is-focused,.textarea:active,.textarea:focus{border-color:#3273dc;box-shadow:0 0 0 .125em rgba(50,115,220,.25)}.input[disabled],.textarea[disabled]{background-color:#f5f5f5;border-color:#f5f5f5;box-shadow:none;color:#7a7a7a}.input[disabled]:-moz-placeholder,.input[disabled]::-moz-placeholder,.select select[disabled]:-moz-placeholder,.select select[disabled]::-moz-placeholder,.textarea[disabled]:-moz-placeholder,.textarea[disabled]::-moz-placeholder{color:rgba(122,122,122,.3)}.input[disabled]::-webkit-input-placeholder,.select select[disabled]::-webkit-input-placeholder,.textarea[disabled]::-webkit-input-placeholder{color:rgba(122,122,122,.3)}.input[disabled]:-ms-input-placeholder,.select select[disabled]:-ms-input-placeholder,.textarea[disabled]:-ms-input-placeholder{color:rgba(122,122,122,.3)}.input[readonly],.textarea[readonly]{box-shadow:none}.input.is-white,.textarea.is-white{border-color:#fff}.input.is-white.is-active,.input.is-white.is-focused,.input.is-white:active,.input.is-white:focus,.textarea.is-white.is-active,.textarea.is-white.is-focused,.textarea.is-white:active,.textarea.is-white:focus{box-shadow:0 0 0 .125em rgba(255,255,255,.25)}.input.is-black,.textarea.is-black{border-color:#0a0a0a}.input.is-black.is-active,.input.is-black.is-focused,.input.is-black:active,.input.is-black:focus,.textarea.is-black.is-active,.textarea.is-black.is-focused,.textarea.is-black:active,.textarea.is-black:focus{box-shadow:0 0 0 .125em rgba(10,10,10,.25)}.input.is-light,.select select[disabled]:hover,.textarea.is-light{border-color:#f5f5f5}.input.is-light.is-active,.input.is-light.is-focused,.input.is-light:active,.input.is-light:focus,.textarea.is-light.is-active,.textarea.is-light.is-focused,.textarea.is-light:active,.textarea.is-light:focus{box-shadow:0 0 0 .125em rgba(245,245,245,.25)}.input.is-dark,.textarea.is-dark{border-color:#363636}.input.is-dark.is-active,.input.is-dark.is-focused,.input.is-dark:active,.input.is-dark:focus,.textarea.is-dark.is-active,.textarea.is-dark.is-focused,.textarea.is-dark:active,.textarea.is-dark:focus{box-shadow:0 0 0 .125em rgba(54,54,54,.25)}.input.is-primary,.textarea.is-primary{border-color:#00d1b2}.input.is-primary.is-active,.input.is-primary.is-focused,.input.is-primary:active,.input.is-primary:focus,.textarea.is-primary.is-active,.textarea.is-primary.is-focused,.textarea.is-primary:active,.textarea.is-primary:focus{box-shadow:0 0 0 .125em rgba(0,209,178,.25)}.input.is-link,.textarea.is-link{border-color:#3273dc}.input.is-link.is-active,.input.is-link.is-focused,.input.is-link:active,.input.is-link:focus,.textarea.is-link.is-active,.textarea.is-link.is-focused,.textarea.is-link:active,.textarea.is-link:focus{box-shadow:0 0 0 .125em rgba(50,115,220,.25)}.input.is-info,.textarea.is-info{border-color:#209cee}.input.is-info.is-active,.input.is-info.is-focused,.input.is-info:active,.input.is-info:focus,.textarea.is-info.is-active,.textarea.is-info.is-focused,.textarea.is-info:active,.textarea.is-info:focus{box-shadow:0 0 0 .125em rgba(32,156,238,.25)}.input.is-success,.textarea.is-success{border-color:#23d160}.input.is-success.is-active,.input.is-success.is-focused,.input.is-success:active,.input.is-success:focus,.textarea.is-success.is-active,.textarea.is-success.is-focused,.textarea.is-success:active,.textarea.is-success:focus{box-shadow:0 0 0 .125em rgba(35,209,96,.25)}.input.is-warning,.textarea.is-warning{border-color:#ffdd57}.input.is-warning.is-active,.input.is-warning.is-focused,.input.is-warning:active,.input.is-warning:focus,.textarea.is-warning.is-active,.textarea.is-warning.is-focused,.textarea.is-warning:active,.textarea.is-warning:focus{box-shadow:0 0 0 .125em rgba(255,221,87,.25)}.input.is-danger,.textarea.is-danger{border-color:#ff3860}.input.is-danger.is-active,.input.is-danger.is-focused,.input.is-danger:active,.input.is-danger:focus,.textarea.is-danger.is-active,.textarea.is-danger.is-focused,.textarea.is-danger:active,.textarea.is-danger:focus{box-shadow:0 0 0 .125em rgba(255,56,96,.25)}.input.is-small,.textarea.is-small{border-radius:2px;font-size:.75rem}.input.is-medium,.textarea.is-medium{font-size:1.25rem}.input.is-large,.textarea.is-large{font-size:1.5rem}.input.is-fullwidth,.textarea.is-fullwidth{display:block;width:100%}.input.is-inline,.textarea.is-inline{display:inline;width:auto}.input.is-rounded{border-radius:290486px;padding-left:1em;padding-right:1em}.input.is-static{background-color:transparent;border-color:transparent;box-shadow:none;padding-left:0;padding-right:0}.textarea{display:block;max-width:100%;min-width:100%;padding:.625em;resize:vertical}.textarea:not([rows]){max-height:600px;min-height:120px}.textarea[rows]{height:initial}.textarea.has-fixed-size{resize:none}.checkbox,.radio,.select{display:inline-block;position:relative}.checkbox,.radio{cursor:pointer;line-height:1.25}.checkbox input,.radio input{cursor:pointer}.checkbox:hover,.radio:hover{color:#363636}.checkbox[disabled],.radio[disabled]{color:#7a7a7a;cursor:not-allowed}.radio+.radio{margin-left:.5em}.select{max-width:100%;vertical-align:top}.select:not(.is-multiple){height:2.25em}.select:not(.is-multiple):not(.is-loading)::after{border-color:#3273dc;right:1.125em;z-index:4}.select.is-rounded select{border-radius:290486px;padding-left:1em}.select select{background-color:#fff;border-color:#dbdbdb;color:#363636;cursor:pointer;display:block;font-size:1em;max-width:100%;outline:0}.select select:-moz-placeholder{color:rgba(54,54,54,.3)}.select select:-ms-input-placeholder{color:rgba(54,54,54,.3)}.select select.is-hovered,.select select:hover{border-color:#b5b5b5}.select select.is-active,.select select.is-focused,.select select:active,.select select:focus{border-color:#3273dc;box-shadow:0 0 0 .125em rgba(50,115,220,.25)}.select select[disabled]{background-color:#f5f5f5;border-color:#f5f5f5;box-shadow:none;color:#7a7a7a}.select select::-ms-expand{display:none}.select select:not([multiple]){padding-right:2.5em}.select select[multiple]{height:initial;padding:0}.select select[multiple] option{padding:.5em 1em}.select:not(.is-multiple):not(.is-loading):hover::after{border-color:#363636}.select.is-white:not(:hover)::after{border-color:#fff}.select.is-white select{border-color:#fff}.select.is-white select.is-hovered,.select.is-white select:hover{border-color:#f2f2f2}.select.is-white select.is-active,.select.is-white select.is-focused,.select.is-white select:active,.select.is-white select:focus{box-shadow:0 0 0 .125em rgba(255,255,255,.25)}.select.is-black:not(:hover)::after{border-color:#0a0a0a}.select.is-black select{border-color:#0a0a0a}.select.is-black select.is-hovered,.select.is-black select:hover{border-color:#000}.select.is-black select.is-active,.select.is-black select.is-focused,.select.is-black select:active,.select.is-black select:focus{box-shadow:0 0 0 .125em rgba(10,10,10,.25)}.select.is-light:not(:hover)::after{border-color:#f5f5f5}.select.is-light select{border-color:#f5f5f5}.select.is-light select.is-hovered,.select.is-light select:hover{border-color:#e8e8e8}.select.is-light select.is-active,.select.is-light select.is-focused,.select.is-light select:active,.select.is-light select:focus{box-shadow:0 0 0 .125em rgba(245,245,245,.25)}.select.is-dark:not(:hover)::after{border-color:#363636}.select.is-dark select{border-color:#363636}.select.is-dark select.is-hovered,.select.is-dark select:hover{border-color:#292929}.select.is-dark select.is-active,.select.is-dark select.is-focused,.select.is-dark select:active,.select.is-dark select:focus{box-shadow:0 0 0 .125em rgba(54,54,54,.25)}.select.is-primary:not(:hover)::after{border-color:#00d1b2}.select.is-primary select{border-color:#00d1b2}.select.is-primary select.is-hovered,.select.is-primary select:hover{border-color:#00b89c}.select.is-primary select.is-active,.select.is-primary select.is-focused,.select.is-primary select:active,.select.is-primary select:focus{box-shadow:0 0 0 .125em rgba(0,209,178,.25)}.select.is-link:not(:hover)::after{border-color:#3273dc}.select.is-link select{border-color:#3273dc}.select.is-link select.is-hovered,.select.is-link select:hover{border-color:#2366d1}.select.is-link select.is-active,.select.is-link select.is-focused,.select.is-link select:active,.select.is-link select:focus{box-shadow:0 0 0 .125em rgba(50,115,220,.25)}.select.is-info:not(:hover)::after{border-color:#209cee}.select.is-info select{border-color:#209cee}.select.is-info select.is-hovered,.select.is-info select:hover{border-color:#118fe4}.select.is-info select.is-active,.select.is-info select.is-focused,.select.is-info select:active,.select.is-info select:focus{box-shadow:0 0 0 .125em rgba(32,156,238,.25)}.select.is-success:not(:hover)::after{border-color:#23d160}.select.is-success select{border-color:#23d160}.select.is-success select.is-hovered,.select.is-success select:hover{border-color:#20bc56}.select.is-success select.is-active,.select.is-success select.is-focused,.select.is-success select:active,.select.is-success select:focus{box-shadow:0 0 0 .125em rgba(35,209,96,.25)}.select.is-warning:not(:hover)::after{border-color:#ffdd57}.select.is-warning select{border-color:#ffdd57}.select.is-warning select.is-hovered,.select.is-warning select:hover{border-color:#ffd83d}.select.is-warning select.is-active,.select.is-warning select.is-focused,.select.is-warning select:active,.select.is-warning select:focus{box-shadow:0 0 0 .125em rgba(255,221,87,.25)}.select.is-danger:not(:hover)::after{border-color:#ff3860}.select.is-danger select{border-color:#ff3860}.select.is-danger select.is-hovered,.select.is-danger select:hover{border-color:#ff1f4b}.select.is-danger select.is-active,.select.is-danger select.is-focused,.select.is-danger select:active,.select.is-danger select:focus{box-shadow:0 0 0 .125em rgba(255,56,96,.25)}.select.is-small{border-radius:2px;font-size:.75rem}.select.is-medium{font-size:1.25rem}.select.is-large{font-size:1.5rem}.select.is-disabled::after{border-color:#7a7a7a}.select.is-fullwidth,.select.is-fullwidth select{width:100%}.select.is-loading::after{margin-top:0;position:absolute;right:.625em;top:.625em;transform:none}.file.is-small,.select.is-loading.is-small:after{font-size:.75rem}.file.is-medium,.select.is-loading.is-medium:after{font-size:1.25rem}.file.is-large,.select.is-loading.is-large:after{font-size:1.5rem}.file{align-items:stretch;display:flex;justify-content:flex-start;position:relative}.file.is-white .file-cta{background-color:#fff;border-color:transparent;color:#0a0a0a}.file.is-white.is-hovered .file-cta,.file.is-white:hover .file-cta{background-color:#f9f9f9;border-color:transparent;color:#0a0a0a}.file.is-white.is-focused .file-cta,.file.is-white:focus .file-cta{border-color:transparent;box-shadow:0 0 .5em rgba(255,255,255,.25);color:#0a0a0a}.file.is-white.is-active .file-cta,.file.is-white:active .file-cta{background-color:#f2f2f2;border-color:transparent;color:#0a0a0a}.file.is-black .file-cta{background-color:#0a0a0a;border-color:transparent;color:#fff}.file.is-black.is-hovered .file-cta,.file.is-black:hover .file-cta{background-color:#040404;border-color:transparent;color:#fff}.file.is-black.is-focused .file-cta,.file.is-black:focus .file-cta{border-color:transparent;box-shadow:0 0 .5em rgba(10,10,10,.25);color:#fff}.file.is-black.is-active .file-cta,.file.is-black:active .file-cta{background-color:#000;border-color:transparent;color:#fff}.file.is-light .file-cta{background-color:#f5f5f5;border-color:transparent;color:#363636}.file.is-light.is-hovered .file-cta,.file.is-light:hover .file-cta{background-color:#eee;border-color:transparent;color:#363636}.file.is-light.is-focused .file-cta,.file.is-light:focus .file-cta{border-color:transparent;box-shadow:0 0 .5em rgba(245,245,245,.25);color:#363636}.file.is-dark .file-cta,.file.is-light.is-active .file-cta,.file.is-light:active .file-cta{background-color:#e8e8e8;border-color:transparent;color:#363636}.file.is-dark .file-cta{background-color:#363636;color:#f5f5f5}.file.is-dark.is-hovered .file-cta,.file.is-dark:hover .file-cta{background-color:#2f2f2f;border-color:transparent;color:#f5f5f5}.file.is-dark.is-focused .file-cta,.file.is-dark:focus .file-cta{border-color:transparent;box-shadow:0 0 .5em rgba(54,54,54,.25);color:#f5f5f5}.file.is-dark.is-active .file-cta,.file.is-dark:active .file-cta{background-color:#292929;border-color:transparent;color:#f5f5f5}.file.is-primary .file-cta{background-color:#00d1b2;border-color:transparent;color:#fff}.file.is-primary.is-hovered .file-cta,.file.is-primary:hover .file-cta{background-color:#00c4a7;border-color:transparent;color:#fff}.file.is-primary.is-focused .file-cta,.file.is-primary:focus .file-cta{border-color:transparent;box-shadow:0 0 .5em rgba(0,209,178,.25);color:#fff}.file.is-link .file-cta,.file.is-primary.is-active .file-cta,.file.is-primary:active .file-cta{background-color:#00b89c;border-color:transparent;color:#fff}.file.is-link .file-cta{background-color:#3273dc}.file.is-link.is-hovered .file-cta,.file.is-link:hover .file-cta{background-color:#276cda;border-color:transparent;color:#fff}.file.is-link.is-focused .file-cta,.file.is-link:focus .file-cta{border-color:transparent;box-shadow:0 0 .5em rgba(50,115,220,.25);color:#fff}.file.is-info .file-cta,.file.is-link.is-active .file-cta,.file.is-link:active .file-cta{background-color:#2366d1;border-color:transparent;color:#fff}.file.is-info .file-cta{background-color:#209cee}.file.is-info.is-hovered .file-cta,.file.is-info:hover .file-cta{background-color:#1496ed;border-color:transparent;color:#fff}.file.is-info.is-focused .file-cta,.file.is-info:focus .file-cta{border-color:transparent;box-shadow:0 0 .5em rgba(32,156,238,.25);color:#fff}.file.is-info.is-active .file-cta,.file.is-info:active .file-cta,.file.is-success .file-cta{background-color:#118fe4;border-color:transparent;color:#fff}.file.is-success .file-cta{background-color:#23d160}.file.is-success.is-hovered .file-cta,.file.is-success:hover .file-cta{background-color:#22c65b;border-color:transparent;color:#fff}.file.is-success.is-focused .file-cta,.file.is-success:focus .file-cta{border-color:transparent;box-shadow:0 0 .5em rgba(35,209,96,.25);color:#fff}.file.is-success.is-active .file-cta,.file.is-success:active .file-cta{background-color:#20bc56;border-color:transparent;color:#fff}.file.is-warning .file-cta{background-color:#ffdd57;border-color:transparent;color:rgba(0,0,0,.7)}.file.is-warning.is-hovered .file-cta,.file.is-warning:hover .file-cta{background-color:#ffdb4a;border-color:transparent;color:rgba(0,0,0,.7)}.file.is-warning.is-focused .file-cta,.file.is-warning:focus .file-cta{border-color:transparent;box-shadow:0 0 .5em rgba(255,221,87,.25);color:rgba(0,0,0,.7)}.file.is-warning.is-active .file-cta,.file.is-warning:active .file-cta{background-color:#ffd83d;border-color:transparent;color:rgba(0,0,0,.7)}.file.is-danger .file-cta{background-color:#ff3860;border-color:transparent;color:#fff}.file.is-danger.is-hovered .file-cta,.file.is-danger:hover .file-cta{background-color:#ff2b56;border-color:transparent;color:#fff}.file.is-danger.is-focused .file-cta,.file.is-danger:focus .file-cta{border-color:transparent;box-shadow:0 0 .5em rgba(255,56,96,.25);color:#fff}.file.is-danger.is-active .file-cta,.file.is-danger:active .file-cta{background-color:#ff1f4b;border-color:transparent;color:#fff}.file.is-medium .file-icon .fa{font-size:21px}.file.is-large .file-icon .fa{font-size:28px}.file.has-name .file-cta{border-bottom-right-radius:0;border-top-right-radius:0}.file.has-name .file-name{border-bottom-left-radius:0;border-top-left-radius:0}.file.has-name.is-empty .file-cta{border-radius:4px}.file.has-name.is-empty .file-name{display:none}.file.is-boxed .file-label{flex-direction:column}.file.is-boxed .file-cta{flex-direction:column;height:auto;padding:1em 3em}.file.is-boxed .file-name{border-width:0 1px 1px}.file.is-boxed .file-icon{height:1.5em;width:1.5em}.file.is-boxed .file-icon .fa{font-size:21px}.file.is-boxed.is-small .file-icon .fa{font-size:14px}.file.is-boxed.is-medium .file-icon .fa{font-size:28px}.file.is-boxed.is-large .file-icon .fa{font-size:35px}.file.is-boxed.has-name .file-cta{border-radius:4px 4px 0 0}.file.is-boxed.has-name .file-name{border-radius:0 0 4px 4px;border-width:0 1px 1px}.file.is-centered{justify-content:center}.file.is-fullwidth .file-label{width:100%}.file.is-fullwidth .file-name{flex-grow:1;max-width:none}.file.is-right{justify-content:flex-end}.file.is-right .file-cta{border-radius:0 4px 4px 0}.file.is-right .file-name{border-radius:4px 0 0 4px;border-width:1px 0 1px 1px;order:-1}.file-label{align-items:stretch;display:flex;cursor:pointer;justify-content:flex-start;overflow:hidden;position:relative}.file-label:hover .file-cta{background-color:#eee;color:#363636}.file-label:hover .file-name{border-color:#d5d5d5}.file-label:active .file-cta{background-color:#e8e8e8;color:#363636}.file-label:active .file-name{border-color:#cfcfcf}.file-input{height:.01em;left:0;outline:0;position:absolute;top:0;width:.01em}.file-cta{border-color:#dbdbdb}.file-cta,.file-name{border-radius:4px;font-size:1em;padding-left:1em;padding-right:1em;white-space:nowrap}.file-cta{background-color:#f5f5f5;color:#4a4a4a}.file-name{border-color:#dbdbdb;border-style:solid;border-width:1px 1px 1px 0;display:block;max-width:16em;overflow:hidden;text-align:left;text-overflow:ellipsis}.file-icon{align-items:center;display:flex;height:1em;justify-content:center;margin-right:.5em;width:1em}.file-icon .fa{font-size:14px}.label{color:#363636;display:block;font-size:1rem;font-weight:700}.label:not(:last-child){margin-bottom:.5em}.help,.label.is-small{font-size:.75rem}.label.is-medium{font-size:1.25rem}.label.is-large{font-size:1.5rem}.help{display:block;margin-top:.25rem}.help.is-white{color:#fff}.help.is-black{color:#0a0a0a}.help.is-light{color:#f5f5f5}.help.is-dark{color:#363636}.help.is-primary{color:#00d1b2}.help.is-link{color:#3273dc}.help.is-info{color:#209cee}.help.is-success{color:#23d160}.help.is-warning{color:#ffdd57}.help.is-danger{color:#ff3860}.field:not(:last-child){margin-bottom:.75rem}.field.has-addons,.field.is-grouped{display:flex;justify-content:flex-start}.field.has-addons .control:not(:last-child){margin-right:-1px}.field.has-addons .control:not(:first-child):not(:last-child) .button,.field.has-addons .control:not(:first-child):not(:last-child) .input,.field.has-addons .control:not(:first-child):not(:last-child) .select select{border-radius:0}.field.has-addons .control:first-child .button,.field.has-addons .control:first-child .input,.field.has-addons .control:first-child .select select{border-bottom-right-radius:0;border-top-right-radius:0}.field.has-addons .control:last-child .button,.field.has-addons .control:last-child .input,.field.has-addons .control:last-child .select select{border-bottom-left-radius:0;border-top-left-radius:0}.field.has-addons .control .button.is-hovered,.field.has-addons .control .button:hover,.field.has-addons .control .input.is-hovered,.field.has-addons .control .input:hover,.field.has-addons .control .select select.is-hovered,.field.has-addons .control .select select:hover{z-index:2}.field.has-addons .control .button.is-active,.field.has-addons .control .button.is-focused,.field.has-addons .control .button:active,.field.has-addons .control .button:focus,.field.has-addons .control .input.is-active,.field.has-addons .control .input.is-focused,.field.has-addons .control .input:active,.field.has-addons .control .input:focus,.field.has-addons .control .select select.is-active,.field.has-addons .control .select select.is-focused,.field.has-addons .control .select select:active,.field.has-addons .control .select select:focus{z-index:3}.field.has-addons .control .button.is-active:hover,.field.has-addons .control .button.is-focused:hover,.field.has-addons .control .button:active:hover,.field.has-addons .control .button:focus:hover,.field.has-addons .control .input.is-active:hover,.field.has-addons .control .input.is-focused:hover,.field.has-addons .control .input:active:hover,.field.has-addons .control .input:focus:hover,.field.has-addons .control .select select.is-active:hover,.field.has-addons .control .select select.is-focused:hover,.field.has-addons .control .select select:active:hover,.field.has-addons .control .select select:focus:hover{z-index:4}.field.has-addons .control.is-expanded{flex-grow:1}.field.has-addons.has-addons-centered{justify-content:center}.field.has-addons.has-addons-right{justify-content:flex-end}.field.has-addons.has-addons-fullwidth .control,.tabs.is-fullwidth li{flex-grow:1;flex-shrink:0}.field.is-grouped>.control{flex-shrink:0}.field.is-grouped>.control:not(:last-child){margin-bottom:0;margin-right:.75rem}.field.is-grouped>.control.is-expanded{flex-grow:1;flex-shrink:1}.field.is-grouped.is-grouped-centered{justify-content:center}.field.is-grouped.is-grouped-right{justify-content:flex-end}.field.is-grouped.is-grouped-multiline{flex-wrap:wrap}.field.is-grouped.is-grouped-multiline>.control:last-child,.field.is-grouped.is-grouped-multiline>.control:not(:last-child){margin-bottom:.75rem}.field.is-grouped.is-grouped-multiline:last-child{margin-bottom:-.75rem}.field.is-grouped.is-grouped-multiline:not(:last-child){margin-bottom:0}@media screen and (min-width:769px),print{.field.is-horizontal{display:flex}}.field-label .label{font-size:inherit}@media screen and (max-width:768px){.field-label{margin-bottom:.5rem}}@media screen and (min-width:769px),print{.field-label{flex-basis:0;flex-grow:1;flex-shrink:0;margin-right:1.5rem;text-align:right}.field-label.is-small{font-size:.75rem;padding-top:.375em}.field-label.is-normal{padding-top:.375em}.field-label.is-medium{font-size:1.25rem;padding-top:.375em}.field-label.is-large{font-size:1.5rem;padding-top:.375em}}.field-body .field .field{margin-bottom:0}@media screen and (min-width:769px),print{.field-body{display:flex;flex-basis:0;flex-grow:5}.field-body .field{margin-bottom:0}.field-body,.field-body>.field{flex-shrink:1}.field-body>.field:not(.is-narrow){flex-grow:1}.field-body>.field:not(:last-child){margin-right:.75rem}}.control{font-size:1rem;position:relative;text-align:left}.control.has-icon .icon,.control.has-icons-left .icon,.control.has-icons-right .icon{color:#dbdbdb;height:2.25em;pointer-events:none;position:absolute;top:0;width:2.25em;z-index:4}.control.has-icon .input:focus+.icon{color:#7a7a7a}.control.has-icon .input.is-small+.icon{font-size:.75rem}.control.has-icon .input.is-medium+.icon{font-size:1.25rem}.control.has-icon .input.is-large+.icon{font-size:1.5rem}.control.has-icon:not(.has-icon-right) .icon{left:0}.control.has-icon:not(.has-icon-right) .input{padding-left:2.25em}.control.has-icon.has-icon-right .icon{right:0}.control.has-icon.has-icon-right .input{padding-right:2.25em}.control.has-icons-left .input:focus~.icon,.control.has-icons-left .select:focus~.icon,.control.has-icons-right .input:focus~.icon,.control.has-icons-right .select:focus~.icon{color:#7a7a7a}.control.has-icons-left .input.is-small~.icon,.control.has-icons-left .select.is-small~.icon,.control.has-icons-right .input.is-small~.icon,.control.has-icons-right .select.is-small~.icon,.control.is-loading.is-small:after{font-size:.75rem}.control.has-icons-left .input.is-medium~.icon,.control.has-icons-left .select.is-medium~.icon,.control.has-icons-right .input.is-medium~.icon,.control.has-icons-right .select.is-medium~.icon,.control.is-loading.is-medium:after{font-size:1.25rem}.control.has-icons-left .input.is-large~.icon,.control.has-icons-left .select.is-large~.icon,.control.has-icons-right .input.is-large~.icon,.control.has-icons-right .select.is-large~.icon,.control.is-loading.is-large:after{font-size:1.5rem}.control.has-icons-left .input,.control.has-icons-left .select select{padding-left:2.25em}.control.has-icons-left .icon.is-left{left:0}.control.has-icons-right .input,.control.has-icons-right .select select{padding-right:2.25em}.control.has-icons-right .icon.is-right{right:0}.control.is-loading::after{position:absolute!important;right:.625em;top:.625em;z-index:4}.icon{align-items:center;display:inline-flex;justify-content:center;height:1.5rem;width:1.5rem}.icon.is-small{height:1rem;width:1rem}.icon.is-medium{height:2rem;width:2rem}.icon.is-large{height:3rem;width:3rem}.image{display:block;position:relative}.image img{display:block;height:auto;width:100%}.image img.is-rounded{border-radius:290486px}.image.is-16by9 img,.image.is-1by1 img,.image.is-1by2 img,.image.is-1by3 img,.image.is-2by1 img,.image.is-2by3 img,.image.is-3by1 img,.image.is-3by2 img,.image.is-3by4 img,.image.is-3by5 img,.image.is-4by3 img,.image.is-4by5 img,.image.is-5by3 img,.image.is-5by4 img,.image.is-9by16 img,.image.is-square img{height:100%;width:100%}.image.is-1by1,.image.is-square{padding-top:100%}.image.is-5by4{padding-top:80%}.image.is-4by3{padding-top:75%}.image.is-3by2{padding-top:66.6666%}.image.is-5by3{padding-top:60%}.image.is-16by9{padding-top:56.25%}.image.is-2by1{padding-top:50%}.image.is-3by1{padding-top:33.3333%}.image.is-4by5{padding-top:125%}.image.is-3by4{padding-top:133.3333%}.image.is-2by3{padding-top:150%}.image.is-3by5{padding-top:166.6666%}.image.is-9by16{padding-top:177.7777%}.image.is-1by2{padding-top:200%}.image.is-1by3{padding-top:300%}.image.is-16x16{height:16px;width:16px}.image.is-24x24{height:24px;width:24px}.image.is-32x32{height:32px;width:32px}.image.is-48x48{height:48px;width:48px}.image.is-64x64{height:64px;width:64px}.image.is-96x96{height:96px;width:96px}.image.is-128x128{height:128px;width:128px}.notification{background-color:#f5f5f5;border-radius:4px;padding:1.25rem 2.5rem 1.25rem 1.5rem;position:relative}.message a:not(.button):not(.tag),.notification a:not(.button){color:currentColor;text-decoration:underline}.notification code,.notification pre{background:#fff}.notification pre code{background:0 0}.notification>.delete{position:absolute;right:.5rem;top:.5rem}.notification .content,.notification .subtitle,.notification .title,.notification strong,.table td.is-selected a,.table td.is-selected strong,.table th.is-selected a,.table th.is-selected strong,.table tr.is-selected a,.table tr.is-selected strong{color:currentColor}.notification.is-white{background-color:#fff;color:#0a0a0a}.notification.is-black{background-color:#0a0a0a;color:#fff}.notification.is-light{background-color:#f5f5f5;color:#363636}.notification.is-dark{background-color:#363636;color:#f5f5f5}.notification.is-primary{background-color:#00d1b2;color:#fff}.notification.is-link{background-color:#3273dc;color:#fff}.notification.is-info{background-color:#209cee;color:#fff}.notification.is-success{background-color:#23d160;color:#fff}.notification.is-warning{background-color:#ffdd57;color:rgba(0,0,0,.7)}.notification.is-danger{background-color:#ff3860;color:#fff}.progress{-moz-appearance:none;-webkit-appearance:none;border:0;border-radius:290486px;display:block;height:1rem;overflow:hidden;padding:0;width:100%}.progress::-webkit-progress-bar{background-color:#dbdbdb}.progress::-webkit-progress-value{background-color:#4a4a4a}.progress::-moz-progress-bar{background-color:#4a4a4a}.progress::-ms-fill{background-color:#4a4a4a;border:0}.progress.is-white::-webkit-progress-value{background-color:#fff}.progress.is-white::-moz-progress-bar{background-color:#fff}.progress.is-white::-ms-fill{background-color:#fff}.progress.is-black::-webkit-progress-value{background-color:#0a0a0a}.progress.is-black::-moz-progress-bar{background-color:#0a0a0a}.progress.is-black::-ms-fill{background-color:#0a0a0a}.progress.is-light::-webkit-progress-value{background-color:#f5f5f5}.progress.is-light::-moz-progress-bar{background-color:#f5f5f5}.progress.is-light::-ms-fill{background-color:#f5f5f5}.progress.is-dark::-webkit-progress-value{background-color:#363636}.progress.is-dark::-moz-progress-bar{background-color:#363636}.progress.is-dark::-ms-fill{background-color:#363636}.progress.is-primary::-webkit-progress-value{background-color:#00d1b2}.progress.is-primary::-moz-progress-bar{background-color:#00d1b2}.progress.is-primary::-ms-fill{background-color:#00d1b2}.progress.is-link::-webkit-progress-value{background-color:#3273dc}.progress.is-link::-moz-progress-bar{background-color:#3273dc}.progress.is-link::-ms-fill{background-color:#3273dc}.progress.is-info::-webkit-progress-value{background-color:#209cee}.progress.is-info::-moz-progress-bar{background-color:#209cee}.progress.is-info::-ms-fill{background-color:#209cee}.progress.is-success::-webkit-progress-value{background-color:#23d160}.progress.is-success::-moz-progress-bar{background-color:#23d160}.progress.is-success::-ms-fill{background-color:#23d160}.progress.is-warning::-webkit-progress-value{background-color:#ffdd57}.progress.is-warning::-moz-progress-bar{background-color:#ffdd57}.progress.is-warning::-ms-fill{background-color:#ffdd57}.progress.is-danger::-webkit-progress-value{background-color:#ff3860}.progress.is-danger::-moz-progress-bar{background-color:#ff3860}.progress.is-danger::-ms-fill{background-color:#ff3860}.progress.is-small{height:.75rem}.progress.is-medium{height:1.25rem}.progress.is-large{height:1.5rem}.table{background-color:#fff;color:#363636}.table td.is-white,.table th.is-white{background-color:#fff;border-color:#fff;color:#0a0a0a}.hero.is-white .tabs.is-boxed li.is-active a,.hero.is-white .tabs.is-boxed li.is-active a:hover,.hero.is-white .tabs.is-toggle li.is-active a,.hero.is-white .tabs.is-toggle li.is-active a:hover,.table td.is-black,.table th.is-black{background-color:#0a0a0a;border-color:#0a0a0a;color:#fff}.table td.is-light,.table th.is-light{background-color:#f5f5f5;border-color:#f5f5f5;color:#363636}.table td.is-dark,.table th.is-dark{background-color:#363636;border-color:#363636;color:#f5f5f5}.table td.is-primary,.table th.is-primary{background-color:#00d1b2;border-color:#00d1b2;color:#fff}.table td.is-link,.table th.is-link{background-color:#3273dc;border-color:#3273dc;color:#fff}.table td.is-info,.table th.is-info{background-color:#209cee;border-color:#209cee;color:#fff}.table td.is-success,.table th.is-success{background-color:#23d160;border-color:#23d160;color:#fff}.table td.is-warning,.table th.is-warning{background-color:#ffdd57;border-color:#ffdd57;color:rgba(0,0,0,.7)}.table td.is-danger,.table th.is-danger{background-color:#ff3860;border-color:#ff3860;color:#fff}.table td.is-narrow,.table th.is-narrow{white-space:nowrap;width:1%}.table td.is-selected,.table th.is-selected,.table tr.is-selected{background-color:#00d1b2;color:#fff}.table tr.is-selected td,.table tr.is-selected th{border-color:#fff;color:currentColor}.table.is-bordered td,.table.is-bordered th{border-width:1px}.table.is-bordered tr:last-child td,.table.is-bordered tr:last-child th{border-bottom-width:1px}.table.is-fullwidth{width:100%}.table.is-hoverable tbody tr:not(.is-selected):hover{background-color:#fafafa}.table.is-hoverable.is-striped tbody tr:not(.is-selected):hover{background-color:#f5f5f5}.table.is-narrow td,.table.is-narrow th{padding:.25em .5em}.table.is-striped tbody tr:not(.is-selected):nth-child(even){background-color:#fafafa}.table-container{-webkit-overflow-scrolling:touch;overflow:auto;overflow-y:hidden;max-width:100%}.tags{align-items:center;display:flex;flex-wrap:wrap;justify-content:flex-start}.tags .tag{margin-bottom:.5rem}.tags .tag:not(:last-child){margin-right:.5rem}.tags:last-child{margin-bottom:-.5rem}.tags:not(:last-child){margin-bottom:1rem}.tags.has-addons .tag{margin-right:0}.tags.has-addons .tag:not(:first-child){border-bottom-left-radius:0;border-top-left-radius:0}.tags.has-addons .tag:not(:last-child){border-bottom-right-radius:0;border-top-right-radius:0}.breadcrumb.is-centered ol,.breadcrumb.is-centered ul,.tags.is-centered{justify-content:center}.tags.is-centered .tag{margin-right:.25rem;margin-left:.25rem}.breadcrumb.is-right ol,.breadcrumb.is-right ul,.tags.is-right{justify-content:flex-end}.tags.is-right .tag:not(:first-child){margin-left:.5rem}.tags.is-right .tag:not(:last-child){margin-right:0}.tag:not(body){align-items:center;background-color:#f5f5f5;border-radius:4px;color:#4a4a4a;display:inline-flex;font-size:.75rem;height:2em;justify-content:center;line-height:1.5;padding-left:.75em;padding-right:.75em;white-space:nowrap}.tag:not(body) .delete{margin-left:.25rem;margin-right:-.375rem}.tag:not(body).is-white{background-color:#fff;color:#0a0a0a}.tag:not(body).is-black{background-color:#0a0a0a;color:#fff}.tag:not(body).is-light{background-color:#f5f5f5;color:#363636}.tag:not(body).is-dark{background-color:#363636;color:#f5f5f5}.tag:not(body).is-primary{background-color:#00d1b2;color:#fff}.tag:not(body).is-link{background-color:#3273dc;color:#fff}.tag:not(body).is-info{background-color:#209cee;color:#fff}.tag:not(body).is-success{background-color:#23d160;color:#fff}.tag:not(body).is-warning{background-color:#ffdd57;color:rgba(0,0,0,.7)}.tag:not(body).is-danger{background-color:#ff3860;color:#fff}.tag:not(body).is-medium{font-size:1rem}.tag:not(body).is-large{font-size:1.25rem}.tag:not(body) .icon:first-child:not(:last-child){margin-left:-.375em;margin-right:.1875em}.tag:not(body) .icon:last-child:not(:first-child){margin-left:.1875em;margin-right:-.375em}.tag:not(body) .icon:first-child:last-child{margin-left:-.375em;margin-right:-.375em}.tag:not(body).is-delete{margin-left:1px;padding:0;position:relative;width:2em}.tag:not(body).is-delete::after,.tag:not(body).is-delete::before{background-color:currentColor;content:"";display:block;left:50%;position:absolute;top:50%;transform:translateX(-50%) translateY(-50%) rotate(45deg);transform-origin:center center}.tag:not(body).is-delete::before{height:1px;width:50%}.tag:not(body).is-delete::after{height:50%;width:1px}.tag:not(body).is-delete:focus,.tag:not(body).is-delete:hover{background-color:#e8e8e8}.tag:not(body).is-delete:active{background-color:#dbdbdb}.tag:not(body).is-rounded{border-radius:290486px}a.tag:hover{text-decoration:underline}.subtitle,.title{word-break:break-word}.subtitle em,.subtitle span,.title em,.title span,.title strong{font-weight:inherit}.subtitle sub,.subtitle sup,.title sub,.title sup{font-size:.75em}.subtitle .tag,.title .tag{vertical-align:middle}.title{color:#363636;font-size:2rem;font-weight:600;line-height:1.125}.title strong{color:inherit}.title+.highlight{margin-top:-.75rem}.subtitle:not(.is-spaced)+.title,.title:not(.is-spaced)+.subtitle{margin-top:-1.25rem}.title.is-1{font-size:3rem}.title.is-2{font-size:2.5rem}.title.is-3{font-size:2rem}.title.is-4{font-size:1.5rem}.subtitle,.title.is-5{font-size:1.25rem}.title.is-6{font-size:1rem}.title.is-7{font-size:.75rem}.subtitle{color:#4a4a4a;font-weight:400;line-height:1.25}.subtitle strong{color:#363636;font-weight:600}.subtitle.is-1{font-size:3rem}.subtitle.is-2{font-size:2.5rem}.subtitle.is-3{font-size:2rem}.subtitle.is-4{font-size:1.5rem}.subtitle.is-5{font-size:1.25rem}.subtitle.is-6{font-size:1rem}.breadcrumb.is-small,.subtitle.is-7{font-size:.75rem}.heading{display:block;font-size:11px;letter-spacing:1px;margin-bottom:5px;text-transform:uppercase}.highlight{font-weight:400;max-width:100%;overflow:hidden;padding:0}.highlight pre{overflow:auto;max-width:100%}.number{align-items:center;background-color:#f5f5f5;border-radius:290486px;display:inline-flex;font-size:1.25rem;height:2em;justify-content:center;margin-right:1.5rem;min-width:2.5em;padding:.25rem .5rem;text-align:center;vertical-align:top}.breadcrumb{font-size:1rem;white-space:nowrap}.breadcrumb a{color:#3273dc;justify-content:center;padding:0 .75em}.breadcrumb a:hover{color:#363636}.breadcrumb a,.breadcrumb li{align-items:center;display:flex}.breadcrumb li:first-child a{padding-left:0}.breadcrumb li.is-active a{color:#363636;cursor:default;pointer-events:none}.breadcrumb li+li::before{color:#b5b5b5;content:"\0002f"}.breadcrumb ol,.breadcrumb ul{align-items:flex-start;display:flex;flex-wrap:wrap;justify-content:flex-start}.breadcrumb .icon:first-child{margin-right:.5em}.breadcrumb .icon:last-child{margin-left:.5em}.breadcrumb.is-medium{font-size:1.25rem}.breadcrumb.is-large{font-size:1.5rem}.breadcrumb.has-arrow-separator li+li::before{content:"\02192"}.breadcrumb.has-bullet-separator li+li::before{content:"\02022"}.breadcrumb.has-dot-separator li+li::before{content:"\000b7"}.breadcrumb.has-succeeds-separator li+li::before{content:"\0227B"}.card{background-color:#fff;box-shadow:0 2px 3px rgba(10,10,10,.1),0 0 0 1px rgba(10,10,10,.1);color:#4a4a4a;max-width:100%;position:relative}.card-header{background-color:none;align-items:stretch;box-shadow:0 1px 2px rgba(10,10,10,.1);display:flex}.card-header-title{align-items:center;color:#363636;display:flex;flex-grow:1;font-weight:700;padding:.75rem}.card-header-icon,.card-header-title.is-centered{justify-content:center}.card-header-icon{align-items:center;cursor:pointer;display:flex;padding:.75rem}.card-image{display:block;position:relative}.card-content{background-color:none;padding:1.5rem}.card-footer{background-color:none;border-top:1px solid #dbdbdb;align-items:stretch;display:flex}.card-footer-item{align-items:center;display:flex;flex-basis:0;flex-grow:1;flex-shrink:0;justify-content:center;padding:.75rem}.card-footer-item:not(:last-child){border-right:1px solid #dbdbdb}.card .media:not(:last-child){margin-bottom:.75rem}.dropdown{display:inline-flex;position:relative;vertical-align:top}.dropdown.is-active .dropdown-menu,.dropdown.is-hoverable:hover .dropdown-menu{display:block}.dropdown.is-right .dropdown-menu{left:auto;right:0}.dropdown.is-up .dropdown-menu{bottom:100%;padding-bottom:4px;padding-top:initial;top:auto}.dropdown-menu{display:none;left:0;min-width:12rem;padding-top:4px;position:absolute;top:100%;z-index:20}.dropdown-content{background-color:#fff;border-radius:4px;box-shadow:0 2px 3px rgba(10,10,10,.1),0 0 0 1px rgba(10,10,10,.1);padding-bottom:.5rem;padding-top:.5rem}.dropdown-item{color:#4a4a4a;display:block;font-size:.875rem;line-height:1.5;padding:.375rem 1rem;position:relative}a.dropdown-item{padding-right:3rem;white-space:nowrap}a.dropdown-item:hover{background-color:#f5f5f5;color:#0a0a0a}a.dropdown-item.is-active{background-color:#3273dc;color:#fff}.dropdown-divider{background-color:#dbdbdb;border:0;display:block;height:1px;margin:.5rem 0}.level{align-items:center;justify-content:space-between}.level code{border-radius:4px}.level img{display:inline-block;vertical-align:top}.level.is-mobile,.level.is-mobile .level-left,.level.is-mobile .level-right{display:flex}.level.is-mobile .level-left+.level-right{margin-top:0}.level.is-mobile .level-item{margin-right:.75rem}.level.is-mobile .level-item:not(:last-child){margin-bottom:0}.level.is-mobile .level-item:not(.is-narrow){flex-grow:1}@media screen and (min-width:769px),print{.level{display:flex}.level>.level-item:not(.is-narrow){flex-grow:1}}.level-item{align-items:center;display:flex;justify-content:center}.level-item .subtitle,.level-item .title{margin-bottom:0}@media screen and (max-width:768px){.level-item:not(:last-child){margin-bottom:.75rem}}.level-item,.level-left,.level-right{flex-basis:auto;flex-grow:0;flex-shrink:0}.level-left .level-item.is-flexible,.level-right .level-item.is-flexible{flex-grow:1}@media screen and (min-width:769px),print{.level-left .level-item:not(:last-child),.level-right .level-item:not(:last-child){margin-right:.75rem}}.level-left{align-items:center;justify-content:flex-start}@media screen and (max-width:768px){.level-left+.level-right{margin-top:1.5rem}}@media screen and (min-width:769px),print{.level-left{display:flex}}.level-right{align-items:center;justify-content:flex-end}@media screen and (min-width:769px),print{.level-right{display:flex}}.media{align-items:flex-start;display:flex;text-align:left}.media .content:not(:last-child){margin-bottom:.75rem}.media .media{border-top:1px solid rgba(219,219,219,.5);display:flex;padding-top:.75rem}.media .media .content:not(:last-child),.media .media .control:not(:last-child){margin-bottom:.5rem}.media .media .media{padding-top:.5rem}.media .media .media+.media{margin-top:.5rem}.media+.media{border-top:1px solid rgba(219,219,219,.5);margin-top:1rem;padding-top:1rem}.media.is-large+.media{margin-top:1.5rem;padding-top:1.5rem}.media-left,.media-right{flex-basis:auto;flex-grow:0;flex-shrink:0}.media-left{margin-right:1rem}.media-right{margin-left:1rem}.media-content{flex-basis:auto;flex-grow:1;flex-shrink:1;text-align:left}.menu{font-size:1rem}.menu.is-small{font-size:.75rem}.menu.is-medium{font-size:1.25rem}.menu.is-large{font-size:1.5rem}.menu-list{line-height:1.25}.menu-list a{border-radius:2px;color:#4a4a4a;display:block;padding:.5em .75em}.menu-list a:hover{background-color:#f5f5f5;color:#363636}.menu-list a.is-active{background-color:#3273dc;color:#fff}.menu-list li ul{border-left:1px solid #dbdbdb;margin:.75em;padding-left:.75em}.menu-label{color:#7a7a7a;font-size:.75em;letter-spacing:.1em;text-transform:uppercase}.menu-label:not(:first-child){margin-top:1em}.menu-label:not(:last-child){margin-bottom:1em}.message{background-color:#f5f5f5;border-radius:4px;font-size:1rem}.message strong{color:currentColor}.message.is-small{font-size:.75rem}.message.is-medium{font-size:1.25rem}.message.is-large{font-size:1.5rem}.message-body code,.message-body pre,.message.is-white{background-color:#fff}.message.is-white .message-header{background-color:#fff;color:#0a0a0a}.message.is-white .message-body{border-color:#fff;color:#4d4d4d}.message.is-black,.message.is-dark,.message.is-light{background-color:#fafafa}.message.is-black .message-header{background-color:#0a0a0a;color:#fff}.message.is-black .message-body{border-color:#0a0a0a;color:#090909}.message.is-light .message-header{background-color:#f5f5f5;color:#363636}.message.is-light .message-body{border-color:#f5f5f5;color:#505050}.message.is-dark .message-header{background-color:#363636;color:#f5f5f5}.message.is-dark .message-body{border-color:#363636;color:#2a2a2a}.message.is-primary{background-color:#f5fffd}.message.is-primary .message-header{background-color:#00d1b2;color:#fff}.message.is-primary .message-body{border-color:#00d1b2;color:#021310}.message.is-link{background-color:#f6f9fe}.message.is-link .message-header{background-color:#3273dc;color:#fff}.message.is-link .message-body{border-color:#3273dc;color:#22509a}.message.is-info{background-color:#f6fbfe}.message.is-info .message-header{background-color:#209cee;color:#fff}.message.is-info .message-body{border-color:#209cee;color:#12537e}.message.is-success{background-color:#f6fef9}.message.is-success .message-header{background-color:#23d160;color:#fff}.message.is-success .message-body{border-color:#23d160;color:#0e301a}.message.is-warning{background-color:#fffdf5}.message.is-warning .message-header{background-color:#ffdd57;color:rgba(0,0,0,.7)}.message.is-warning .message-body{border-color:#ffdd57;color:#3b3108}.message.is-danger{background-color:#fff5f7}.message.is-danger .message-header{background-color:#ff3860;color:#fff}.message.is-danger .message-body{border-color:#ff3860;color:#cd0930}.message-header{align-items:center;background-color:#4a4a4a;border-radius:4px 4px 0 0;color:#fff;display:flex;font-weight:700;justify-content:space-between;line-height:1.25;padding:.75em 1em;position:relative}.message-header .delete{flex-grow:0;flex-shrink:0;margin-left:.75em}.message-header+.message-body{border-width:0;border-top-left-radius:0;border-top-right-radius:0}.message-body{border-color:#dbdbdb;border-radius:4px;border-style:solid;border-width:0 0 0 4px;color:#4a4a4a;padding:1.25em 1.5em}.message-body pre code,.navbar-brand a.navbar-item:hover{background-color:transparent}.modal{align-items:center;display:none;justify-content:center;overflow:hidden;position:fixed;z-index:40}.modal.is-active{display:flex}.modal-background{background-color:rgba(10,10,10,.86)}.modal-content{max-height:calc(100vh - 160px);overflow:auto}.modal-card,.modal-content{margin:0 20px;position:relative;width:100%}@media screen and (min-width:769px),print{.modal-card,.modal-content{margin:0 auto;max-height:calc(100vh - 40px);width:640px}}.modal-close{background:0 0;height:40px;position:fixed;right:20px;top:20px;width:40px}.modal-card{display:flex;flex-direction:column;max-height:calc(100vh - 40px);overflow:hidden}.modal-card-foot,.modal-card-head{align-items:center;background-color:#f5f5f5;display:flex;flex-shrink:0;justify-content:flex-start;padding:20px;position:relative}.modal-card-head{border-bottom:1px solid #dbdbdb;border-top-left-radius:6px;border-top-right-radius:6px}.modal-card-title{color:#363636;flex-grow:1;flex-shrink:0;font-size:1.5rem;line-height:1}.modal-card-foot{border-bottom-left-radius:6px;border-bottom-right-radius:6px;border-top:1px solid #dbdbdb}.modal-card-foot .button:not(:last-child){margin-right:10px}.modal-card-body{-webkit-overflow-scrolling:touch;background-color:#fff;flex-grow:1;flex-shrink:1;overflow:auto;padding:20px}.navbar{background-color:#fff;min-height:4.25rem;position:relative;z-index:30}.navbar.is-white{background-color:#fff;color:#0a0a0a}.navbar.is-white .navbar-brand .navbar-link,.navbar.is-white .navbar-brand>.navbar-item{color:#0a0a0a}.navbar.is-white .navbar-brand .navbar-link.is-active,.navbar.is-white .navbar-brand .navbar-link:hover,.navbar.is-white .navbar-brand>a.navbar-item.is-active,.navbar.is-white .navbar-brand>a.navbar-item:hover{background-color:#f2f2f2;color:#0a0a0a}.navbar.is-white .navbar-brand .navbar-link::after{border-color:#0a0a0a}@media screen and (min-width:1088px){.navbar.is-white .navbar-end .navbar-link,.navbar.is-white .navbar-end>.navbar-item,.navbar.is-white .navbar-start .navbar-link,.navbar.is-white .navbar-start>.navbar-item{color:#0a0a0a}.navbar.is-white .navbar-end .navbar-link.is-active,.navbar.is-white .navbar-end .navbar-link:hover,.navbar.is-white .navbar-end>a.navbar-item.is-active,.navbar.is-white .navbar-end>a.navbar-item:hover,.navbar.is-white .navbar-item.has-dropdown.is-active .navbar-link,.navbar.is-white .navbar-item.has-dropdown:hover .navbar-link,.navbar.is-white .navbar-start .navbar-link.is-active,.navbar.is-white .navbar-start .navbar-link:hover,.navbar.is-white .navbar-start>a.navbar-item.is-active,.navbar.is-white .navbar-start>a.navbar-item:hover{background-color:#f2f2f2;color:#0a0a0a}.navbar.is-white .navbar-end .navbar-link::after,.navbar.is-white .navbar-start .navbar-link::after{border-color:#0a0a0a}.navbar.is-white .navbar-dropdown a.navbar-item.is-active{background-color:#fff;color:#0a0a0a}}.navbar.is-black{background-color:#0a0a0a;color:#fff}.navbar.is-black .navbar-brand .navbar-link,.navbar.is-black .navbar-brand>.navbar-item{color:#fff}.navbar.is-black .navbar-brand .navbar-link.is-active,.navbar.is-black .navbar-brand .navbar-link:hover,.navbar.is-black .navbar-brand>a.navbar-item.is-active,.navbar.is-black .navbar-brand>a.navbar-item:hover{background-color:#000;color:#fff}.navbar.is-black .navbar-brand .navbar-link::after{border-color:#fff}@media screen and (min-width:1088px){.navbar.is-black .navbar-end .navbar-link,.navbar.is-black .navbar-end>.navbar-item,.navbar.is-black .navbar-start .navbar-link,.navbar.is-black .navbar-start>.navbar-item{color:#fff}.navbar.is-black .navbar-end .navbar-link.is-active,.navbar.is-black .navbar-end .navbar-link:hover,.navbar.is-black .navbar-end>a.navbar-item.is-active,.navbar.is-black .navbar-end>a.navbar-item:hover,.navbar.is-black .navbar-item.has-dropdown.is-active .navbar-link,.navbar.is-black .navbar-item.has-dropdown:hover .navbar-link,.navbar.is-black .navbar-start .navbar-link.is-active,.navbar.is-black .navbar-start .navbar-link:hover,.navbar.is-black .navbar-start>a.navbar-item.is-active,.navbar.is-black .navbar-start>a.navbar-item:hover{background-color:#000;color:#fff}.navbar.is-black .navbar-end .navbar-link::after,.navbar.is-black .navbar-start .navbar-link::after{border-color:#fff}.navbar.is-black .navbar-dropdown a.navbar-item.is-active{background-color:#0a0a0a;color:#fff}}.navbar.is-light{background-color:#f5f5f5;color:#363636}.navbar.is-light .navbar-brand .navbar-link,.navbar.is-light .navbar-brand>.navbar-item{color:#363636}.navbar.is-light .navbar-brand .navbar-link.is-active,.navbar.is-light .navbar-brand .navbar-link:hover,.navbar.is-light .navbar-brand>a.navbar-item.is-active,.navbar.is-light .navbar-brand>a.navbar-item:hover{background-color:#e8e8e8;color:#363636}.navbar.is-light .navbar-brand .navbar-link::after{border-color:#363636}@media screen and (min-width:1088px){.navbar.is-light .navbar-end .navbar-link,.navbar.is-light .navbar-end>.navbar-item,.navbar.is-light .navbar-start .navbar-link,.navbar.is-light .navbar-start>.navbar-item{color:#363636}.navbar.is-light .navbar-end .navbar-link.is-active,.navbar.is-light .navbar-end .navbar-link:hover,.navbar.is-light .navbar-end>a.navbar-item.is-active,.navbar.is-light .navbar-end>a.navbar-item:hover,.navbar.is-light .navbar-item.has-dropdown.is-active .navbar-link,.navbar.is-light .navbar-item.has-dropdown:hover .navbar-link,.navbar.is-light .navbar-start .navbar-link.is-active,.navbar.is-light .navbar-start .navbar-link:hover,.navbar.is-light .navbar-start>a.navbar-item.is-active,.navbar.is-light .navbar-start>a.navbar-item:hover{background-color:#e8e8e8;color:#363636}.navbar.is-light .navbar-end .navbar-link::after,.navbar.is-light .navbar-start .navbar-link::after{border-color:#363636}.navbar.is-light .navbar-dropdown a.navbar-item.is-active{background-color:#f5f5f5;color:#363636}}.navbar.is-dark{background-color:#363636;color:#f5f5f5}.navbar.is-dark .navbar-brand .navbar-link,.navbar.is-dark .navbar-brand>.navbar-item{color:#f5f5f5}.navbar.is-dark .navbar-brand .navbar-link.is-active,.navbar.is-dark .navbar-brand .navbar-link:hover,.navbar.is-dark .navbar-brand>a.navbar-item.is-active,.navbar.is-dark .navbar-brand>a.navbar-item:hover{background-color:#292929;color:#f5f5f5}.navbar.is-dark .navbar-brand .navbar-link::after{border-color:#f5f5f5}@media screen and (min-width:1088px){.navbar.is-dark .navbar-end .navbar-link,.navbar.is-dark .navbar-end>.navbar-item,.navbar.is-dark .navbar-start .navbar-link,.navbar.is-dark .navbar-start>.navbar-item{color:#f5f5f5}.navbar.is-dark .navbar-end .navbar-link.is-active,.navbar.is-dark .navbar-end .navbar-link:hover,.navbar.is-dark .navbar-end>a.navbar-item.is-active,.navbar.is-dark .navbar-end>a.navbar-item:hover,.navbar.is-dark .navbar-item.has-dropdown.is-active .navbar-link,.navbar.is-dark .navbar-item.has-dropdown:hover .navbar-link,.navbar.is-dark .navbar-start .navbar-link.is-active,.navbar.is-dark .navbar-start .navbar-link:hover,.navbar.is-dark .navbar-start>a.navbar-item.is-active,.navbar.is-dark .navbar-start>a.navbar-item:hover{background-color:#292929;color:#f5f5f5}.navbar.is-dark .navbar-end .navbar-link::after,.navbar.is-dark .navbar-start .navbar-link::after{border-color:#f5f5f5}.navbar.is-dark .navbar-dropdown a.navbar-item.is-active{background-color:#363636;color:#f5f5f5}}.navbar.is-primary{background-color:#00d1b2;color:#fff}.navbar.is-primary .navbar-brand .navbar-link,.navbar.is-primary .navbar-brand>.navbar-item{color:#fff}.navbar.is-primary .navbar-brand .navbar-link.is-active,.navbar.is-primary .navbar-brand .navbar-link:hover,.navbar.is-primary .navbar-brand>a.navbar-item.is-active,.navbar.is-primary .navbar-brand>a.navbar-item:hover{background-color:#00b89c;color:#fff}.navbar.is-primary .navbar-brand .navbar-link::after{border-color:#fff}@media screen and (min-width:1088px){.navbar.is-primary .navbar-end .navbar-link,.navbar.is-primary .navbar-end>.navbar-item,.navbar.is-primary .navbar-start .navbar-link,.navbar.is-primary .navbar-start>.navbar-item{color:#fff}.navbar.is-primary .navbar-end .navbar-link.is-active,.navbar.is-primary .navbar-end .navbar-link:hover,.navbar.is-primary .navbar-end>a.navbar-item.is-active,.navbar.is-primary .navbar-end>a.navbar-item:hover,.navbar.is-primary .navbar-item.has-dropdown.is-active .navbar-link,.navbar.is-primary .navbar-item.has-dropdown:hover .navbar-link,.navbar.is-primary .navbar-start .navbar-link.is-active,.navbar.is-primary .navbar-start .navbar-link:hover,.navbar.is-primary .navbar-start>a.navbar-item.is-active,.navbar.is-primary .navbar-start>a.navbar-item:hover{background-color:#00b89c;color:#fff}.navbar.is-primary .navbar-end .navbar-link::after,.navbar.is-primary .navbar-start .navbar-link::after{border-color:#fff}.navbar.is-primary .navbar-dropdown a.navbar-item.is-active{background-color:#00d1b2;color:#fff}}.navbar.is-link{background-color:#3273dc;color:#fff}.navbar.is-link .navbar-brand .navbar-link,.navbar.is-link .navbar-brand>.navbar-item{color:#fff}.navbar.is-link .navbar-brand .navbar-link.is-active,.navbar.is-link .navbar-brand .navbar-link:hover,.navbar.is-link .navbar-brand>a.navbar-item.is-active,.navbar.is-link .navbar-brand>a.navbar-item:hover{background-color:#2366d1;color:#fff}.navbar.is-link .navbar-brand .navbar-link::after{border-color:#fff}@media screen and (min-width:1088px){.navbar.is-link .navbar-end .navbar-link,.navbar.is-link .navbar-end>.navbar-item,.navbar.is-link .navbar-start .navbar-link,.navbar.is-link .navbar-start>.navbar-item{color:#fff}.navbar.is-link .navbar-end .navbar-link.is-active,.navbar.is-link .navbar-end .navbar-link:hover,.navbar.is-link .navbar-end>a.navbar-item.is-active,.navbar.is-link .navbar-end>a.navbar-item:hover,.navbar.is-link .navbar-item.has-dropdown.is-active .navbar-link,.navbar.is-link .navbar-item.has-dropdown:hover .navbar-link,.navbar.is-link .navbar-start .navbar-link.is-active,.navbar.is-link .navbar-start .navbar-link:hover,.navbar.is-link .navbar-start>a.navbar-item.is-active,.navbar.is-link .navbar-start>a.navbar-item:hover{background-color:#2366d1;color:#fff}.navbar.is-link .navbar-end .navbar-link::after,.navbar.is-link .navbar-start .navbar-link::after{border-color:#fff}.navbar.is-link .navbar-dropdown a.navbar-item.is-active{background-color:#3273dc;color:#fff}}.navbar.is-info{background-color:#209cee;color:#fff}.navbar.is-info .navbar-brand .navbar-link,.navbar.is-info .navbar-brand>.navbar-item{color:#fff}.navbar.is-info .navbar-brand .navbar-link.is-active,.navbar.is-info .navbar-brand .navbar-link:hover,.navbar.is-info .navbar-brand>a.navbar-item.is-active,.navbar.is-info .navbar-brand>a.navbar-item:hover{background-color:#118fe4;color:#fff}.navbar.is-info .navbar-brand .navbar-link::after{border-color:#fff}@media screen and (min-width:1088px){.navbar.is-info .navbar-end .navbar-link,.navbar.is-info .navbar-end>.navbar-item,.navbar.is-info .navbar-start .navbar-link,.navbar.is-info .navbar-start>.navbar-item{color:#fff}.navbar.is-info .navbar-end .navbar-link.is-active,.navbar.is-info .navbar-end .navbar-link:hover,.navbar.is-info .navbar-end>a.navbar-item.is-active,.navbar.is-info .navbar-end>a.navbar-item:hover,.navbar.is-info .navbar-item.has-dropdown.is-active .navbar-link,.navbar.is-info .navbar-item.has-dropdown:hover .navbar-link,.navbar.is-info .navbar-start .navbar-link.is-active,.navbar.is-info .navbar-start .navbar-link:hover,.navbar.is-info .navbar-start>a.navbar-item.is-active,.navbar.is-info .navbar-start>a.navbar-item:hover{background-color:#118fe4;color:#fff}.navbar.is-info .navbar-end .navbar-link::after,.navbar.is-info .navbar-start .navbar-link::after{border-color:#fff}.navbar.is-info .navbar-dropdown a.navbar-item.is-active{background-color:#209cee;color:#fff}}.navbar.is-success{background-color:#23d160;color:#fff}.navbar.is-success .navbar-brand .navbar-link,.navbar.is-success .navbar-brand>.navbar-item{color:#fff}.navbar.is-success .navbar-brand .navbar-link.is-active,.navbar.is-success .navbar-brand .navbar-link:hover,.navbar.is-success .navbar-brand>a.navbar-item.is-active,.navbar.is-success .navbar-brand>a.navbar-item:hover{background-color:#20bc56;color:#fff}.navbar.is-success .navbar-brand .navbar-link::after{border-color:#fff}@media screen and (min-width:1088px){.navbar.is-success .navbar-end .navbar-link,.navbar.is-success .navbar-end>.navbar-item,.navbar.is-success .navbar-start .navbar-link,.navbar.is-success .navbar-start>.navbar-item{color:#fff}.navbar.is-success .navbar-end .navbar-link.is-active,.navbar.is-success .navbar-end .navbar-link:hover,.navbar.is-success .navbar-end>a.navbar-item.is-active,.navbar.is-success .navbar-end>a.navbar-item:hover,.navbar.is-success .navbar-item.has-dropdown.is-active .navbar-link,.navbar.is-success .navbar-item.has-dropdown:hover .navbar-link,.navbar.is-success .navbar-start .navbar-link.is-active,.navbar.is-success .navbar-start .navbar-link:hover,.navbar.is-success .navbar-start>a.navbar-item.is-active,.navbar.is-success .navbar-start>a.navbar-item:hover{background-color:#20bc56;color:#fff}.navbar.is-success .navbar-end .navbar-link::after,.navbar.is-success .navbar-start .navbar-link::after{border-color:#fff}.navbar.is-success .navbar-dropdown a.navbar-item.is-active{background-color:#23d160;color:#fff}}.navbar.is-warning{background-color:#ffdd57}.navbar.is-warning,.navbar.is-warning .navbar-brand .navbar-link,.navbar.is-warning .navbar-brand>.navbar-item{color:rgba(0,0,0,.7)}.navbar.is-warning .navbar-brand .navbar-link.is-active,.navbar.is-warning .navbar-brand .navbar-link:hover,.navbar.is-warning .navbar-brand>a.navbar-item.is-active,.navbar.is-warning .navbar-brand>a.navbar-item:hover{background-color:#ffd83d;color:rgba(0,0,0,.7)}.navbar.is-warning .navbar-brand .navbar-link::after{border-color:rgba(0,0,0,.7)}@media screen and (min-width:1088px){.navbar.is-warning .navbar-end .navbar-link,.navbar.is-warning .navbar-end>.navbar-item,.navbar.is-warning .navbar-start .navbar-link,.navbar.is-warning .navbar-start>.navbar-item{color:rgba(0,0,0,.7)}.navbar.is-warning .navbar-end .navbar-link.is-active,.navbar.is-warning .navbar-end .navbar-link:hover,.navbar.is-warning .navbar-end>a.navbar-item.is-active,.navbar.is-warning .navbar-end>a.navbar-item:hover,.navbar.is-warning .navbar-item.has-dropdown.is-active .navbar-link,.navbar.is-warning .navbar-item.has-dropdown:hover .navbar-link,.navbar.is-warning .navbar-start .navbar-link.is-active,.navbar.is-warning .navbar-start .navbar-link:hover,.navbar.is-warning .navbar-start>a.navbar-item.is-active,.navbar.is-warning .navbar-start>a.navbar-item:hover{background-color:#ffd83d;color:rgba(0,0,0,.7)}.navbar.is-warning .navbar-end .navbar-link::after,.navbar.is-warning .navbar-start .navbar-link::after{border-color:rgba(0,0,0,.7)}.navbar.is-warning .navbar-dropdown a.navbar-item.is-active{background-color:#ffdd57;color:rgba(0,0,0,.7)}}.navbar.is-danger{background-color:#ff3860;color:#fff}.navbar.is-danger .navbar-brand .navbar-link,.navbar.is-danger .navbar-brand>.navbar-item{color:#fff}.navbar.is-danger .navbar-brand .navbar-link.is-active,.navbar.is-danger .navbar-brand .navbar-link:hover,.navbar.is-danger .navbar-brand>a.navbar-item.is-active,.navbar.is-danger .navbar-brand>a.navbar-item:hover{background-color:#ff1f4b;color:#fff}.navbar.is-danger .navbar-brand .navbar-link::after{border-color:#fff}@media screen and (min-width:1088px){.navbar.is-danger .navbar-end .navbar-link,.navbar.is-danger .navbar-end>.navbar-item,.navbar.is-danger .navbar-start .navbar-link,.navbar.is-danger .navbar-start>.navbar-item{color:#fff}.navbar.is-danger .navbar-end .navbar-link.is-active,.navbar.is-danger .navbar-end .navbar-link:hover,.navbar.is-danger .navbar-end>a.navbar-item.is-active,.navbar.is-danger .navbar-end>a.navbar-item:hover,.navbar.is-danger .navbar-item.has-dropdown.is-active .navbar-link,.navbar.is-danger .navbar-item.has-dropdown:hover .navbar-link,.navbar.is-danger .navbar-start .navbar-link.is-active,.navbar.is-danger .navbar-start .navbar-link:hover,.navbar.is-danger .navbar-start>a.navbar-item.is-active,.navbar.is-danger .navbar-start>a.navbar-item:hover{background-color:#ff1f4b;color:#fff}.navbar.is-danger .navbar-end .navbar-link::after,.navbar.is-danger .navbar-start .navbar-link::after{border-color:#fff}.navbar.is-danger .navbar-dropdown a.navbar-item.is-active{background-color:#ff3860;color:#fff}}.navbar>.container{align-items:stretch;display:flex;min-height:4.25rem;width:100%}.navbar.has-shadow{box-shadow:0 2px 0 0 #f5f5f5}.navbar.is-fixed-bottom,.navbar.is-fixed-top{left:0;position:fixed;right:0;z-index:30}.navbar.is-fixed-bottom{bottom:0}.navbar.is-fixed-bottom.has-shadow{box-shadow:0 -2px 0 0 #f5f5f5}.navbar.is-fixed-top{top:0}body.has-navbar-fixed-top,html.has-navbar-fixed-top{padding-top:4.25rem}body.has-navbar-fixed-bottom,html.has-navbar-fixed-bottom{padding-bottom:4.25rem}.navbar-brand,.navbar-tabs{align-items:stretch;display:flex;flex-shrink:0;min-height:4.25rem}.navbar-tabs{-webkit-overflow-scrolling:touch;max-width:100vw;overflow-x:auto;overflow-y:hidden}.navbar-burger{cursor:pointer;display:block;height:4.25rem;position:relative;width:4.25rem;margin-left:auto}.navbar-burger span{background-color:currentColor;display:block;height:1px;left:calc(50% - 8px);position:absolute;transform-origin:center;transition-duration:86ms;transition-property:background-color,opacity,transform;transition-timing-function:ease-out;width:16px}.navbar-burger span:nth-child(1){top:calc(50% - 6px)}.navbar-burger span:nth-child(2){top:calc(50% - 1px)}.navbar-burger span:nth-child(3){top:calc(50% + 4px)}.navbar-burger:hover{background-color:rgba(0,0,0,.05)}.navbar-burger.is-active span:nth-child(1){transform:translateY(5px) rotate(45deg)}.navbar-burger.is-active span:nth-child(2){opacity:0}.navbar-burger.is-active span:nth-child(3){transform:translateY(-5px) rotate(-45deg)}.navbar-menu{display:none}.navbar-item,.navbar-link{color:#4a4a4a;line-height:1.5;padding:.5rem .75rem;position:relative}.navbar-link{display:block}.navbar-item .icon:only-child,.navbar-link .icon:only-child{margin-left:-.25rem;margin-right:-.25rem}.navbar-link,a.navbar-item{cursor:pointer}.navbar-link.is-active,.navbar-link:hover,a.navbar-item.is-active,a.navbar-item:hover{background-color:#fafafa;color:#3273dc}.navbar-item{display:block;flex-grow:0;flex-shrink:0}.navbar-item img{max-height:2.75rem;margin-right:15px}.navbar-item.has-dropdown{padding:0}.navbar-content,.navbar-item.is-expanded{flex-grow:1;flex-shrink:1}.navbar-item.is-tab{border-bottom:1px solid transparent;min-height:4.25rem;padding-bottom:calc(.5rem - 1px)}.navbar-item.is-tab.is-active,.navbar-item.is-tab:hover{background-color:transparent;border-bottom-color:#3273dc}.navbar-item.is-tab.is-active{border-bottom-style:solid;border-bottom-width:3px;color:#3273dc;padding-bottom:calc(.5rem - 3px)}.navbar-link{padding-right:2.5em}.navbar-link::after{border-color:#3273dc;margin-top:-.375em;right:1.125em}.navbar-dropdown{font-size:.875rem;padding-bottom:.5rem;padding-top:.5rem}.navbar-dropdown .navbar-item{padding-left:1.5rem;padding-right:1.5rem}.navbar-divider{background-color:#f5f5f5;border:0;display:none;height:2px;margin:.5rem 0}@media screen and (max-width:1087px){.navbar>.container{display:block}.navbar-brand .navbar-item,.navbar-tabs .navbar-item{align-items:center;display:flex}.navbar-link::after{display:none}.navbar-menu{background-color:#fff;box-shadow:0 8px 16px rgba(10,10,10,.1);padding:.5rem 0}.navbar-menu.is-active{display:block}.navbar.is-fixed-bottom-touch,.navbar.is-fixed-top-touch{left:0;position:fixed;right:0;z-index:30}.navbar.is-fixed-bottom-touch{bottom:0}.navbar.is-fixed-bottom-touch.has-shadow{box-shadow:0 -2px 3px rgba(10,10,10,.1)}.navbar.is-fixed-top-touch{top:0}.navbar.is-fixed-top .navbar-menu,.navbar.is-fixed-top-touch .navbar-menu{-webkit-overflow-scrolling:touch;max-height:calc(100vh - 4.25rem);overflow:auto}body.has-navbar-fixed-top-touch,html.has-navbar-fixed-top-touch{padding-top:4.25rem}body.has-navbar-fixed-bottom-touch,html.has-navbar-fixed-bottom-touch{padding-bottom:4.25rem}}@media screen and (min-width:1088px){.navbar,.navbar-end,.navbar-menu,.navbar-start{align-items:stretch;display:flex}.navbar{min-height:4.25rem}.navbar.is-spaced{padding:1rem 2rem}.navbar.is-spaced .navbar-end,.navbar.is-spaced .navbar-start{align-items:center}.navbar.is-spaced .navbar-link,.navbar.is-spaced a.navbar-item{border-radius:4px}.navbar.is-transparent .navbar-item.has-dropdown.is-active .navbar-link,.navbar.is-transparent .navbar-item.has-dropdown.is-hoverable:hover .navbar-link,.navbar.is-transparent .navbar-link.is-active,.navbar.is-transparent .navbar-link:hover,.navbar.is-transparent a.navbar-item.is-active,.navbar.is-transparent a.navbar-item:hover{background-color:transparent!important}.navbar-dropdown a.navbar-item:hover,.navbar.is-transparent .navbar-dropdown a.navbar-item:hover{background-color:#f5f5f5;color:#0a0a0a}.navbar-dropdown a.navbar-item.is-active,.navbar.is-transparent .navbar-dropdown a.navbar-item.is-active{background-color:#f5f5f5;color:#3273dc}.navbar-burger{display:none}.navbar-item,.navbar-link{align-items:center}.navbar-link{display:flex}.navbar-item{display:flex}.navbar-item.has-dropdown{align-items:stretch}.navbar-item.has-dropdown-up .navbar-link::after{transform:rotate(135deg) translate(.25em,-.25em)}.navbar-item.has-dropdown-up .navbar-dropdown{border-bottom:2px solid #dbdbdb;border-radius:6px 6px 0 0;border-top:none;bottom:100%;box-shadow:0 -8px 8px rgba(10,10,10,.1);top:auto}.navbar-item.is-active .navbar-dropdown,.navbar-item.is-hoverable:hover .navbar-dropdown{display:block}.navbar-item.is-active .navbar-dropdown.is-boxed,.navbar-item.is-hoverable:hover .navbar-dropdown.is-boxed,.navbar.is-spaced .navbar-item.is-active .navbar-dropdown,.navbar.is-spaced .navbar-item.is-hoverable:hover .navbar-dropdown{opacity:1;pointer-events:auto;transform:translateY(0)}.navbar-menu{flex-grow:1;flex-shrink:0}.navbar-start{justify-content:flex-start;margin-right:auto}.navbar-end{justify-content:flex-end;margin-left:auto}.navbar-dropdown{background-color:#fff;border-bottom-left-radius:6px;border-bottom-right-radius:6px;border-top:2px solid #dbdbdb;box-shadow:0 8px 8px rgba(10,10,10,.1);display:none;font-size:.875rem;left:0;min-width:100%;position:absolute;top:100%;z-index:20}.navbar-dropdown .navbar-item{padding:.375rem 1rem;white-space:nowrap}.navbar-dropdown a.navbar-item{padding-right:3rem}.navbar-dropdown.is-boxed,.navbar.is-spaced .navbar-dropdown{border-radius:6px;border-top:none;box-shadow:0 8px 8px rgba(10,10,10,.1),0 0 0 1px rgba(10,10,10,.1);display:block;opacity:0;pointer-events:none;top:calc(100% + (-4px));transform:translateY(-5px);transition-duration:86ms;transition-property:opacity,transform}.navbar-dropdown.is-right{left:auto;right:0}.navbar-divider{display:block}.container>.navbar .navbar-brand,.navbar>.container .navbar-brand{margin-left:-1rem}.container>.navbar .navbar-menu,.navbar>.container .navbar-menu{margin-right:-1rem}.navbar.is-fixed-bottom-desktop,.navbar.is-fixed-top-desktop{left:0;position:fixed;right:0;z-index:30}.navbar.is-fixed-bottom-desktop{bottom:0}.navbar.is-fixed-bottom-desktop.has-shadow{box-shadow:0 -2px 3px rgba(10,10,10,.1)}.navbar.is-fixed-top-desktop{top:0}body.has-navbar-fixed-top-desktop,html.has-navbar-fixed-top-desktop{padding-top:4.25rem}body.has-navbar-fixed-bottom-desktop,html.has-navbar-fixed-bottom-desktop{padding-bottom:4.25rem}body.has-spaced-navbar-fixed-top,html.has-spaced-navbar-fixed-top{padding-top:6.25rem}body.has-spaced-navbar-fixed-bottom,html.has-spaced-navbar-fixed-bottom{padding-bottom:6.25rem}.navbar-link.is-active,a.navbar-item.is-active{color:#0a0a0a}.navbar-link.is-active:not(:hover),a.navbar-item.is-active:not(:hover){background-color:transparent}.navbar-item.has-dropdown.is-active .navbar-link,.navbar-item.has-dropdown:hover .navbar-link{background-color:#fafafa}}.pagination{font-size:1rem;margin:-.25rem}.pagination.is-small{font-size:.75rem}.pagination.is-medium{font-size:1.25rem}.pagination.is-large{font-size:1.5rem}.pagination.is-rounded .pagination-next,.pagination.is-rounded .pagination-previous{padding-left:1em;padding-right:1em;border-radius:290486px}.pagination.is-rounded .pagination-link{border-radius:290486px}.pagination,.pagination-list{align-items:center;display:flex;justify-content:center;text-align:center}.pagination-ellipsis,.pagination-link,.pagination-next,.pagination-previous{font-size:1em;justify-content:center;margin:.25rem;text-align:center}.pagination-ellipsis,.pagination-link{padding-left:.5em;padding-right:.5em}.pagination-link,.pagination-next,.pagination-previous{border-color:#dbdbdb;color:#363636;min-width:2.25em}.pagination-link:hover,.pagination-next:hover,.pagination-previous:hover{border-color:#b5b5b5;color:#363636}.pagination-link:focus,.pagination-next:focus,.pagination-previous:focus{border-color:#3273dc}.pagination-link:active,.pagination-next:active,.pagination-previous:active{box-shadow:inset 0 1px 2px rgba(10,10,10,.2)}.pagination-link[disabled],.pagination-next[disabled],.pagination-previous[disabled]{background-color:#dbdbdb;border-color:#dbdbdb;box-shadow:none;color:#7a7a7a;opacity:.5}.pagination-next,.pagination-previous{padding-left:.75em;padding-right:.75em;white-space:nowrap}.pagination-link.is-current{background-color:#3273dc;border-color:#3273dc;color:#fff}.pagination-ellipsis{color:#b5b5b5;pointer-events:none}.pagination-list{flex-wrap:wrap}@media screen and (max-width:768px){.pagination{flex-wrap:wrap}.pagination-list li,.pagination-next,.pagination-previous{flex-grow:1;flex-shrink:1}}@media screen and (min-width:769px),print{.pagination-list{flex-grow:1;flex-shrink:1;justify-content:flex-start;order:1}.pagination-previous{order:2}.pagination-next{order:3}.pagination{justify-content:space-between}.pagination.is-centered .pagination-previous{order:1}.pagination.is-centered .pagination-list{justify-content:center;order:2}.pagination.is-centered .pagination-next{order:3}.pagination.is-right .pagination-previous{order:1}.pagination.is-right .pagination-next{order:2}.pagination.is-right .pagination-list{justify-content:flex-end;order:3}}.panel{font-size:1rem}.panel:not(:last-child){margin-bottom:1.5rem}.panel-block,.panel-heading,.panel-tabs{border-bottom:1px solid #dbdbdb;border-left:1px solid #dbdbdb;border-right:1px solid #dbdbdb}.panel-block:first-child,.panel-heading:first-child,.panel-tabs:first-child{border-top:1px solid #dbdbdb}.panel-heading{background-color:#f5f5f5;border-radius:4px 4px 0 0;color:#363636;font-size:1.25em;font-weight:300;line-height:1.25;padding:.5em .75em}.panel-tabs{align-items:flex-end;display:flex;font-size:.875em;justify-content:center}.panel-tabs a{border-bottom:1px solid #dbdbdb;margin-bottom:-1px;padding:.5em}.panel-tabs a.is-active{border-bottom-color:#4a4a4a;color:#363636}.panel-list a{color:#4a4a4a}.panel-block.is-active .panel-icon,.panel-list a:hover{color:#3273dc}.panel-block{align-items:center;color:#363636;display:flex;justify-content:flex-start;padding:.5em .75em}.panel-block input[type=checkbox],.panel-icon{margin-right:.75em}.panel-block>.control{flex-grow:1;flex-shrink:1;width:100%}.panel-block.is-wrapped{flex-wrap:wrap}.panel-block.is-active{border-left-color:#3273dc;color:#363636}a.panel-block,label.panel-block{cursor:pointer}a.panel-block:hover,label.panel-block:hover{background-color:#f5f5f5}.panel-icon{display:inline-block;font-size:14px;height:1em;line-height:1em;text-align:center;vertical-align:top;width:1em;color:#7a7a7a}.panel-icon .fa{font-size:inherit;line-height:inherit}.tabs{-webkit-overflow-scrolling:touch;align-items:stretch;display:flex;font-size:1rem;justify-content:space-between;overflow:hidden;overflow-x:auto;white-space:nowrap}.tabs a,.tabs ul{align-items:center;border-bottom-color:#dbdbdb;border-bottom-style:solid;border-bottom-width:1px;display:flex}.tabs a{color:#4a4a4a;margin-bottom:-1px;padding:.5em 1em;vertical-align:top;justify-content:center}.tabs a:hover{border-bottom-color:#363636;color:#363636}.tabs li{display:block}.tabs li.is-active a{border-bottom-color:#3273dc;color:#3273dc}.tabs ul{flex-grow:1;flex-shrink:0;justify-content:flex-start}.tabs ul.is-center,.tabs ul.is-left{padding-right:.75em}.tabs ul.is-center{flex:none;justify-content:center;padding-left:.75em}.tabs ul.is-right{justify-content:flex-end;padding-left:.75em}.tabs .icon:first-child{margin-right:.5em}.tabs .icon:last-child{margin-left:.5em}.tabs.is-centered ul{justify-content:center}.tabs.is-right ul{justify-content:flex-end}.tabs.is-boxed a{border:1px solid transparent;border-radius:4px 4px 0 0}.tabs.is-boxed a:hover{background-color:#f5f5f5;border-bottom-color:#dbdbdb}.tabs.is-boxed li.is-active a{background-color:#fff;border-color:#dbdbdb;border-bottom-color:transparent!important}.tabs.is-toggle a{border-color:#dbdbdb;border-style:solid;border-width:1px;margin-bottom:0;position:relative}.tabs.is-toggle a:hover{background-color:#f5f5f5;border-color:#b5b5b5;z-index:2}.tabs.is-toggle li+li{margin-left:-1px}.tabs.is-toggle li:first-child a{border-radius:4px 0 0 4px}.tabs.is-toggle li:last-child a{border-radius:0 4px 4px 0}.tabs.is-toggle li.is-active a{background-color:#3273dc;border-color:#3273dc;color:#fff;z-index:1}.hero .tabs ul,.tabs.is-toggle ul{border-bottom:none}.tabs.is-toggle.is-toggle-rounded li:first-child a{border-bottom-left-radius:290486px;border-top-left-radius:290486px;padding-left:1.25em}.tabs.is-toggle.is-toggle-rounded li:last-child a{border-bottom-right-radius:290486px;border-top-right-radius:290486px;padding-right:1.25em}.tabs.is-small{font-size:.75rem}.tabs.is-medium{font-size:1.25rem}.tabs.is-large{font-size:1.5rem}.column{display:block;flex-basis:0;flex-grow:1;flex-shrink:1;padding:.75rem}.columns.is-mobile>.column.is-narrow{flex:none}.columns.is-mobile>.column.is-full{flex:none;width:100%}.columns.is-mobile>.column.is-three-quarters{flex:none;width:75%}.columns.is-mobile>.column.is-two-thirds{flex:none;width:66.6666%}.columns.is-mobile>.column.is-half{flex:none;width:50%}.columns.is-mobile>.column.is-one-third{flex:none;width:33.3333%}.columns.is-mobile>.column.is-one-quarter{flex:none;width:25%}.columns.is-mobile>.column.is-one-fifth{flex:none;width:20%}.columns.is-mobile>.column.is-two-fifths{flex:none;width:40%}.columns.is-mobile>.column.is-three-fifths{flex:none;width:60%}.columns.is-mobile>.column.is-four-fifths{flex:none;width:80%}.columns.is-mobile>.column.is-offset-three-quarters{margin-left:75%}.columns.is-mobile>.column.is-offset-two-thirds{margin-left:66.6666%}.columns.is-mobile>.column.is-offset-half{margin-left:50%}.columns.is-mobile>.column.is-offset-one-third{margin-left:33.3333%}.columns.is-mobile>.column.is-offset-one-quarter{margin-left:25%}.columns.is-mobile>.column.is-offset-one-fifth{margin-left:20%}.columns.is-mobile>.column.is-offset-two-fifths{margin-left:40%}.columns.is-mobile>.column.is-offset-three-fifths{margin-left:60%}.columns.is-mobile>.column.is-offset-four-fifths{margin-left:80%}.columns.is-mobile>.column.is-1{flex:none;width:8.33333%}.columns.is-mobile>.column.is-offset-1{margin-left:8.33333%}.columns.is-mobile>.column.is-2{flex:none;width:16.66667%}.columns.is-mobile>.column.is-offset-2{margin-left:16.66667%}.columns.is-mobile>.column.is-3{flex:none;width:25%}.columns.is-mobile>.column.is-offset-3{margin-left:25%}.columns.is-mobile>.column.is-4{flex:none;width:33.33333%}.columns.is-mobile>.column.is-offset-4{margin-left:33.33333%}.columns.is-mobile>.column.is-5{flex:none;width:41.66667%}.columns.is-mobile>.column.is-offset-5{margin-left:41.66667%}.columns.is-mobile>.column.is-6{flex:none;width:50%}.columns.is-mobile>.column.is-offset-6{margin-left:50%}.columns.is-mobile>.column.is-7{flex:none;width:58.33333%}.columns.is-mobile>.column.is-offset-7{margin-left:58.33333%}.columns.is-mobile>.column.is-8{flex:none;width:66.66667%}.columns.is-mobile>.column.is-offset-8{margin-left:66.66667%}.columns.is-mobile>.column.is-9{flex:none;width:75%}.columns.is-mobile>.column.is-offset-9{margin-left:75%}.columns.is-mobile>.column.is-10{flex:none;width:83.33333%}.columns.is-mobile>.column.is-offset-10{margin-left:83.33333%}.columns.is-mobile>.column.is-11{flex:none;width:91.66667%}.columns.is-mobile>.column.is-offset-11{margin-left:91.66667%}.columns.is-mobile>.column.is-12{flex:none;width:100%}.columns.is-mobile>.column.is-offset-12{margin-left:100%}@media screen and (max-width:768px){.column.is-narrow-mobile{flex:none}.column.is-full-mobile{flex:none;width:100%}.column.is-three-quarters-mobile{flex:none;width:75%}.column.is-two-thirds-mobile{flex:none;width:66.6666%}.column.is-half-mobile{flex:none;width:50%}.column.is-one-third-mobile{flex:none;width:33.3333%}.column.is-one-quarter-mobile{flex:none;width:25%}.column.is-one-fifth-mobile{flex:none;width:20%}.column.is-two-fifths-mobile{flex:none;width:40%}.column.is-three-fifths-mobile{flex:none;width:60%}.column.is-four-fifths-mobile{flex:none;width:80%}.column.is-offset-three-quarters-mobile{margin-left:75%}.column.is-offset-two-thirds-mobile{margin-left:66.6666%}.column.is-offset-half-mobile{margin-left:50%}.column.is-offset-one-third-mobile{margin-left:33.3333%}.column.is-offset-one-quarter-mobile{margin-left:25%}.column.is-offset-one-fifth-mobile{margin-left:20%}.column.is-offset-two-fifths-mobile{margin-left:40%}.column.is-offset-three-fifths-mobile{margin-left:60%}.column.is-offset-four-fifths-mobile{margin-left:80%}.column.is-1-mobile{flex:none;width:8.33333%}.column.is-offset-1-mobile{margin-left:8.33333%}.column.is-2-mobile{flex:none;width:16.66667%}.column.is-offset-2-mobile{margin-left:16.66667%}.column.is-3-mobile{flex:none;width:25%}.column.is-offset-3-mobile{margin-left:25%}.column.is-4-mobile{flex:none;width:33.33333%}.column.is-offset-4-mobile{margin-left:33.33333%}.column.is-5-mobile{flex:none;width:41.66667%}.column.is-offset-5-mobile{margin-left:41.66667%}.column.is-6-mobile{flex:none;width:50%}.column.is-offset-6-mobile{margin-left:50%}.column.is-7-mobile{flex:none;width:58.33333%}.column.is-offset-7-mobile{margin-left:58.33333%}.column.is-8-mobile{flex:none;width:66.66667%}.column.is-offset-8-mobile{margin-left:66.66667%}.column.is-9-mobile{flex:none;width:75%}.column.is-offset-9-mobile{margin-left:75%}.column.is-10-mobile{flex:none;width:83.33333%}.column.is-offset-10-mobile{margin-left:83.33333%}.column.is-11-mobile{flex:none;width:91.66667%}.column.is-offset-11-mobile{margin-left:91.66667%}.column.is-12-mobile{flex:none;width:100%}.column.is-offset-12-mobile{margin-left:100%}}@media screen and (min-width:769px),print{.column.is-narrow,.column.is-narrow-tablet{flex:none}.column.is-full,.column.is-full-tablet{flex:none;width:100%}.column.is-three-quarters,.column.is-three-quarters-tablet{flex:none;width:75%}.column.is-two-thirds,.column.is-two-thirds-tablet{flex:none;width:66.6666%}.column.is-half,.column.is-half-tablet{flex:none;width:50%}.column.is-one-third,.column.is-one-third-tablet{flex:none;width:33.3333%}.column.is-one-quarter,.column.is-one-quarter-tablet{flex:none;width:25%}.column.is-one-fifth,.column.is-one-fifth-tablet{flex:none;width:20%}.column.is-two-fifths,.column.is-two-fifths-tablet{flex:none;width:40%}.column.is-three-fifths,.column.is-three-fifths-tablet{flex:none;width:60%}.column.is-four-fifths,.column.is-four-fifths-tablet{flex:none;width:80%}.column.is-offset-three-quarters,.column.is-offset-three-quarters-tablet{margin-left:75%}.column.is-offset-two-thirds,.column.is-offset-two-thirds-tablet{margin-left:66.6666%}.column.is-offset-half,.column.is-offset-half-tablet{margin-left:50%}.column.is-offset-one-third,.column.is-offset-one-third-tablet{margin-left:33.3333%}.column.is-offset-one-quarter,.column.is-offset-one-quarter-tablet{margin-left:25%}.column.is-offset-one-fifth,.column.is-offset-one-fifth-tablet{margin-left:20%}.column.is-offset-two-fifths,.column.is-offset-two-fifths-tablet{margin-left:40%}.column.is-offset-three-fifths,.column.is-offset-three-fifths-tablet{margin-left:60%}.column.is-offset-four-fifths,.column.is-offset-four-fifths-tablet{margin-left:80%}.column.is-1,.column.is-1-tablet{flex:none;width:8.33333%}.column.is-offset-1,.column.is-offset-1-tablet{margin-left:8.33333%}.column.is-2,.column.is-2-tablet{flex:none;width:16.66667%}.column.is-offset-2,.column.is-offset-2-tablet{margin-left:16.66667%}.column.is-3,.column.is-3-tablet{flex:none;width:25%}.column.is-offset-3,.column.is-offset-3-tablet{margin-left:25%}.column.is-4,.column.is-4-tablet{flex:none;width:33.33333%}.column.is-offset-4,.column.is-offset-4-tablet{margin-left:33.33333%}.column.is-5,.column.is-5-tablet{flex:none;width:41.66667%}.column.is-offset-5,.column.is-offset-5-tablet{margin-left:41.66667%}.column.is-6,.column.is-6-tablet{flex:none;width:50%}.column.is-offset-6,.column.is-offset-6-tablet{margin-left:50%}.column.is-7,.column.is-7-tablet{flex:none;width:58.33333%}.column.is-offset-7,.column.is-offset-7-tablet{margin-left:58.33333%}.column.is-8,.column.is-8-tablet{flex:none;width:66.66667%}.column.is-offset-8,.column.is-offset-8-tablet{margin-left:66.66667%}.column.is-9,.column.is-9-tablet{flex:none;width:75%}.column.is-offset-9,.column.is-offset-9-tablet{margin-left:75%}.column.is-10,.column.is-10-tablet{flex:none;width:83.33333%}.column.is-offset-10,.column.is-offset-10-tablet{margin-left:83.33333%}.column.is-11,.column.is-11-tablet{flex:none;width:91.66667%}.column.is-offset-11,.column.is-offset-11-tablet{margin-left:91.66667%}.column.is-12,.column.is-12-tablet{flex:none;width:100%}.column.is-offset-12,.column.is-offset-12-tablet{margin-left:100%}}@media screen and (max-width:1087px){.column.is-narrow-touch{flex:none}.column.is-full-touch{flex:none;width:100%}.column.is-three-quarters-touch{flex:none;width:75%}.column.is-two-thirds-touch{flex:none;width:66.6666%}.column.is-half-touch{flex:none;width:50%}.column.is-one-third-touch{flex:none;width:33.3333%}.column.is-one-quarter-touch{flex:none;width:25%}.column.is-one-fifth-touch{flex:none;width:20%}.column.is-two-fifths-touch{flex:none;width:40%}.column.is-three-fifths-touch{flex:none;width:60%}.column.is-four-fifths-touch{flex:none;width:80%}.column.is-offset-three-quarters-touch{margin-left:75%}.column.is-offset-two-thirds-touch{margin-left:66.6666%}.column.is-offset-half-touch{margin-left:50%}.column.is-offset-one-third-touch{margin-left:33.3333%}.column.is-offset-one-quarter-touch{margin-left:25%}.column.is-offset-one-fifth-touch{margin-left:20%}.column.is-offset-two-fifths-touch{margin-left:40%}.column.is-offset-three-fifths-touch{margin-left:60%}.column.is-offset-four-fifths-touch{margin-left:80%}.column.is-1-touch{flex:none;width:8.33333%}.column.is-offset-1-touch{margin-left:8.33333%}.column.is-2-touch{flex:none;width:16.66667%}.column.is-offset-2-touch{margin-left:16.66667%}.column.is-3-touch{flex:none;width:25%}.column.is-offset-3-touch{margin-left:25%}.column.is-4-touch{flex:none;width:33.33333%}.column.is-offset-4-touch{margin-left:33.33333%}.column.is-5-touch{flex:none;width:41.66667%}.column.is-offset-5-touch{margin-left:41.66667%}.column.is-6-touch{flex:none;width:50%}.column.is-offset-6-touch{margin-left:50%}.column.is-7-touch{flex:none;width:58.33333%}.column.is-offset-7-touch{margin-left:58.33333%}.column.is-8-touch{flex:none;width:66.66667%}.column.is-offset-8-touch{margin-left:66.66667%}.column.is-9-touch{flex:none;width:75%}.column.is-offset-9-touch{margin-left:75%}.column.is-10-touch{flex:none;width:83.33333%}.column.is-offset-10-touch{margin-left:83.33333%}.column.is-11-touch{flex:none;width:91.66667%}.column.is-offset-11-touch{margin-left:91.66667%}.column.is-12-touch{flex:none;width:100%}.column.is-offset-12-touch{margin-left:100%}}@media screen and (min-width:1088px){.column.is-narrow-desktop{flex:none}.column.is-full-desktop{flex:none;width:100%}.column.is-three-quarters-desktop{flex:none;width:75%}.column.is-two-thirds-desktop{flex:none;width:66.6666%}.column.is-half-desktop{flex:none;width:50%}.column.is-one-third-desktop{flex:none;width:33.3333%}.column.is-one-quarter-desktop{flex:none;width:25%}.column.is-one-fifth-desktop{flex:none;width:20%}.column.is-two-fifths-desktop{flex:none;width:40%}.column.is-three-fifths-desktop{flex:none;width:60%}.column.is-four-fifths-desktop{flex:none;width:80%}.column.is-offset-three-quarters-desktop{margin-left:75%}.column.is-offset-two-thirds-desktop{margin-left:66.6666%}.column.is-offset-half-desktop{margin-left:50%}.column.is-offset-one-third-desktop{margin-left:33.3333%}.column.is-offset-one-quarter-desktop{margin-left:25%}.column.is-offset-one-fifth-desktop{margin-left:20%}.column.is-offset-two-fifths-desktop{margin-left:40%}.column.is-offset-three-fifths-desktop{margin-left:60%}.column.is-offset-four-fifths-desktop{margin-left:80%}.column.is-1-desktop{flex:none;width:8.33333%}.column.is-offset-1-desktop{margin-left:8.33333%}.column.is-2-desktop{flex:none;width:16.66667%}.column.is-offset-2-desktop{margin-left:16.66667%}.column.is-3-desktop{flex:none;width:25%}.column.is-offset-3-desktop{margin-left:25%}.column.is-4-desktop{flex:none;width:33.33333%}.column.is-offset-4-desktop{margin-left:33.33333%}.column.is-5-desktop{flex:none;width:41.66667%}.column.is-offset-5-desktop{margin-left:41.66667%}.column.is-6-desktop{flex:none;width:50%}.column.is-offset-6-desktop{margin-left:50%}.column.is-7-desktop{flex:none;width:58.33333%}.column.is-offset-7-desktop{margin-left:58.33333%}.column.is-8-desktop{flex:none;width:66.66667%}.column.is-offset-8-desktop{margin-left:66.66667%}.column.is-9-desktop{flex:none;width:75%}.column.is-offset-9-desktop{margin-left:75%}.column.is-10-desktop{flex:none;width:83.33333%}.column.is-offset-10-desktop{margin-left:83.33333%}.column.is-11-desktop{flex:none;width:91.66667%}.column.is-offset-11-desktop{margin-left:91.66667%}.column.is-12-desktop{flex:none;width:100%}.column.is-offset-12-desktop{margin-left:100%}}@media screen and (min-width:1280px){.column.is-narrow-widescreen{flex:none}.column.is-full-widescreen{flex:none;width:100%}.column.is-three-quarters-widescreen{flex:none;width:75%}.column.is-two-thirds-widescreen{flex:none;width:66.6666%}.column.is-half-widescreen{flex:none;width:50%}.column.is-one-third-widescreen{flex:none;width:33.3333%}.column.is-one-quarter-widescreen{flex:none;width:25%}.column.is-one-fifth-widescreen{flex:none;width:20%}.column.is-two-fifths-widescreen{flex:none;width:40%}.column.is-three-fifths-widescreen{flex:none;width:60%}.column.is-four-fifths-widescreen{flex:none;width:80%}.column.is-offset-three-quarters-widescreen{margin-left:75%}.column.is-offset-two-thirds-widescreen{margin-left:66.6666%}.column.is-offset-half-widescreen{margin-left:50%}.column.is-offset-one-third-widescreen{margin-left:33.3333%}.column.is-offset-one-quarter-widescreen{margin-left:25%}.column.is-offset-one-fifth-widescreen{margin-left:20%}.column.is-offset-two-fifths-widescreen{margin-left:40%}.column.is-offset-three-fifths-widescreen{margin-left:60%}.column.is-offset-four-fifths-widescreen{margin-left:80%}.column.is-1-widescreen{flex:none;width:8.33333%}.column.is-offset-1-widescreen{margin-left:8.33333%}.column.is-2-widescreen{flex:none;width:16.66667%}.column.is-offset-2-widescreen{margin-left:16.66667%}.column.is-3-widescreen{flex:none;width:25%}.column.is-offset-3-widescreen{margin-left:25%}.column.is-4-widescreen{flex:none;width:33.33333%}.column.is-offset-4-widescreen{margin-left:33.33333%}.column.is-5-widescreen{flex:none;width:41.66667%}.column.is-offset-5-widescreen{margin-left:41.66667%}.column.is-6-widescreen{flex:none;width:50%}.column.is-offset-6-widescreen{margin-left:50%}.column.is-7-widescreen{flex:none;width:58.33333%}.column.is-offset-7-widescreen{margin-left:58.33333%}.column.is-8-widescreen{flex:none;width:66.66667%}.column.is-offset-8-widescreen{margin-left:66.66667%}.column.is-9-widescreen{flex:none;width:75%}.column.is-offset-9-widescreen{margin-left:75%}.column.is-10-widescreen{flex:none;width:83.33333%}.column.is-offset-10-widescreen{margin-left:83.33333%}.column.is-11-widescreen{flex:none;width:91.66667%}.column.is-offset-11-widescreen{margin-left:91.66667%}.column.is-12-widescreen{flex:none;width:100%}.column.is-offset-12-widescreen{margin-left:100%}}@media screen and (min-width:1472px){.column.is-narrow-fullhd{flex:none}.column.is-full-fullhd{flex:none;width:100%}.column.is-three-quarters-fullhd{flex:none;width:75%}.column.is-two-thirds-fullhd{flex:none;width:66.6666%}.column.is-half-fullhd{flex:none;width:50%}.column.is-one-third-fullhd{flex:none;width:33.3333%}.column.is-one-quarter-fullhd{flex:none;width:25%}.column.is-one-fifth-fullhd{flex:none;width:20%}.column.is-two-fifths-fullhd{flex:none;width:40%}.column.is-three-fifths-fullhd{flex:none;width:60%}.column.is-four-fifths-fullhd{flex:none;width:80%}.column.is-offset-three-quarters-fullhd{margin-left:75%}.column.is-offset-two-thirds-fullhd{margin-left:66.6666%}.column.is-offset-half-fullhd{margin-left:50%}.column.is-offset-one-third-fullhd{margin-left:33.3333%}.column.is-offset-one-quarter-fullhd{margin-left:25%}.column.is-offset-one-fifth-fullhd{margin-left:20%}.column.is-offset-two-fifths-fullhd{margin-left:40%}.column.is-offset-three-fifths-fullhd{margin-left:60%}.column.is-offset-four-fifths-fullhd{margin-left:80%}.column.is-1-fullhd{flex:none;width:8.33333%}.column.is-offset-1-fullhd{margin-left:8.33333%}.column.is-2-fullhd{flex:none;width:16.66667%}.column.is-offset-2-fullhd{margin-left:16.66667%}.column.is-3-fullhd{flex:none;width:25%}.column.is-offset-3-fullhd{margin-left:25%}.column.is-4-fullhd{flex:none;width:33.33333%}.column.is-offset-4-fullhd{margin-left:33.33333%}.column.is-5-fullhd{flex:none;width:41.66667%}.column.is-offset-5-fullhd{margin-left:41.66667%}.column.is-6-fullhd{flex:none;width:50%}.column.is-offset-6-fullhd{margin-left:50%}.column.is-7-fullhd{flex:none;width:58.33333%}.column.is-offset-7-fullhd{margin-left:58.33333%}.column.is-8-fullhd{flex:none;width:66.66667%}.column.is-offset-8-fullhd{margin-left:66.66667%}.column.is-9-fullhd{flex:none;width:75%}.column.is-offset-9-fullhd{margin-left:75%}.column.is-10-fullhd{flex:none;width:83.33333%}.column.is-offset-10-fullhd{margin-left:83.33333%}.column.is-11-fullhd{flex:none;width:91.66667%}.column.is-offset-11-fullhd{margin-left:91.66667%}.column.is-12-fullhd{flex:none;width:100%}.column.is-offset-12-fullhd{margin-left:100%}}.columns{margin-left:-.75rem;margin-right:-.75rem;margin-top:-.75rem}.columns:last-child{margin-bottom:-.75rem}.columns:not(:last-child){margin-bottom:calc(1.5rem - .75rem)}.columns.is-centered{justify-content:center}.columns.is-gapless{margin-left:0;margin-right:0;margin-top:0}.columns.is-gapless>.column{margin:0;padding:0!important}.columns.is-gapless:not(:last-child){margin-bottom:1.5rem}.columns.is-gapless:last-child{margin-bottom:0}.columns.is-mobile{display:flex}.columns.is-multiline{flex-wrap:wrap}.columns.is-vcentered{align-items:center}@media screen and (min-width:769px),print{.columns:not(.is-desktop){display:flex}}@media screen and (min-width:1088px){.columns.is-desktop{display:flex}}.columns.is-variable{--columnGap: 0.75rem;margin-left:calc(-1*var(--columnGap));margin-right:calc(-1*var(--columnGap))}.columns.is-variable .column{padding-left:var(--columnGap);padding-right:var(--columnGap)}.columns.is-variable.is-0{--columnGap: 0rem}.columns.is-variable.is-1{--columnGap: 0.25rem}.columns.is-variable.is-2{--columnGap: 0.5rem}.columns.is-variable.is-3{--columnGap: 0.75rem}.columns.is-variable.is-4{--columnGap: 1rem}.columns.is-variable.is-5{--columnGap: 1.25rem}.columns.is-variable.is-6{--columnGap: 1.5rem}.columns.is-variable.is-7{--columnGap: 1.75rem}.columns.is-variable.is-8{--columnGap: 2rem}.tile{align-items:stretch;display:block;flex-basis:0;flex-grow:1;flex-shrink:1;min-height:min-content}.tile.is-ancestor{margin-left:-.75rem;margin-right:-.75rem;margin-top:-.75rem}.tile.is-ancestor:last-child{margin-bottom:-.75rem}.tile.is-ancestor:not(:last-child){margin-bottom:.75rem}.tile.is-child{margin:0!important}.tile.is-parent{padding:.75rem}.tile.is-vertical{flex-direction:column}.tile.is-vertical>.tile.is-child:not(:last-child){margin-bottom:1.5rem!important}@media screen and (min-width:769px),print{.tile:not(.is-child){display:flex}.tile.is-1{flex:none;width:8.33333%}.tile.is-2{flex:none;width:16.66667%}.tile.is-3{flex:none;width:25%}.tile.is-4{flex:none;width:33.33333%}.tile.is-5{flex:none;width:41.66667%}.tile.is-6{flex:none;width:50%}.tile.is-7{flex:none;width:58.33333%}.tile.is-8{flex:none;width:66.66667%}.tile.is-9{flex:none;width:75%}.tile.is-10{flex:none;width:83.33333%}.tile.is-11{flex:none;width:91.66667%}.tile.is-12{flex:none;width:100%}}.hero{align-items:stretch;display:flex;flex-direction:column;justify-content:space-between}.hero .navbar{background:0 0}.hero.is-white{background-color:#fff;color:#0a0a0a}.hero.is-white a:not(.button):not(.dropdown-item):not(.tag),.hero.is-white strong{color:inherit}.hero.is-white .title{color:#0a0a0a}.hero.is-white .subtitle{color:rgba(10,10,10,.9)}.hero.is-white .subtitle a:not(.button),.hero.is-white .subtitle strong{color:#0a0a0a}@media screen and (max-width:1087px){.hero.is-white .navbar-menu{background-color:#fff}}.hero.is-white .navbar-item,.hero.is-white .navbar-link{color:rgba(10,10,10,.7)}.hero.is-white .navbar-link.is-active,.hero.is-white .navbar-link:hover,.hero.is-white a.navbar-item.is-active,.hero.is-white a.navbar-item:hover{background-color:#f2f2f2;color:#0a0a0a}.hero.is-white .tabs a{color:#0a0a0a;opacity:.9}.hero.is-white .tabs a:hover,.hero.is-white .tabs li.is-active a{opacity:1}.hero.is-white .tabs.is-boxed a,.hero.is-white .tabs.is-toggle a{color:#0a0a0a}.hero.is-white .tabs.is-boxed a:hover,.hero.is-white .tabs.is-toggle a:hover{background-color:rgba(10,10,10,.1)}.hero.is-white.is-bold{background-image:linear-gradient(141deg,#e6e6e6 0%,#fff 71%,#fff 100%)}@media screen and (max-width:768px){.hero.is-white.is-bold .navbar-menu{background-image:linear-gradient(141deg,#e6e6e6 0%,#fff 71%,#fff 100%)}}.hero.is-black{background-color:#0a0a0a;color:#fff}.hero.is-black a:not(.button):not(.dropdown-item):not(.tag),.hero.is-black strong{color:inherit}.hero.is-black .title{color:#fff}.hero.is-black .subtitle{color:rgba(255,255,255,.9)}.hero.is-black .subtitle a:not(.button),.hero.is-black .subtitle strong{color:#fff}@media screen and (max-width:1087px){.hero.is-black .navbar-menu{background-color:#0a0a0a}}.hero.is-black .navbar-item,.hero.is-black .navbar-link{color:rgba(255,255,255,.7)}.hero.is-black .navbar-link.is-active,.hero.is-black .navbar-link:hover,.hero.is-black a.navbar-item.is-active,.hero.is-black a.navbar-item:hover{background-color:#000;color:#fff}.hero.is-black .tabs a{color:#fff;opacity:.9}.hero.is-black .tabs a:hover,.hero.is-black .tabs li.is-active a{opacity:1}.hero.is-black .tabs.is-boxed a,.hero.is-black .tabs.is-toggle a{color:#fff}.hero.is-black .tabs.is-boxed a:hover,.hero.is-black .tabs.is-toggle a:hover{background-color:rgba(10,10,10,.1)}.hero.is-black .tabs.is-boxed li.is-active a,.hero.is-black .tabs.is-boxed li.is-active a:hover,.hero.is-black .tabs.is-toggle li.is-active a,.hero.is-black .tabs.is-toggle li.is-active a:hover{background-color:#fff;border-color:#fff;color:#0a0a0a}.hero.is-black.is-bold{background-image:linear-gradient(141deg,#000 0%,#0a0a0a 71%,#181616 100%)}@media screen and (max-width:768px){.hero.is-black.is-bold .navbar-menu{background-image:linear-gradient(141deg,#000 0%,#0a0a0a 71%,#181616 100%)}}.hero.is-light{background-color:#f5f5f5;color:#363636}.hero.is-light a:not(.button):not(.dropdown-item):not(.tag),.hero.is-light strong{color:inherit}.hero.is-light .title{color:#363636}.hero.is-light .subtitle{color:rgba(54,54,54,.9)}.hero.is-light .subtitle a:not(.button),.hero.is-light .subtitle strong{color:#363636}@media screen and (max-width:1087px){.hero.is-light .navbar-menu{background-color:#f5f5f5}}.hero.is-light .navbar-item,.hero.is-light .navbar-link{color:rgba(54,54,54,.7)}.hero.is-light .navbar-link.is-active,.hero.is-light .navbar-link:hover,.hero.is-light a.navbar-item.is-active,.hero.is-light a.navbar-item:hover{background-color:#e8e8e8;color:#363636}.hero.is-light .tabs a{color:#363636;opacity:.9}.hero.is-light .tabs a:hover,.hero.is-light .tabs li.is-active a{opacity:1}.hero.is-light .tabs.is-boxed a,.hero.is-light .tabs.is-toggle a{color:#363636}.hero.is-light .tabs.is-boxed a:hover,.hero.is-light .tabs.is-toggle a:hover{background-color:rgba(10,10,10,.1)}.hero.is-light .tabs.is-boxed li.is-active a,.hero.is-light .tabs.is-boxed li.is-active a:hover,.hero.is-light .tabs.is-toggle li.is-active a,.hero.is-light .tabs.is-toggle li.is-active a:hover{background-color:#363636;border-color:#363636;color:#f5f5f5}.hero.is-light.is-bold{background-image:linear-gradient(141deg,#dfd8d9 0%,#f5f5f5 71%,#fff 100%)}@media screen and (max-width:768px){.hero.is-light.is-bold .navbar-menu{background-image:linear-gradient(141deg,#dfd8d9 0%,#f5f5f5 71%,#fff 100%)}}.hero.is-dark{background-color:#363636;color:#f5f5f5}.hero.is-dark a:not(.button):not(.dropdown-item):not(.tag),.hero.is-dark strong{color:inherit}.hero.is-dark .title{color:#f5f5f5}.hero.is-dark .subtitle{color:rgba(245,245,245,.9)}.hero.is-dark .subtitle a:not(.button),.hero.is-dark .subtitle strong{color:#f5f5f5}@media screen and (max-width:1087px){.hero.is-dark .navbar-menu{background-color:#363636}}.hero.is-dark .navbar-item,.hero.is-dark .navbar-link{color:rgba(245,245,245,.7)}.hero.is-dark .navbar-link.is-active,.hero.is-dark .navbar-link:hover,.hero.is-dark a.navbar-item.is-active,.hero.is-dark a.navbar-item:hover{background-color:#292929;color:#f5f5f5}.hero.is-dark .tabs a{color:#f5f5f5;opacity:.9}.hero.is-dark .tabs a:hover,.hero.is-dark .tabs li.is-active a{opacity:1}.hero.is-dark .tabs.is-boxed a,.hero.is-dark .tabs.is-toggle a{color:#f5f5f5}.hero.is-dark .tabs.is-boxed a:hover,.hero.is-dark .tabs.is-toggle a:hover{background-color:rgba(10,10,10,.1)}.hero.is-dark .tabs.is-boxed li.is-active a,.hero.is-dark .tabs.is-boxed li.is-active a:hover,.hero.is-dark .tabs.is-toggle li.is-active a,.hero.is-dark .tabs.is-toggle li.is-active a:hover{background-color:#f5f5f5;border-color:#f5f5f5;color:#363636}.hero.is-dark.is-bold{background-image:linear-gradient(141deg,#1f191a 0%,#363636 71%,#46403f 100%)}@media screen and (max-width:768px){.hero.is-dark.is-bold .navbar-menu{background-image:linear-gradient(141deg,#1f191a 0%,#363636 71%,#46403f 100%)}}.hero.is-primary{background-color:#00d1b2;color:#fff}.hero.is-primary a:not(.button):not(.dropdown-item):not(.tag),.hero.is-primary strong{color:inherit}.hero.is-primary .title{color:#fff}.hero.is-primary .subtitle{color:rgba(255,255,255,.9)}.hero.is-primary .subtitle a:not(.button),.hero.is-primary .subtitle strong{color:#fff}@media screen and (max-width:1087px){.hero.is-primary .navbar-menu{background-color:#00d1b2}}.hero.is-primary .navbar-item,.hero.is-primary .navbar-link{color:rgba(255,255,255,.7)}.hero.is-primary .navbar-link.is-active,.hero.is-primary .navbar-link:hover,.hero.is-primary a.navbar-item.is-active,.hero.is-primary a.navbar-item:hover{background-color:#00b89c;color:#fff}.hero.is-info .tabs a,.hero.is-link .tabs a,.hero.is-primary .tabs a,.hero.is-success .tabs a{color:#fff;opacity:.9}.hero.is-primary .tabs a:hover,.hero.is-primary .tabs li.is-active a{opacity:1}.hero.is-primary .tabs.is-boxed a,.hero.is-primary .tabs.is-toggle a{color:#fff}.hero.is-primary .tabs.is-boxed a:hover,.hero.is-primary .tabs.is-toggle a:hover{background-color:rgba(10,10,10,.1)}.hero.is-primary .tabs.is-boxed li.is-active a,.hero.is-primary .tabs.is-boxed li.is-active a:hover,.hero.is-primary .tabs.is-toggle li.is-active a,.hero.is-primary .tabs.is-toggle li.is-active a:hover{background-color:#fff;border-color:#fff;color:#00d1b2}.hero.is-primary.is-bold{background-image:linear-gradient(141deg,#009e6c 0%,#00d1b2 71%,#00e7eb 100%)}@media screen and (max-width:768px){.hero.is-primary.is-bold .navbar-menu{background-image:linear-gradient(141deg,#009e6c 0%,#00d1b2 71%,#00e7eb 100%)}}.hero.is-link{background-color:#3273dc;color:#fff}.hero.is-link a:not(.button):not(.dropdown-item):not(.tag),.hero.is-link strong{color:inherit}.hero.is-link .title{color:#fff}.hero.is-link .subtitle{color:rgba(255,255,255,.9)}.hero.is-link .subtitle a:not(.button),.hero.is-link .subtitle strong{color:#fff}@media screen and (max-width:1087px){.hero.is-link .navbar-menu{background-color:#3273dc}}.hero.is-link .navbar-item,.hero.is-link .navbar-link{color:rgba(255,255,255,.7)}.hero.is-link .navbar-link.is-active,.hero.is-link .navbar-link:hover,.hero.is-link a.navbar-item.is-active,.hero.is-link a.navbar-item:hover{background-color:#2366d1;color:#fff}.hero.is-link .tabs a:hover,.hero.is-link .tabs li.is-active a{opacity:1}.hero.is-link .tabs.is-boxed a,.hero.is-link .tabs.is-toggle a{color:#fff}.hero.is-link .tabs.is-boxed a:hover,.hero.is-link .tabs.is-toggle a:hover{background-color:rgba(10,10,10,.1)}.hero.is-link .tabs.is-boxed li.is-active a,.hero.is-link .tabs.is-boxed li.is-active a:hover,.hero.is-link .tabs.is-toggle li.is-active a,.hero.is-link .tabs.is-toggle li.is-active a:hover{background-color:#fff;border-color:#fff;color:#3273dc}.hero.is-link.is-bold{background-image:linear-gradient(141deg,#1577c6 0%,#3273dc 71%,#4366e5 100%)}@media screen and (max-width:768px){.hero.is-link.is-bold .navbar-menu{background-image:linear-gradient(141deg,#1577c6 0%,#3273dc 71%,#4366e5 100%)}}.hero.is-info{background-color:#209cee;color:#fff}.hero.is-info a:not(.button):not(.dropdown-item):not(.tag),.hero.is-info strong{color:inherit}.hero.is-info .title{color:#fff}.hero.is-info .subtitle{color:rgba(255,255,255,.9)}.hero.is-info .subtitle a:not(.button),.hero.is-info .subtitle strong{color:#fff}@media screen and (max-width:1087px){.hero.is-info .navbar-menu{background-color:#209cee}}.hero.is-info .navbar-item,.hero.is-info .navbar-link{color:rgba(255,255,255,.7)}.hero.is-info .navbar-link.is-active,.hero.is-info .navbar-link:hover,.hero.is-info a.navbar-item.is-active,.hero.is-info a.navbar-item:hover{background-color:#118fe4;color:#fff}.hero.is-info .tabs a:hover,.hero.is-info .tabs li.is-active a{opacity:1}.hero.is-info .tabs.is-boxed a,.hero.is-info .tabs.is-toggle a{color:#fff}.hero.is-info .tabs.is-boxed a:hover,.hero.is-info .tabs.is-toggle a:hover{background-color:rgba(10,10,10,.1)}.hero.is-info .tabs.is-boxed li.is-active a,.hero.is-info .tabs.is-boxed li.is-active a:hover,.hero.is-info .tabs.is-toggle li.is-active a,.hero.is-info .tabs.is-toggle li.is-active a:hover{background-color:#fff;border-color:#fff;color:#209cee}.hero.is-info.is-bold{background-image:linear-gradient(141deg,#04a6d7 0%,#209cee 71%,#3287f5 100%)}@media screen and (max-width:768px){.hero.is-info.is-bold .navbar-menu{background-image:linear-gradient(141deg,#04a6d7 0%,#209cee 71%,#3287f5 100%)}}.hero.is-success{background-color:#23d160;color:#fff}.hero.is-success a:not(.button):not(.dropdown-item):not(.tag),.hero.is-success strong{color:inherit}.hero.is-success .title{color:#fff}.hero.is-success .subtitle{color:rgba(255,255,255,.9)}.hero.is-success .subtitle a:not(.button),.hero.is-success .subtitle strong{color:#fff}@media screen and (max-width:1087px){.hero.is-success .navbar-menu{background-color:#23d160}}.hero.is-success .navbar-item,.hero.is-success .navbar-link{color:rgba(255,255,255,.7)}.hero.is-success .navbar-link.is-active,.hero.is-success .navbar-link:hover,.hero.is-success a.navbar-item.is-active,.hero.is-success a.navbar-item:hover{background-color:#20bc56;color:#fff}.hero.is-success .tabs a:hover,.hero.is-success .tabs li.is-active a{opacity:1}.hero.is-success .tabs.is-boxed a,.hero.is-success .tabs.is-toggle a{color:#fff}.hero.is-success .tabs.is-boxed a:hover,.hero.is-success .tabs.is-toggle a:hover{background-color:rgba(10,10,10,.1)}.hero.is-success .tabs.is-boxed li.is-active a,.hero.is-success .tabs.is-boxed li.is-active a:hover,.hero.is-success .tabs.is-toggle li.is-active a,.hero.is-success .tabs.is-toggle li.is-active a:hover{background-color:#fff;border-color:#fff;color:#23d160}.hero.is-success.is-bold{background-image:linear-gradient(141deg,#12af2f 0%,#23d160 71%,#2ce28a 100%)}@media screen and (max-width:768px){.hero.is-success.is-bold .navbar-menu{background-image:linear-gradient(141deg,#12af2f 0%,#23d160 71%,#2ce28a 100%)}}.hero.is-warning{background-color:#ffdd57;color:rgba(0,0,0,.7)}.hero.is-warning a:not(.button):not(.dropdown-item):not(.tag),.hero.is-warning strong{color:inherit}.hero.is-warning .title{color:rgba(0,0,0,.7)}.hero.is-warning .subtitle{color:rgba(0,0,0,.9)}.hero.is-warning .subtitle a:not(.button),.hero.is-warning .subtitle strong{color:rgba(0,0,0,.7)}@media screen and (max-width:1087px){.hero.is-warning .navbar-menu{background-color:#ffdd57}}.hero.is-warning .navbar-item,.hero.is-warning .navbar-link{color:rgba(0,0,0,.7)}.hero.is-warning .navbar-link.is-active,.hero.is-warning .navbar-link:hover,.hero.is-warning a.navbar-item.is-active,.hero.is-warning a.navbar-item:hover{background-color:#ffd83d;color:rgba(0,0,0,.7)}.hero.is-warning .tabs a{color:rgba(0,0,0,.7);opacity:.9}.hero.is-warning .tabs a:hover,.hero.is-warning .tabs li.is-active a{opacity:1}.hero.is-warning .tabs.is-boxed a,.hero.is-warning .tabs.is-toggle a{color:rgba(0,0,0,.7)}.hero.is-warning .tabs.is-boxed a:hover,.hero.is-warning .tabs.is-toggle a:hover{background-color:rgba(10,10,10,.1)}.hero.is-warning .tabs.is-boxed li.is-active a,.hero.is-warning .tabs.is-boxed li.is-active a:hover,.hero.is-warning .tabs.is-toggle li.is-active a,.hero.is-warning .tabs.is-toggle li.is-active a:hover{background-color:rgba(0,0,0,.7);border-color:rgba(0,0,0,.7);color:#ffdd57}.hero.is-warning.is-bold{background-image:linear-gradient(141deg,#ffaf24 0%,#ffdd57 71%,#fffa70 100%)}@media screen and (max-width:768px){.hero.is-warning.is-bold .navbar-menu{background-image:linear-gradient(141deg,#ffaf24 0%,#ffdd57 71%,#fffa70 100%)}}.hero.is-danger{background-color:#ff3860;color:#fff}.hero.is-danger a:not(.button):not(.dropdown-item):not(.tag),.hero.is-danger strong{color:inherit}.hero.is-danger .title{color:#fff}.hero.is-danger .subtitle{color:rgba(255,255,255,.9)}.hero.is-danger .subtitle a:not(.button),.hero.is-danger .subtitle strong{color:#fff}@media screen and (max-width:1087px){.hero.is-danger .navbar-menu{background-color:#ff3860}}.hero.is-danger .navbar-item,.hero.is-danger .navbar-link{color:rgba(255,255,255,.7)}.hero.is-danger .navbar-link.is-active,.hero.is-danger .navbar-link:hover,.hero.is-danger a.navbar-item.is-active,.hero.is-danger a.navbar-item:hover{background-color:#ff1f4b;color:#fff}.hero.is-danger .tabs a{color:#fff;opacity:.9}.hero.is-danger .tabs a:hover,.hero.is-danger .tabs li.is-active a{opacity:1}.hero.is-danger .tabs.is-boxed a,.hero.is-danger .tabs.is-toggle a{color:#fff}.hero.is-danger .tabs.is-boxed a:hover,.hero.is-danger .tabs.is-toggle a:hover{background-color:rgba(10,10,10,.1)}.hero.is-danger .tabs.is-boxed li.is-active a,.hero.is-danger .tabs.is-boxed li.is-active a:hover,.hero.is-danger .tabs.is-toggle li.is-active a,.hero.is-danger .tabs.is-toggle li.is-active a:hover{background-color:#fff;border-color:#fff;color:#ff3860}.hero.is-danger.is-bold{background-image:linear-gradient(141deg,#ff0561 0%,#ff3860 71%,#ff5257 100%)}@media screen and (max-width:768px){.hero.is-danger.is-bold .navbar-menu{background-image:linear-gradient(141deg,#ff0561 0%,#ff3860 71%,#ff5257 100%)}}.hero.is-small .hero-body{padding-bottom:1.5rem;padding-top:1.5rem}@media screen and (min-width:769px),print{.hero.is-medium .hero-body{padding-bottom:9rem;padding-top:9rem}.hero.is-large .hero-body{padding-bottom:18rem;padding-top:18rem}}.hero.is-fullheight .hero-body,.hero.is-halfheight .hero-body{align-items:center;display:flex}.hero.is-fullheight .hero-body>.container,.hero.is-halfheight .hero-body>.container{flex-grow:1;flex-shrink:1}.hero.is-halfheight{min-height:50vh}.hero.is-fullheight{min-height:100vh}.hero-video{overflow:hidden}.hero-video video{left:50%;min-height:100%;min-width:100%;position:absolute;top:50%;transform:translate3d(-50%,-50%,0)}.hero-video.is-transparent{opacity:.3}@media screen and (max-width:768px){.hero-video{display:none}}.hero-buttons{margin-top:1.5rem}@media screen and (max-width:768px){.hero-buttons .button{display:flex}.hero-buttons .button:not(:last-child){margin-bottom:.75rem}}@media screen and (min-width:769px),print{.hero-buttons{display:flex;justify-content:center}.hero-buttons .button:not(:last-child){margin-right:1.5rem}}.hero-body,.hero-foot,.hero-head{flex-grow:0;flex-shrink:0}.hero-body{flex-grow:1}.hero-body,.section{padding:3rem 1.5rem}@media screen and (min-width:1088px){.section.is-medium{padding:9rem 1.5rem}.section.is-large{padding:18rem 1.5rem}}.footer{background-color:#fafafa;padding:3rem 1.5rem 6rem} | musicvano/uBlog | uBlog.Web/wwwroot/libs/bulma/bulma.min.css | CSS | mit | 154,952 |
<!DOCTYPE html>
<!-- saved from url=(0038)http://anvoz.github.io/bootstrap-tldr/ -->
<html class=" js svg"><!--<![endif]--><head><meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
<title>GP</title>
<meta name="description" content="All Bootstrap's components in one page. Briefly presented with their own CSS selectors.">
<meta name="viewport" content="width=device-width">
<link rel="stylesheet" href="less/bootstrap.css">
</head>
<!-- Fixed navbar -->
<div class="navbar navbar-inverse navbar-fixed-top">
<div class="container-fluid">
<div class="navbar-header">
<button class="navbar-toggle" data-toggle="collapse" data-target="#navbar-collapse" type="button">
<span class="icon-bar"></span>
<span class="icon-bar"></span>
<span class="icon-bar"></span>
</button>
<a class="navbar-brand" href="main_bullet.html">
<span class="logo-firstpart">ghost</span>
<span class="logo-secondpart">specter</span>
</a>
</div>
<div class="collapse navbar-collapse" id="navbar-collapse">
<ul class="nav navbar-nav">
<li class="dropdown">
<a class="dropdown-toggle" data-toggle="dropdown" href="#">
genres <b class="caret"></b>
</a>
<ul class="dropdown-menu">
<li><a href="house_genre.html">house</a></li>
<li><a href="#">techno</a></li>
</ul>
</li>
<li class="visible-xs visible-md visible-lg"><a href="all_tracks.html">tracks</a></li>
<li class="visible-xs visible-md visible-lg"><a href="producers.html">producers</a></li>
<li>
<form class="navbar-form navbar-right" role="search">
<div class="form-group">
<input type="text" class="form-control" placeholder="Search">
</div>
<button type="submit" class="btn btn-sm btn-primary primary-darken">Submit</button>
</form>
</li>
</ul>
<ul class="nav navbar-nav navbar-right">
<!--<button type="button" class="btn btn-default btn-sm navbar-btn">login</button>
<button type="button" class="btn btn-default btn-sm navbar-btn">register</button>-->
<li class="visible-md visible-lg">
<a href="#" class="cart-link">
1350$
</a>
</li>
<li class="dropdown">
<a class="dropdown-toggle" data-toggle="dropdown" href="#">
<span class="logo-firstpart">hard</span>
<span class="logo-secondpart">well</span>
<b class="caret"></b>
</a>
<ul class="dropdown-menu">
<li class="visible-xs visible-sm"><a href="#">cart 1350$</a></li>
<li><a href="my_producer_page.html">my profile</a></li>
<li><a href="tasks.html">tasks</a></li>
<li><a href="orders.html">orders</a></li>
<li><a href="producer_tracks.html">tracks</a></li>
<li><a href="messages.html">messages</a></li>
<li><a href="settings.html">settings</a></li>
<li><a href="#">log out</a></li>
</ul>
</li>
</ul>
</div><!--/.nav-collapse -->
</div>
</div>
<body>
<div class="img-background" style="background-image: url(images/edc-2016-kineticfield.jpg)"></div>
<div class="img-gradient"></div>
<div class="container">
<div class="row">
<div class="col-xs-12 col-sm-12 col-md-12 col-lg-12">
<h3>
<span class="logo-firstpart">active</span>
<span class="logo-secondpart">tasks</span>
</h3>
</div>
</div>
<div class="row">
<div class="col-xs-12 col-sm-12 col-md-6 col-lg-6">
<div class="jumbotron table ad ad-details-visible">
<div class="caption">
<h2 class="type">
<span class="logo-firstpart">electro</span>
<span class="logo-secondpart">house</span>
</h2>
<div class="visible-xs caption text-left">
<h5 class="date inline-block w-a mr-5">25.03.2017</h5>
<h5 class="bpm inline-block w-a mr-5">135 BPM</h5>
<h5 class="key inline-block w-a mr-5">E maj</h5>
<h5 class="duration inline-block w-a mr-5">5-6 min</h5>
</div>
<table class="table table-responsive mb-0 text-center">
<tbody>
<tr>
<td><a href="#">client</a></td>
<td class="hidden-xs">27.03.2017</td>
<td>550$</td>
<td>
<button class="btn btn-border btn-xs btn-blue btn-buy" href="#">MESSAGE</button>
</td>
</tr>
</tbody>
</table>
<div class="panel-group panel-track-process" id="accordion">
<div class="panel panel-primary">
<div class="panel-heading">
<h4 class="panel-title">
<a class="accordion-toggle" data-toggle="collapse" data-parent="#accordion" href="#collapseThree">
<span class="logo-firstpart">details</span>
</a>
</h4>
</div>
<div class="panel-collapse collapse" id="collapseThree">
<div class="panel-body">
<table class="table table-responsive mb-0">
<tbody>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm icon flaticon-play-button" type="button"></button></td>
<td>Chris Schweizer, James Dymond - SPECTRUM</td>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm btn-blue icon flaticon-music-file" type="button"></button></td>
</tr>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm icon flaticon-play-button" type="button"></button></td>
<td>Above & Beyond - 1001 (ORIGINAL MIX)</td>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm btn-blue icon flaticon-music-file" type="button"></button></td>
</tr>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm icon flaticon-sound-frecuency" type="button"></button></td>
<td>SERUM PRESET</td>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm btn-blue icon flaticon-music-file" type="button"></button></td>
</tr>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm icon flaticon-microphone-2" type="button"></button></td>
<td>vocal</td>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm btn-blue icon flaticon-music-file" type="button"></button></td>
</tr>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm icon flaticon-metronome" type="button"></button></td>
<td>25-30 days</td>
<td></td>
</tr>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-text-normal btn-play-sm" type="button">$</button></td>
<td>500$</td>
<td></td>
</tr>
</tbody>
</table>
</div>
</div>
</div>
</div>
<div class="row">
<div class="col-xs-12 col-sm-12 col-md-12 col-lg-12">
<h4 class="process-name">
<span class="logo-firstpart">Stages</span>
<button class="btn btn-border btn-xs btn-blue btn-buy pull-right" href="#">send stages</button>
</h4>
<table class="table table-responsive mb-0 text-center">
<tbody>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm btn-play-text-normal" type="button">1</button></td>
<td>lead</td>
<td>
<button class="btn btn-border btn-xs btn-buy" href="#">delete</button>
</td>
</tr>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm btn-play-text-normal" type="button">2</button></td>
<td>
BASSLINE
</td>
<td>
<button class="btn btn-border btn-xs btn-buy" href="#">delete</button>
</td>
</tr>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm btn-play-text-normal" type="button">3</button></td>
<td>
<input class="form-control" id="title-stage-input" type="text" placeholder="TITLE">
</td>
<td>
<button class="btn btn-border btn-xs btn-blue btn-buy" href="#">save</button>
</td>
</tr>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm btn-play-text-normal" type="button">+</button></td>
<td></td>
<td></td>
</tr>
</tbody>
</table>
</div>
</div>
</div>
<div class="hidden-xs up">
<h4 class="date">25.03.2017</h4>
<div class="caption">
<h4 class="bpm">135 BPM</h4>
<h4 class="key">E maj</h4>
<h4 class="duration">5-6 min</h4>
</div>
</div>
</div>
</div>
<div class="col-xs-12 col-sm-12 col-md-6 col-lg-6">
<div class="jumbotron table ad ad-details-visible">
<div class="caption">
<h2 class="type">
<span class="logo-firstpart">electro</span>
<span class="logo-secondpart">house</span>
</h2>
<div class="visible-xs caption text-left">
<h5 class="date inline-block w-a mr-5">25.03.2017</h5>
<h5 class="bpm inline-block w-a mr-5">135 BPM</h5>
<h5 class="key inline-block w-a mr-5">E maj</h5>
<h5 class="duration inline-block w-a mr-5">5-6 min</h5>
</div>
<table class="table table-responsive mb-0 text-center">
<tbody>
<tr>
<td><a href="#">client</a></td>
<td class="hidden-xs">27.03.2017</td>
<td>550$</td>
<td>
<button class="btn btn-border btn-xs btn-blue btn-buy" href="#">MESSAGE</button>
</td>
</tr>
</tbody>
</table>
<div class="panel-group panel-track-process" id="accordion3">
<div class="panel panel-primary">
<div class="panel-heading">
<h4 class="panel-title">
<a class="accordion-toggle" data-toggle="collapse" data-parent="#accordion" href="#collapseFour">
<span class="logo-firstpart">details</span>
</a>
</h4>
</div>
<div class="panel-collapse collapse" id="collapseFour">
<div class="panel-body">
<table class="table table-responsive mb-0">
<tbody>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm icon flaticon-play-button" type="button"></button></td>
<td>Chris Schweizer, James Dymond - SPECTRUM</td>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm btn-blue icon flaticon-music-file" type="button"></button></td>
</tr>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm icon flaticon-play-button" type="button"></button></td>
<td>Above & Beyond - 1001 (ORIGINAL MIX)</td>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm btn-blue icon flaticon-music-file" type="button"></button></td>
</tr>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm icon flaticon-sound-frecuency" type="button"></button></td>
<td>SERUM PRESET</td>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm btn-blue icon flaticon-music-file" type="button"></button></td>
</tr>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm icon flaticon-microphone-2" type="button"></button></td>
<td>vocal</td>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm btn-blue icon flaticon-music-file" type="button"></button></td>
</tr>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm icon flaticon-metronome" type="button"></button></td>
<td>25-30 days</td>
<td></td>
</tr>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-text-normal btn-play-sm" type="button">$</button></td>
<td>500$</td>
<td></td>
</tr>
</tbody>
</table>
</div>
</div>
</div>
</div>
<div class="row">
<div class="col-xs-12 col-sm-12 col-md-12 col-lg-12">
<h4 class="process-name">
<span class="logo-firstpart">process</span>
<button class="btn btn-border btn-xs btn-buy pull-right" href="#">STOP WORKING</button>
</h4>
<table class="table table-responsive mb-0 text-center">
<tbody>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm btn-play-text-normal" type="button">1</button></td>
<td>Chris Schweizer, James Dymond - SPECTRUM</td>
<td class="hidden-xs">28.03.2017</td>
<td class="text-green">
checked
</td>
</tr>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm btn-play-text-normal" type="button">2</button></td>
<td>BASSLINE</td>
<td class="hidden-xs">29.03.2017</td>
<td class="text-gray">
<span>processing </span><span class="glyphicon glyphicon-time"></span>
</td>
</tr>
</tbody>
</table>
<table class="table table-responsive mb-0 text-center">
<tbody>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm btn-play-text-normal" type="button">3</button></td>
<td>DOWN</td>
<td>
<div class="form-group mb-0 pull-right">
<button class="btn btn-border btn-xs btn-buy btn-blue hidden-xs" href="#">CHOOSE FILE</button>
<button class="btn btn-border btn-xs btn-buy btn-blue visible-xs" href="#">FILE</button>
</div>
</td>
<td>
<button class="btn btn-border btn-xs btn-buy" href="#">SEND</button>
</td>
</tr>
<tr>
<td><button class="btn btn-border btn-circle btn-play btn-play-sm btn-play-text-normal" type="button">4</button></td>
<td>INTRO</td>
<td class="width-50">
<div class="form-group mb-0 pull-right">
<button class="btn btn-border btn-xs btn-buy btn-blue hidden-xs" href="#">CHOOSE FILE</button>
<button class="btn btn-border btn-xs btn-buy btn-blue visible-xs" href="#">FILE</button>
</div>
</td>
<td>
<button class="btn btn-border btn-xs btn-buy" href="#">SEND</button>
</td>
</tr>
</tbody>
</table>
</div>
</div>
<div class="row">
<div class="col-xs-12 col-sm-12 col-md-12 col-lg-12">
<div class="progress active progress-dark">
<div class="progress-bar progress-bar-striped" style="width: 50%;">
<span>50%</span>
</div>
</div>
</div>
</div>
</div>
<div class="hidden-xs up">
<h4 class="date">25.03.2017</h4>
<div class="caption">
<h4 class="bpm">135 BPM</h4>
<h4 class="key">E maj</h4>
<h4 class="duration">5-6 min</h4>
</div>
</div>
</div>
</div>
</div>
<div class="row">
<div class="col-xs-12 col-sm-12 col-md-12 col-lg-12">
<h3>
<span class="logo-firstpart">ended</span>
<span class="logo-secondpart">tasks</span>
</h3>
</div>
</div>
<div class="row">
<div class="col-xs-12 col-sm-12 col-md-6 col-lg-6">
<div class="jumbotron table ad ad-details-visible">
<div class="caption">
<h2 class="type">
<span class="logo-firstpart">future</span>
<span class="logo-secondpart">house</span>
</h2>
<div class="visible-xs caption text-left">
<h5 class="date inline-block w-a mr-5">25.03.2017</h5>
<h5 class="bpm inline-block w-a mr-5">135 BPM</h5>
<h5 class="key inline-block w-a mr-5">E maj</h5>
<h5 class="duration inline-block w-a mr-5">5-6 min</h5>
</div>
<table class="table table-responsive mb-0 text-center">
<tbody>
<tr>
<td><a href="#">CLIENT</a></td>
<td>750$</td>
<td class="hidden-xs">27.03.2017</td>
<td>
<button class="btn btn-border btn-xs btn-blue btn-buy" href="#">MESSAGE</button>
</td>
</tr>
</tbody>
</table>
<div class="panel-group panel-track-process" id="accordion">
<div class="panel panel-primary">
<div class="panel-heading">
<h4 class="panel-title">
<a class="accordion-toggle" data-toggle="collapse" data-parent="#accordion" href="#collapseFifth">
<span class="logo-firstpart">details</span>
</a>
</h4>
</div>
<div class="panel-collapse collapse" id="collapseFifth">
<div class="panel-body">
<table class="table table-responsive mb-0">
<tbody>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm icon flaticon-play-button" type="button"></button></td>
<td>Chris Schweizer, James Dymond - SPECTRUM</td>
</tr>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm icon flaticon-play-button" type="button"></button></td>
<td>Above & Beyond - 1001 (ORIGINAL MIX)</td>
</tr>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm icon flaticon-sound-frecuency" type="button"></button></td>
<td>SERUM PRESET</td>
</tr>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm icon flaticon-microphone-2" type="button"></button></td>
<td>vocal</td>
</tr>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm icon flaticon-metronome" type="button"></button></td>
<td>25-30 days</td>
</tr>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-text-normal btn-play-sm" type="button">$</button></td>
<td>500$</td>
</tr>
</tbody>
</table>
</div>
</div>
</div>
</div>
<div class="row">
<div class="col-xs-12 col-sm-12 col-md-12 col-lg-12">
<h4 class="process-name">
<span class="logo-firstpart">process</span>
</h4>
<table class="table table-responsive mb-0 text-center">
<tbody>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm btn-play-text-normal" type="button">1</button></td>
<td>lead</td>
<td class="hidden-xs">28.03.2017</td>
<td class="text-green">
checked
</td>
</tr>
<tr>
<td class="width-50"><button class="btn btn-border btn-circle btn-play btn-play-sm btn-play-text-normal" type="button">2</button></td>
<td>BASSLINE</td>
<td class="hidden-xs">29.03.2017</td>
<td class="text-green">
checked
</td>
</tr>
</tbody>
</table>
</div>
</div>
<div class="row">
<div class="col-xs-12 col-sm-12 col-md-12 col-lg-12">
<div class="progress active progress-dark">
<div class="progress-bar progress-bar-striped" style="width: 100%;">
<span>100%</span>
</div>
</div>
</div>
</div>
</div>
<div class="up hidden-xs">
<h4 class="date">25.03.2017</h4>
<div class="caption">
<h4 class="bpm">135 BPM</h4>
<h4 class="key">E maj</h4>
<h4 class="duration">5-6 min</h4>
</div>
</div>
</div>
</div>
</div>
</div>
<!-- jQuery (necessary for Bootstrap's JavaScript plugins) -->
<script src="js/jquery-1.11.3.min.js"></script>
<!-- Include all compiled plugins (below), or include individual files as needed -->
<script src="js/bootstrap.js"></script>
</body></html> | DmitryLitvinchuk/GP | tasks.html | HTML | mit | 22,604 |
<?php
/*
* This file is part of the symfony package.
* (c) 2004-2006 Fabien Potencier <fabien.potencier@symfony-project.com>
* (c) 2004-2006 Sean Kerr <sean@code-box.org>
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
/**
* sfFilter provides a way for you to intercept incoming requests or outgoing responses.
*
* @package symfony
* @subpackage filter
* @author Fabien Potencier <fabien.potencier@symfony-project.com>
* @author Sean Kerr <sean@code-box.org>
* @version SVN: $Id$
*/
abstract class sfFilter
{
protected
$parameterHolder = null,
$context = null;
public static
$filterCalled = array();
/**
* Class constructor.
*
* @see initialize()
*/
public function __construct($context, $parameters = array())
{
$this->initialize($context, $parameters);
}
/**
* Initializes this Filter.
*
* @param sfContext $context The current application context
* @param array $parameters An associative array of initialization parameters
*
* @return boolean true, if initialization completes successfully, otherwise false
*
* @throws <b>sfInitializationException</b> If an error occurs while initializing this Filter
*/
public function initialize($context, $parameters = array())
{
$this->context = $context;
$this->parameterHolder = new sfParameterHolder();
$this->parameterHolder->add($parameters);
return true;
}
/**
* Returns true if this is the first call to the sfFilter instance.
*
* @return boolean true if this is the first call to the sfFilter instance, false otherwise
*/
protected function isFirstCall()
{
$class = get_class($this);
if (isset(self::$filterCalled[$class]))
{
return false;
}
else
{
self::$filterCalled[$class] = true;
return true;
}
}
/**
* Retrieves the current application context.
*
* @return sfContext The current sfContext instance
*/
public final function getContext()
{
return $this->context;
}
/**
* Gets the parameter holder for this object.
*
* @return sfParameterHolder A sfParameterHolder instance
*/
public function getParameterHolder()
{
return $this->parameterHolder;
}
/**
* Gets the parameter associated with the given key.
*
* This is a shortcut for:
*
* <code>$this->getParameterHolder()->get()</code>
*
* @param string $name The key name
* @param string $default The default value
*
* @return string The value associated with the key
*
* @see sfParameterHolder
*/
public function getParameter($name, $default = null)
{
return $this->parameterHolder->get($name, $default);
}
/**
* Returns true if the given key exists in the parameter holder.
*
* This is a shortcut for:
*
* <code>$this->getParameterHolder()->has()</code>
*
* @param string $name The key name
*
* @return boolean true if the given key exists, false otherwise
*
* @see sfParameterHolder
*/
public function hasParameter($name)
{
return $this->parameterHolder->has($name);
}
/**
* Sets the value for the given key.
*
* This is a shortcut for:
*
* <code>$this->getParameterHolder()->set()</code>
*
* @param string $name The key name
* @param string $value The value
*
* @see sfParameterHolder
*/
public function setParameter($name, $value)
{
return $this->parameterHolder->set($name, $value);
}
}
| WIZARDISHUNGRY/symfony | lib/filter/sfFilter.class.php | PHP | mit | 3,594 |
<?php
/**
* 系统用户类
* @author terry
* @since 1.0
*/
class UserModel extends Table{
protected $table = 'user';
public function login($email,$password){
$auth = System_Auth::getInstance();
$ret = $auth->login($email,$password);
return $ret;
}
/**
* 通过邮箱账号获取用户信息
* @param string $email
* @return array
*/
public function getByEmail($email){
return $this->select(array('email'=>$email))->current();
}
public function suggest($keyword){
$where = new Zend\Db\Sql\Where();
$predicate = $where->like("name", "%$keyword%");
$select = new \Zend\Db\Sql\Select();
$select->from($this->table)->where($predicate);
return $this->selectWith($select)->toArray();
}
public function getByUsername($username){
return $this->select(array('username'=>$username))->current();
}
public function del($uid){
return $this->delete(array('id'=>$uid));
}
/**
* 通过id获取用户信息
* @param type $id
* @return type
*/
public function getById($id){
if(is_array($id)){
return $this->select(array('id'=>$id))->toArray();
}
return $this->select(array('id'=>$id))->current();
}
public function getGByUid($uid){
$group = new UserGroupModel();
return $group->getByUid($uid);
}
/**
* 通过id获取用户信息
* @param type $id
* @return type
*/
public function getEditById($id){
$user = $this->getById($id);
$user_group_obj = new UserGroupModel();
$user_group = $user_group_obj->getByUid($id);
$user['group'] = $user_group['group_id'];
return $user;
}
public function insert($set) {
if(isset($set) && is_array($set)){
$set['password'] = md5('11111111');
$set['status'] = 1;
} else {
return false;
}
return parent::insert($set);
}
/**
* 修改密码
* @param type $oldpasswords
* @param type $password
* @return type
*/
public function updatePwd($oldpasswords,$password){
$user = Yaf_Session::getInstance()->get('user');
$id = $user['id'];
return $this->update(array('password'=> md5($password)), array('id'=>$id));
}
/**
* 获取用户登录信息
* @return type
*/
public function getInfo(){
$user = Yaf_Session::getInstance()->get('user');
$myuser = $this->select(array('id'=>$user['id']))->current();
return array(
'username'=>$myuser['username'],
'opcode'=>$myuser['opcode']
);
}
public function insertInfo($set,$group){
$userid = $this->insert($set);
if($userid){
$group['user_id'] = $this->getLastInsertValue();
} else {
return false;
}
$user_group = new UserGroupModel();
return $user_group->insert($group);
}
public function updateInfo($set,$where,$group){
$this->update($set,$where);
$user_group = new UserGroupModel();
if($user_group->getByUid($where['id'])){
return $user_group->update($group,array('user_id'=>$where['id']));
}
else {
$group['user_id'] = $where['id'];
return $user_group->insert($group);
}
}
/**
* 获取用户列表
* @param int $start
* @param int $limit
* @return type
*/
public function lists($start,$limit){
$users = $this->select()->toArray();
$group_obj = new GroupModel();
$user_group_obj = new UserGroupModel();
foreach($users as &$user){
$user_group = $user_group_obj->getByUid($user['id']);
$group = $group_obj->getById($user_group['group_id']);
$user['group'] = $group['name'];
}
return $this->hash($users);
}
/**
* 获取用户总数
* @return type
*/
public function total(){
return $this->count();
}
}
| trelly/stoneoa | application/models/User.php | PHP | mit | 4,185 |
<?php
/**
* Retrieve data from KBBI
*
* OPKODE: 1 = sama dengan, 2 = diawali, 3 = memuat
* @created 2009-03-30 11:02 <IL>
* Jw = Jawa, Mk = Minangkabau
* n = nomina, v = verba, adv = adverbia, a = adjektiva, num = numeralia, p = partikel (artikel, preposisi, konjungsi, interjeksi), pron = pronomina
* pb = peribahasa
*/
class kbbi
{
var $db;
var $msg;
var $param;
var $defs;
var $mode;
var $query;
var $found = false;
var $auto_parse = false;
var $force_refresh = false;
var $raw_entries; // individual match from kbbi
var $parsed_entries; // parsed value
var $clean_entries; // parsed individual
var $last_lex; // last lexical class
var $_pair; // temporary
var $proverbs;
//$modes = array('sama dengan', 'diawali', 'memuat');
/**
* Constructor
*/
function kbbi($msg = null, &$db = null)
{
if ($db) $this->db = $db;
if ($msg) $this->msg = $msg;
}
/*
* Get result from KBBI
*/
function query($query, $mode)
{
global $is_offline;
// try to get cache, return if found
if ($ret = $this->get_cache($query))
if (!$this->force_refresh)
return($ret);
if ($is_offline) return;
$ret = '';
$this->query = $query;
$this->mode = $mode;
$this->param = array(
'more' => 0,
'head' => 0,
'opcode' => $this->mode,
'param' => $this->query,
'perintah' => 'Cari',
'perintah2' => '',
'dftkata' => '',
);
$this->get_words();
if (!$is_offline && $this->param['dftkata'])
{
$words = explode(';', $this->param['dftkata']);
foreach ($words as $word)
{
$ret .= $ret ? '<br><br>' : '';
$ret .= $this->define($word) . '' . LF;
}
$this->found = true;
$this->save_cache($query, $ret);
}
else
{
$ret .= $this->msg['nf'] . LF;
$this->save_cache($query, null);
}
// return
return($ret);
}
/*
* Get result from KBBI
*/
function get_words()
{
$url = 'http://pusatbahasa.diknas.go.id/kbbi/index.php';
$data = 'OPKODE=%1$s&PARAM=%2$s&HEAD=%3$s&MORE=%4$s&PERINTAH2=%5$s&%6$s';
if ($this->param['perintah'] != '')
{
$perintah = 'PERINTAH=' . $this->param['perintah'];
}
$data = sprintf($data,
$this->param['opcode'], $this->param['param'], $this->param['head'],
$this->param['more'], $this->param['perintah2'], $perintah
);
$result = $this->get_curl($url, $data);
$pattern = '/<input type="hidden" name="DFTKATA" value="(.+)" >.+' .
'<input type="hidden" name="MORE" value="(.+)" >.+' .
'<input type="hidden" name="HEAD" value="(.+)" >/s';
preg_match($pattern, $result, $match);
// var_dump($result);
// echo('<br />');
if (is_array($match))
{
if ($match[2] == 1)
{
$this->param['perintah'] = '';
$this->param['perintah2'] = 'Berikut';
$this->param['head'] = $match[3] + 15;
$this->get_words();
}
$this->param['dftkata'] .= $this->param['dftkata'] ? ';' : '';
$this->param['dftkata'] .= $match[1];
}
// if (is_array($match)) return($match[2]);
}
/*
* Get result from KBBI
*/
function define($query)
{
$url = 'http://pusatbahasa.diknas.go.id/kbbi/index.php';
$data .= 'DFTKATA=%2$s&HEAD=0&KATA=%2$s&MORE=0&OPKODE=1&PARAM=&PERINTAH2=Tampilkan';
$data .= sprintf($data, '1', $query);
$result = $this->get_curl($url, $data);
$pattern = '/(<p style=\'margin-left:\.5in;text-indent:-\.5in\'>)(.+)(<\/(p|BODY)>)/s';
preg_match($pattern, $result, $match);
if (is_array($match))
{
$def = trim($match[2]);
// manual fixes
if ($query == 'air')
$def = preg_replace('/minuman[\s]+(<br>)+terbuat/U', 'minuman terbuat', $def);
if ($query == 'tarik')
$def = preg_replace('/menyenangkan[\s]+(<br>)+\(menggirangkan/U', 'menyenangkan (menggirangkan', $def);
if ($query == 'harta')
$def = preg_replace('/oleh[\s]+(<br>)+mempelai laki/U', 'oleh mempelai laki', $def);
if ($query == 'alur')
$def = preg_replace('/alur[\s]+(<br>)+kedua/U', 'alur kedua', $def);
if ($query == 'hutan')
$def = preg_replace('/hutan[\s]+(<br>)+guna/U', 'hutan guna', $def);
if ($query == 'lemah (1)')
$def = preg_replace('/el[\s]+(<br>)+oknya/U', 'eloknya', $def);
if ($query == 'lepas')
$def = preg_replace('/tempatnya la[\s]+(<br>)+gi/U', 'tempatnya lagi', $def);
if ($query == 'minyak')
$def = str_replace('<br><i>--</i><b> adas manis</b>', '<br>--<b> adas manis</b>', $def);
if ($query == 'kepala')
$def = str_replace('suka sekali; --<b>', 'suka sekali;' . LF . '<br>--<b>', $def);
if ($query == 'induk')
$def = str_replace('<br>--</i><b> bako', '<br>--<b> bako', $def);
if ($query == 'lampu')
$def = str_replace('mati); --<b> atret', 'mati);' . LF . '<br>--<b> atret', $def);
if ($query == 'beri tahu')
$def = str_replace('ri</b> <b>ta', 'ri ta', $def);
// enter
$this->raw_entries[] = $def;
$def = str_replace('<br>', '<br><br>', $def);
$return = $def;
return($return);
}
}
/*
* Get result from KBBI
*/
function get_curl($url, $data)
{
global $is_offline;
if ($is_offline) return;
$ch = curl_init();
curl_setopt($ch, CURLOPT_URL, $url);
curl_setopt($ch, CURLOPT_POSTFIELDS, $data);
curl_setopt($ch, CURLOPT_POST, 1);
curl_setopt($ch, CURLOPT_TIMEOUT, KTG_TIMEOUT);
curl_setopt($ch, CURLOPT_RETURNTRANSFER, 1);
$result = curl_exec($ch);
curl_close($ch);
return($result);
}
/**
* TODO:
* - Tuju dan menuju: second words following first word
* - Info for subindex, e.g. kata Ling 3 a b
*/
function parse($phrase)
{
// prepare def
$this->found = false;
$this->force_refresh = true;
$kbbi_data = '';
unset($this->raw_entries);
unset($this->defs);
unset($this->proverbs);
// query kbbi
$this->query($phrase, 1);
//$this->get_local($phrase);
if ($this->found)
{
foreach ($this->raw_entries as $value)
{
$kbbi_data .= $kbbi_data ? "\n<br>" : '';
$kbbi_data .= $value;
}
}
else return;
// hack v
if (strtolower($phrase) == 'v')
$kbbi_data = str_replace('<b>V</b>, v', '<b>V, v</b>', $kbbi_data);
if (strtolower($phrase) == 'amnesia')
{
$kbbi_data = str_replace('<b>/</b>', '/', $kbbi_data);
$kbbi_data = str_replace('/</b>', '</b>/', $kbbi_data);
}
if (strtolower($phrase) == 'data')
{
$kbbi_data = str_replace('<b>- data</b> <b>1', '<b>-- data 1</b>', $kbbi_data);
}
//die($kbbi_data);
// parse into lines and process
$lines = preg_split('/[\n|\r](?:<br>)*(?:<\/i>)*/', $kbbi_data);
// try redirect: pair with no space
if (is_array($lines))
{
if (count($lines) == 1)
{
$redir_string = str_replace('·', '', strip_tags($lines[0]));
$redir_pair = explode('?', $redir_string);
if (count($redir_pair) == 2)
{
$redir_from = trim($redir_pair[0]);
$redir_to = trim($redir_pair[1]);
$is_redir = (strpos($redir_from, ' ') === false);
$is_redir = $is_redir && (strpos($redir_to, ' ') === false);
$is_redir = $is_redir || ($phrase == 'bilau');
if ($is_redir)
{
$this->defs[$redir_from]['actual'] = $redir_to;
$this->defs[$redir_from]['definitions'][]
= array('index' => 1, 'text' => $redir_to, 'see' => $redir_to);
return;
}
}
}
}
// normal
if (is_array($lines))
{
$line_count = count($lines);
// process each line
for ($i = 0; $i < $line_count; $i++)
{
// assume type
$tmp_type = 'r';
// hack for me- peng-
$pattern = '/\(<b>.+<\/b>\)/U';
if ($line_count == 1 && preg_match($pattern, $lines[0]))
$lines[0] = preg_replace($pattern, '', $lines[0]);
// hack for redirect
if ($line_count == 2 && strpos($lines[$i], '</b>') === false && strpos($lines[$i], '?') !== false)
$lines[$i] = str_replace('?', '</b>?', $lines[$i]);
// hack, found in titik
if (strpos($lines[$i], '--</i><b>') !== false)
$lines[$i] = str_replace('--</i><b>', '--<b>', $lines[$i]);
$pattern = '/([-|~]*<b>.+<\/b>)/U';
$match = preg_split($pattern, $lines[$i], -1,
PREG_SPLIT_DELIM_CAPTURE | PREG_SPLIT_NO_EMPTY);
$lines[$i] = $match;
// var_dump($lines[$i]);
// die();
$line_count2 = count($match);
// normal statement always paired
if ($line_count2 > 1)
{
for ($j = 0; $j < $line_count2 / 2; $j++)
{
$pair1 = trim($match[$j * 2]);
$pair2 = trim($match[$j * 2 + 1]);
$tmp_def = '';
$tmp_sample = '';
// remove unnecessary elements
$pair1 = str_replace('·', '', $pair1); // remove · suku kata
$pair1 = preg_replace('/<sup>\d+<\/sup>/', '', $pair1); // remove superscript
preg_match('/^[-|~]*<b>.+<\/b>$/', $pair1, $match_bold);
// check pair 1 - word or index
if (count($match_bold) > 0)
{
$pair1 = strip_tags($pair1);
$pair_key = is_numeric($pair1) ? 'index' : 'phrase';
$tmp_pair[$i][$j][$pair_key] = trim($pair1);
}
// check pair 2 - info or definition
// pronounciation
if (preg_match('/^\/([^\/]+)\/(.*)/', $pair2, $pron))
{
$tmp_pair[$i][$j]['pron'] = trim($pron[1]);
$pair2 = trim($pron[2]);
}
// TODO: possibility of more than 2 tags
preg_match('/^([-|~]*<i>.+<\/i>)(.*)$/U', $pair2, $match_italic);
if (count($match_italic) > 0)
{
$tmp_pair[$i][$j]['info'] = trim(strip_tags($match_italic[1]));
$pair2 = trim($match_italic[2]);
// definition, watch for possible additional <i> tags
if ($pair2 != '')
{
$tmp_def = trim($match_italic[2]);
preg_match('/^([-|~]*<i>.+<\/i>)(.*)$/U', $pair2, $match_italic);
if (count($match_italic) > 0)
{
$tmp_pair[$i][$j]['info'] .= ' ' . trim(strip_tags($match_italic[1]));
$tmp_def = trim($match_italic[2]);
}
}
}
else
{
if ($pair2) $tmp_def = trim($pair2);
}
// phrase that contains number
$tmp_pair[$i][$j]['phrase'] = preg_replace('/^(\d+)/U', '', $tmp_pair[$i][$j]['phrase']);
$tmp_phrase = $tmp_pair[$i][$j]['phrase'];
preg_match('/^(.+) (\d+)$/U', $tmp_phrase, $phrase_num);
if (count($phrase_num) > 0)
{
$tmp_phrase = $phrase_num[1];
$tmp_pair[$i][$j]['index'] = $phrase_num[2];
}
// clean up definition
if ($tmp_def == ',') unset($tmp_def);
if ($tmp_def) $tmp_def = strip_tags($tmp_def);
if ($i > 0)
{
if (strpos($tmp_phrase, '--') !== false) $tmp_type = 'c';
if (strpos($tmp_phrase, '~') !== false) $tmp_type = 'c';
}
// parse info
if ($tmp_pair[$i][$j]['info'] != '')
$this->parse_info_lexical(&$tmp_pair[$i][$j]);
// sample
if (strpos($tmp_def, ':'))
{
if ($sample = split(':', $tmp_def))
{
$tmp_def = trim($sample[0]);
$tmp_sample = trim(strip_tags($sample[1]));
}
}
// hack a, b
if (strlen($tmp_phrase) == 1)
{
unset($tmp_pair[$i][$j]['phrase']);
$tmp_phrase = '';
}
// syntax like meng-
$tmp_phrase = trim(preg_replace('/\(.+\)$/U', '', $tmp_phrase));
// syntax like U, u
$tmp_phrase = trim(preg_replace('/,.+$/U', '', $tmp_phrase));
// syntax like ? apotek
$tmp_def1 = trim(preg_replace('/^\?\s*(.+)$/U', '\1', $tmp_def));
if ($tmp_def1 != $tmp_def)
{
$tmp_def = 'lihat ' . $tmp_def1;
$tmp_pair[$i][$j]['see'] = $tmp_def1;
}
// phrase contains comma ,
if (strpos($tmp_phrase, ',') !== false)
$tmp_phrase = trim(str_replace(',', '', $tmp_phrase));
// phrase contains backslash /
if (strpos($tmp_phrase, '/') !== false)
$tmp_phrase = trim(str_replace('/', '', $tmp_phrase));
// write
if ($tmp_phrase) $tmp_pair[$i][$j]['phrase'] = $tmp_phrase;
if ($tmp_def) $tmp_pair[$i][$j]['def'] = $tmp_def;
if ($tmp_sample) $tmp_pair[$i][$j]['sample'] = $tmp_sample;
if ($tmp_type) $tmp_pair[$i][$j]['type'] = $tmp_type;
// look back
if ($j > 0)
{
// for two definition
if ($tmp_pair[$i][$j]['phrase'] != $tmp_pair[$i][$j - 1]['phrase'])
{
if (!$tmp_pair[$i][$j - 1]['def'] && strlen($tmp_pair[$i][$j]['phrase']) > 1)
{
$tmp_pair[$i][$j - 1]['def'] = 'lihat ' . $tmp_pair[$i][$j]['phrase'];
$tmp_pair[$i][$j - 1]['see'] = $tmp_pair[$i][$j]['phrase'];
}
}
}
}
}
// .. but sometimes proverb isn't paired
else
{
// hack if it's not started with <i>
if (strpos(substr($lines[$i][0], 0, 10), '<i>') === false)
$lines[$i][0] = '<i>' . $lines[$i][0];
// split into word and meaning
$match = preg_split('/([-|~]*<i>)/U', $lines[$i][0], -1,
PREG_SPLIT_DELIM_CAPTURE | PREG_SPLIT_NO_EMPTY);
$line_count2 = count($match);
for ($j = 0; $j < $line_count2 / 2; $j++)
{
$proverb_pair = trim($match[$j * 2]) . ' ' . trim($match[$j * 2 + 1]);
$proverb_array = explode('</i>', $proverb_pair);
$tmp_phrase = trim(strip_tags($proverb_array[0]));
$tmp_phrase = preg_replace('/,\s*pb/U', '', $tmp_phrase);
$tmp_phrase = trim($tmp_phrase);
$tmp_def = trim($proverb_array[1]);
$tmp_pair[$i][] = array(
'proverb' => $tmp_phrase,
'def' => $tmp_def,
'is_proverb' => true,
);
}
}
}
}
// var_dump($tmp_pair);
// die();
// cleansing
$this->_pair = $tmp_pair;
$pair_count = count($tmp_pair);
for ($i = 0; $i < $pair_count; $i++)
{
$pair_count2 = count($tmp_pair[$i]);
for ($j = 0; $j < $pair_count2; $j++)
{
// phrase that contains only one letter
if ($j > 0 && strlen($tmp_pair[$i][$j]['phrase']) <= 1)
unset($tmp_pair[$i][$j]['phrase']);
// temporary
$def = $tmp_pair[$i][$j]['def'];
$phrase = $tmp_pair[$i][$j]['phrase'];
$see = $tmp_pair[$i][$j]['see'];
// ilmu: fisika
if ($def == ';' && $tmp_pair[$i][$j - 1]['def'] = 'lihat')
{
$tmp_pair[$i][$j - 1]['def'] = 'lihat ' . $tmp_pair[$i][$j]['phrase'];
$tmp_pair[$i][$j - 1]['see'] = $tmp_pair[$i][$j]['phrase'];
unset($tmp_pair[$i][$j]);
}
// redirect with number in front
$pattern = '/^lihat (\? )?\d/U';
if (preg_match($pattern, $def))
{
$def = preg_replace($pattern, '', $def);
$tmp_pair[$i][$j]['def'] = $def;
$tmp_pair[$i][$j]['see'] = $def;
}
// redirect with ? in front
$pattern = '/^lihat \?/U';
if (preg_match($pattern, $def))
{
$def = preg_replace($pattern, '', $def);
$tmp_pair[$i][$j]['def'] = trim($def);
$tmp_pair[$i][$j]['see'] = trim($def);
}
// redirect
$pattern = '/^lihat /U';
if (preg_match($pattern, $def))
{
$def = preg_replace($pattern, '', $def);
$tmp_pair[$i][$j]['def'] = trim($def);
$tmp_pair[$i][$j]['see'] = trim($def);
}
// phrase: buang
if ($phrase == '-hamil')
$tmp_pair[$i][$j]['phrase'] = '- hamil';
// phrase: banter
if ($phrase == ', - biola')
$tmp_pair[$i][$j]['phrase'] = '- biola';
if ($tmp_pair[$i][$j]['see'] == ', - biola')
{
$tmp_pair[$i][$j]['see'] = 'membanter biola';
$tmp_pair[$i][$j]['def'] = 'membanter biola';
}
// phrase: telang
if ($phrase == '(bunga -- )')
$tmp_pair[$i][$j]['phrase'] = 'bunga telang';
if ($see == '(bunga -- )')
$tmp_pair[$i][$j]['see'] = 'bunga telang';
// phrase: jiwa
if ($phrase == '(jiwa)')
$tmp_pair[$i][$j]['phrase'] = 'menarungkan jiwa';
if ($see == '(jiwa)')
$tmp_pair[$i][$j]['see'] = 'menarungkan jiwa';
// phrase: pun lah
if ($phrase == '(pun lah)')
$tmp_pair[$i][$j]['phrase'] = 'pun lah';
if ($see == '(pun lah)')
$tmp_pair[$i][$j]['see'] = 'pun lah';
// phrase: galah
if ($phrase == '(main) -- panjang')
$tmp_pair[$i][$j]['phrase'] = '-- panjang';
// phrase: bracket: tik, roboh, seliwer
$pattern = '/^\(([^\)]+)\) ?/U';
if (preg_match($pattern, $phrase))
{
$phrase = preg_replace($pattern, '\1', $phrase);
$tmp_pair[$i][$j]['phrase'] = $phrase;
}
if (preg_match($pattern, $see))
{
$see = preg_replace($pattern, '\1', $see);
$tmp_pair[$i][$j]['see'] = $see;
}
}
}
// var_dump($tmp_pair);
// die();
// put into array
$i = 0;
foreach ($tmp_pair as $pair_def)
{
foreach ($pair_def as $phrase_def)
{
// abbreviation
$abbrev = array(
'dl' => 'dalam',
'dng' => 'dengan',
'dl' => 'dalam',
'dr' => 'dari',
'dp' => 'daripada',
'kpd' => 'kepada',
'krn' => 'karena',
'msl' => 'misal',
'pd' => 'pada',
'sbg' => 'sebagai',
'spt' => 'seperti',
'thd' => 'terhadap',
'tsb' => 'tersebut',
'tt' => 'tentang',
'yg' => 'yang',
);
foreach ($abbrev as $key => $value)
{
$pattern = '/\b' . $key . '\b/';
if ($phrase_def['sample'])
$phrase_def['sample'] = preg_replace($pattern, $value, $phrase_def['sample']);
if ($phrase_def['def'])
$phrase_def['def'] = preg_replace($pattern, $value, $phrase_def['def']);
if ($phrase_def['proverb'])
$phrase_def['proverb'] = preg_replace($pattern, $value, $phrase_def['proverb']);
}
// fixing, watch for extra space after - in phrase
if ($phrase_def['phrase'] == '-gelembung')
$phrase_def['phrase'] = '- gelembung';
if ($phrase_def['phrase'] == '-rektor')
$phrase_def['phrase'] = '- rektor';
if ($phrase_def['sample'])
$phrase_def['sample'] = preg_replace('/;$/U', '', $phrase_def['sample']);
if ($phrase_def['def'])
$phrase_def['def'] = preg_replace('/;$/U', '', $phrase_def['def']);
//echo($phrase_def['phrase']);
if ($phrase_def['phrase'])
$phrase_def['phrase'] = preg_replace('/^-+ /U', '-- ', $phrase_def['phrase']);
//echo(' ; ' . $phrase_def['phrase'] . LF);
// root word
$tmp_phrase = $phrase_def['proverb'] ? $phrase_def['proverb'] : $phrase_def['phrase'];
$is_last = true;
if (strpos($tmp_phrase, '~') !== false)
{
$tmp_phrase = str_replace('~', $last_phrase, $tmp_phrase);
$is_last = false;
}
if (preg_match('/^--/', $tmp_phrase) || preg_match('/--$/', $tmp_phrase))
{
$tmp_phrase = preg_replace('/--/', $last_phrase, $tmp_phrase);
$is_last = false;
}
if ($is_last)
{
if ($tmp_phrase && !$phrase_def['proverb']) $last_phrase = $tmp_phrase;
}
// see if it's a compound word
if ($phrase_def['type'] == 'c')
{
if ($tmp_phrase)
$last_compound = $tmp_phrase;
else
$tmp_phrase = $last_compound;
}
// push def
if ($tmp_phrase)
{
if ($phrase_def['proverb'])
$phrase_def['proverb'] = $tmp_phrase;
else
$phrase_def['phrase'] = $tmp_phrase;
}
if (!$phrase_def['phrase']) $phrase_def['phrase'] = $last_phrase;
// main
$defs = &$this->defs[$phrase_def['phrase']];
if ($phrase_def['pron']) $defs['pron'] = $phrase_def['pron'];
if ($phrase_def['type']) $defs['type'] = $phrase_def['type'];
// lexical class and info
if (count($defs['definitions']) <= 0)
{
if ($phrase_def['lex_class']) $defs['lex_class'] = $phrase_def['lex_class'];
if ($phrase_def['info']) $defs['info'] = $phrase_def['info'];
}
// proverb
if ($phrase_def['is_proverb'])
{
$proverb_index = count($defs['proverbs']);
if ($phrase_def['proverb'])
$defs['proverbs'][$proverb_index]['proverb'] =
str_replace('--', $phrase_def['phrase'], $phrase_def['proverb']);
if ($phrase_def['def'])
$defs['proverbs'][$proverb_index]['def'] = $phrase_def['def'];
}
// definition
else
{
if ($phrase_def['def'])
{
$def_index = count($defs['definitions']);
$defs['definitions'][$def_index]['text'] = $phrase_def['def'];
if ($phrase_def['see'])
$defs['definitions'][$def_index]['see'] = $phrase_def['see'];
if ($phrase_def['sample'])
$defs['definitions'][$def_index]['sample'] = $phrase_def['sample'];
if ($phrase_def['lex_class'] && $phrase_def['lex_class'] != $defs['lex_class'])
$defs['definitions'][$def_index]['lex_class'] = $phrase_def['lex_class'];
if ($phrase_def['info'] && $phrase_def['info'] != $defs['info'])
$defs['definitions'][$def_index]['info'] = $phrase_def['info'];
}
}
}
}
// var_dump($this->defs);
// die();
// final
$i = 0;
foreach ($this->defs as $def_key => &$def)
{
// the first one is always an r
if ($i == 0) $def['type'] == 'r';
// affix
if ($i > 0 && $def['type'] == 'r') $def['type'] = 'f';
// last type
if ($def['type'] == 'c' && $last_type == 'f')
$def['type'] = 'f';
else
$last_type = $def['type'];
// lexical
if ($def['lex_class'])
$last_lexical = $def['lex_class'];
else
$def['lex_class'] = $last_lexical;
// synonym
$this->parse_synonym(&$def);
// definitions
$j = 0;
if ($def['definitions'])
{
foreach ($def['definitions'] as &$def_item)
{
$j++;
$def_item['index'] = $j;
}
}
// proverbs
if ($def['proverbs'])
{
$this->proverbs[$def_key] = $def['proverbs'];
}
// fix rel_type
if ($def['type'] != 'r') $def['type'] = 'd';
// increment
$i++;
}
// var_dump($this->proverbs);
// die();
}
function parse_info_lexical(&$item)
{
if ($item['info'])
{
$item['info'] = preg_replace('/,$/U', '', $item['info']);
$infos = explode(' ', $item['info']);
$lexical = '';
$other = '';
foreach ($infos as $info)
{
if (in_array($info, array('n', 'v', 'a', 'adv', 'p', 'num', 'pron')))
{
if ($info == 'a') $info = 'adj';
if ($info == 'p') $info = 'l';
$lexical .= $lexical ? ', ' : '';
$lexical .= $info;
}
else
{
$other .= $other ? ', ' : '';
$other .= $info;
}
}
if ($lexical) $item['lex_class'] = $lexical;
if ($other)
$item['info'] = $other;
else
unset($item['info']);
}
}
/**
*/
function parse_synonym(&$clean)
{
if ($clean['definitions'])
{
foreach ($clean['definitions'] as $def_key => $def)
{
$def_items = explode(';', $def['text']);
if ($def_items)
{
foreach ($def_items as $def_item)
{
$def_item = trim($def_item);
$space_count = substr_count($def_item, ' ');
if ($space_count < 1)
$clean['synonyms'][] = $def_item;
}
}
}
}
}
/**
*/
function get_local($phrase)
{
global $_SERVER;
// get local file
$url = 'http://127.0.0.1/kateglo/sandbox/kbbi3-2001-big.html';
$ch = curl_init();
curl_setopt($ch, CURLOPT_URL, $url);
curl_setopt($ch, CURLOPT_RETURNTRANSFER, 1);
$result = curl_exec($ch);
curl_close($ch);
// parse
preg_match_all('/<p>LEMA:' . $phrase . '(?: \(\d+\))?<br>[\n|\r](.+)[\n|\r]<\/p>/sU', $result, $matches);
$ret = array();
$this->found = count($matches[1]);
if ($this->found)
{
foreach ($matches[1] as $raw_match)
{
$i++;
$raw_match = trim($raw_match);
$this->raw_entries[] = $raw_match;
}
}
}
/**
*/
function get_cache($phrase)
{
$query = sprintf('SELECT content FROM sys_cache
WHERE phrase = %1$s;',
$this->db->quote($phrase));
return($this->db->get_row_value($query));
}
/**
*/
function save_cache($phrase, $cache)
{
$query = sprintf('DELETE FROM sys_cache
WHERE cache_type = \'kbbi\' AND phrase = %1$s;',
$this->db->quote($phrase)
);
$this->db->exec($query);
$query = sprintf('INSERT INTO sys_cache SET
cache_type = \'kbbi\',
updated = NOW(),
phrase = %1$s,
content = %2$s;',
$this->db->quote($phrase),
$this->db->quote($cache)
);
$this->db->exec($query);
}
};
?> | ivanlanin/kateglo | modules/class_kbbi.php | PHP | mit | 32,477 |
# -*- coding: utf-8 -*-
# Generated by Django 1.10.6 on 2017-04-22 07:06
from __future__ import unicode_literals
from django.conf import settings
from django.db import migrations, models
import django.db.models.deletion
class Migration(migrations.Migration):
dependencies = [
('tracks', '0030_auto_20170326_1734'),
migrations.swappable_dependency(settings.AUTH_USER_MODEL),
('vehicles', '0011_auto_20170307_0759'),
('events', '0027_auto_20170227_1425'),
]
operations = [
migrations.CreateModel(
name='Hotlapping',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('title', models.CharField(max_length=256)),
('description', models.TextField(blank=True, default='')),
('created', models.DateTimeField(auto_now_add=True)),
('owner', models.ForeignKey(null=True, on_delete=django.db.models.deletion.CASCADE, to=settings.AUTH_USER_MODEL)),
('track', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to='tracks.Track')),
('vehicles', models.ManyToManyField(related_name='vehicles', to='vehicles.Vehicle')),
],
),
]
| abecede753/trax | website/events/migrations/0028_hotlapping.py | Python | mit | 1,300 |
/**
* Session
*
* Sails session integration leans heavily on the great work already done by Express, but also unifies
* Socket.io with the Connect session store. It uses Connect's cookie parser to normalize configuration
* differences between Express and Socket.io and hooks into Sails' middleware interpreter to allow you
* to access and auto-save to `req.session` with Socket.io the same way you would with Express.
*
* For more information on configuring the session, check out:
* http://sailsjs.org/#documentation
*/
module.exports.session = {
// Session secret is automatically generated when your new app is created
// Replace at your own risk in production-- you will invalidate the cookies of your users,
// forcing them to log in again.
secret: '3159dc476fa3de5d9cb24c7f0e8e95a6',
// Set the session cookie expire time
// The maxAge is set by milliseconds, the example below is for 24 hours
//
// cookie: {
// maxAge: 24 * 60 * 60 * 1000
// }
// In production, uncomment the following lines to set up a shared redis session store
// that can be shared across multiple Sails.js servers
// adapter: 'redis',
//
// The following values are optional, if no options are set a redis instance running
// on localhost is expected.
// Read more about options at: https://github.com/visionmedia/connect-redis
//
// host: 'localhost',
// port: 6379,
// ttl: <redis session TTL in seconds>,
// db: 0,
// pass: <redis auth password>
// prefix: 'sess:'
// Uncomment the following lines to use your Mongo adapter as a session store
// adapter: 'mongo',
//
// host: 'localhost',
// port: 27017,
// db: 'sails',
// collection: 'sessions',
//
// Optional Values:
//
// # Note: url will override other connection settings
// url: 'mongodb://user:pass@host:port/database/collection',
//
// username: '',
// password: '',
// auto_reconnect: false,
// ssl: false,
// stringify: true
};
| guernica0131/sails-whiteboard | config/session.js | JavaScript | mit | 1,985 |
require 'spec_helper'
describe SyncLog do
it { should be_embedded_in :change_sync }
it { should have_field(:started_at).of_type Time }
it { should have_field(:errored_at).of_type Time }
it { should have_field(:succeeded_at).of_type Time }
it { should have_field(:action).of_type Symbol }
it { should have_field(:message).of_type String }
it { should validate_presence_of :started_at }
it { should respond_to :changeset }
it { should respond_to :syncinator }
describe '.find_through_parents' do
let!(:sync_log) { create :sync_log }
it "returns a sync log by it's ID" do
expect(SyncLog.find_through_parents(sync_log.id.to_s)).to eql sync_log
end
end
context 'before_save' do
subject { create :sync_log, succeeded_at: nil }
describe '#update_change_sync' do
context 'when started_at is changed' do
it 'sets run_after to 1 hour' do
expect(subject.change_sync.run_after).to be_between(59.minutes.from_now, 1.hour.from_now)
end
end
context 'when errored_at is changed' do
context 'after 1 error' do
it 'sets run_after to 1 minute' do
expect { subject.update(errored_at: Time.now) }.to change { subject.change_sync.run_after }
expect(subject.change_sync.run_after).to be_between(55.seconds.from_now, 1.minute.from_now)
end
end
end
context 'when succeeded_at is changed' do
it 'sets run_after to nil' do
expect { subject.update(succeeded_at: Time.now) }.to change { subject.reload.change_sync.run_after }.to(nil)
end
end
end
end
end
| biola/trogdir-models | spec/lib/trogdir/sync_log_spec.rb | Ruby | mit | 1,639 |
<?php
$params = require(__DIR__ . '/params.php');
$baseUrl = str_replace('/backend/web', '/backend', (new \yii\web\Request)->getBaseUrl());
$config = [
'id' => 'basic',
'basePath' => dirname(__DIR__),
'language' => 'uk_UA',
'bootstrap' => ['log'],
'modules' => [
'api' => [
'class' => 'app\modules\api\ApiModule',
],
],
'components' => [
'request' => [
'cookieValidationKey' => 'bV-A6AwaqUsdT7CKcE_xRJLRrO83Lnde',
'baseUrl' => $baseUrl,
'parsers' => [
// 'controller' => 'app\controllers\TodoController',
'application/json' => 'yii\web\JsonParser',
],
],
'cache' => [
'class' => 'yii\caching\FileCache',
],
'user' => [
'identityClass' => 'app\models\User',
'enableAutoLogin' => true,
],
'errorHandler' => [
'errorAction' => 'site/error',
],
'mailer' => [
'class' => 'yii\swiftmailer\Mailer',
// send all mails to a file by default. You have to set
// 'useFileTransport' to false and configure a transport
// for the mailer to send real emails.
'useFileTransport' => true,
],
'log' => [
'traceLevel' => YII_DEBUG ? 3 : 0,
'targets' => [
[
'class' => 'yii\log\FileTarget',
'levels' => ['error', 'warning'],
],
],
],
'db' => require(__DIR__ . '/db.php'),
'urlManager' => [
'enablePrettyUrl' => true,
'showScriptName' => false,
'rules' => [
[
'class' => 'yii\rest\UrlRule',
'controller' => 'theses',
'pluralize' => false,
],
],
],
],
'params' => $params,
];
if (YII_ENV_DEV) {
// configuration adjustments for 'dev' environment
$config['bootstrap'][] = 'debug';
$config['modules']['debug'] = [
'class' => 'yii\debug\Module',
'allowedIPs' => ['*'],
];
$config['bootstrap'][] = 'gii';
$config['modules']['gii'] = [
'class' => 'yii\gii\Module',
'allowedIPs' => ['*'],
];
}
return $config;
| ivstem/backend | backend/config/web.php | PHP | mit | 2,390 |
using System;
using System.Collections.Generic;
using NUnitGoCore.NunitGoItems.Events;
using NUnitGoCore.NunitGoItems.Screenshots;
using NUnitGoCore.Utils;
namespace NUnitGoCore.NunitGoItems
{
public class NunitGoTest
{
public string Name;
public string FullName;
public string ClassName;
public string ProjectName;
public double TestDuration;
public DateTime DateTimeStart;
public DateTime DateTimeFinish;
public string TestStackTrace;
public string TestMessage;
public string Result;
public Guid Guid;
public string AttachmentsPath;
public string TestHrefRelative;
public string TestHrefAbsolute;
public string LogHref;
public bool HasOutput;
public List<Screenshot> Screenshots;
public List<TestEvent> Events;
public NunitGoTest()
{
Name = string.Empty;
FullName = string.Empty;
ClassName = string.Empty;
ProjectName = string.Empty;
TestDuration = 0.0;
DateTimeStart = new DateTime();
DateTimeFinish = new DateTime();
TestStackTrace = string.Empty;
TestMessage = string.Empty;
Result = "Unknown";
Guid = Guid.NewGuid();
TestHrefRelative = string.Empty;
TestHrefAbsolute = string.Empty;
LogHref = string.Empty;
AttachmentsPath = string.Empty;
HasOutput = false;
Screenshots = new List<Screenshot>();
Events = new List<TestEvent>();
}
public bool IsSuccess()
{
return Result.Equals("Success") || Result.Equals("Passed");
}
public bool IsFailed()
{
return Result.Equals("Failure") || Result.Equals("Failed");
}
public bool IsBroken()
{
return Result.Equals("Failed:Error") || Result.Equals("Error");
}
public bool IsIgnored()
{
return Result.Equals("Ignored") || Result.Equals("Skipped:Ignored");
}
public bool IsInconclusive()
{
return Result.Equals("Inconclusive");
}
public string GetColor()
{
switch (Result)
{
case "Ignored":
return Colors.TestIgnored;
case "Skipped:Ignored":
return Colors.TestIgnored;
case "Passed":
return Colors.TestPassed;
case "Success":
return Colors.TestPassed;
case "Failed:Error":
return Colors.TestBroken;
case "Error":
return Colors.TestBroken;
case "Inconclusive":
return Colors.TestInconclusive;
case "Failure":
return Colors.TestFailed;
case "Failed":
return Colors.TestFailed;
default:
return Colors.TestUnknown;
}
}
}
}
| elv1s42/NUnitGo | NunitGoCore/NunitGoItems/NunitGoTest.cs | C# | mit | 3,203 |
<!DOCTYPE html>
<meta charset="utf-8">
<style>
body {
font: 10px Gotham, sans-serif;
shape-rendering: crispEdges;
}
.day {
fill: #fff;
stroke: #eee;
/*stroke-width: 2px;*/
}
.month {
fill: none;
stroke: #aaa;
stroke-width: 2px;
}
</style>
<body>
<script src="../bower_components/d3/d3.js"></script>
<script>
var width = 960,
height = 136,
cellSize = 17; // cell size
var percent = d3.format(".1%"),
format = d3.time.format("%Y-%m-%d");
var color = d3.scale.quantize()
.domain([-.05, .05])
.range(d3.range(11).map(function(d) { return "q" + d + "-11"; }));
var svg = d3.select("body").selectAll("svg")
.data(d3.range(2011, 2016))
.enter().append("svg")
.attr("width", width)
.attr("height", height)
.attr("class", "RdYlGn")
.append("g")
.attr("transform", "translate(" + ((width - cellSize * 53) / 2) + "," + (height - cellSize * 7 - 1) + ")");
svg.append("text")
.attr("transform", "translate(-6," + cellSize * 3.5 + ")rotate(-90)")
.style("text-anchor", "middle")
.text(function(d) { return d; });
var rect = svg.selectAll(".day")
.data(function(d) { return d3.time.days(new Date(d, 0, 1), new Date(d + 1, 0, 1)); })
.enter().append("rect")
.attr("class", "day")
.attr("width", cellSize)
.attr("height", cellSize)
.attr("x", function(d) { return d3.time.weekOfYear(d) * cellSize; })
.attr("y", function(d) { return d.getDay() * cellSize; })
.datum(format);
rect.append("title")
.text(function(d) { return d; });
svg.selectAll(".month")
.data(function(d) { return d3.time.months(new Date(d, 0, 1), new Date(d + 1, 0, 1)); })
.enter().append("path")
.attr("class", "month")
.attr("d", monthPath);
var colour = d3.interpolateRgb('#08f', '#f08');
///sw/summary.csv
d3.csv("sw/summary.csv", function(error, csv) {
if (error) throw error;
var data = d3.nest()
.key(function(d){
return format(new Date(d.start_time))
})
.rollup(function(activities){
return d3.sum(activities, function(d) {return parseFloat(d.total_distance);})
})
.map(csv.filter(function(d){
return parseFloat(d.total_distance) < 40000
}))
var extent = d3.extent(d3.values(data));
var col = d3.scale.linear()
.domain(extent)
.range(['#08f', '#f08']);
rect.filter(function(d) { return d in data; })
.transition()
.delay(function(){
return Math.random()*1000
})
.duration(function(){
return 1500 + (Math.random()*1000)
})
.style('fill', function(d){return col(data[d])})
.style('stroke', function(d){return col(data[d])})
.select("title")
.text(function(d) { return d + ": " + data[d]/1000; });
});
function monthPath(t0) {
var t1 = new Date(t0.getFullYear(), t0.getMonth() + 1, 0),
d0 = t0.getDay(), w0 = d3.time.weekOfYear(t0),
d1 = t1.getDay(), w1 = d3.time.weekOfYear(t1);
return "M" + (w0 + 1) * cellSize + "," + d0 * cellSize
+ "H" + w0 * cellSize + "V" + 7 * cellSize
+ "H" + w1 * cellSize + "V" + (d1 + 1) * cellSize
+ "H" + (w1 + 1) * cellSize + "V" + 0
+ "H" + (w0 + 1) * cellSize + "Z";
}
</script>
| benfoxall/talks-datavis | public/hacks/calendar.html | HTML | mit | 3,182 |
using System.Reflection;
using System.Runtime.CompilerServices;
using System.Runtime.InteropServices;
// General Information about an assembly is controlled through the following
// set of attributes. Change these attribute values to modify the information
// associated with an assembly.
[assembly: AssemblyTitle("312")]
[assembly: AssemblyDescription("")]
[assembly: AssemblyConfiguration("")]
[assembly: AssemblyCompany("")]
[assembly: AssemblyProduct("312")]
[assembly: AssemblyCopyright("Copyright © 2015")]
[assembly: AssemblyTrademark("")]
[assembly: AssemblyCulture("")]
// Setting ComVisible to false makes the types in this assembly not visible
// to COM components. If you need to access a type in this assembly from
// COM, set the ComVisible attribute to true on that type.
[assembly: ComVisible(false)]
// The following GUID is for the ID of the typelib if this project is exposed to COM
[assembly: Guid("d90c18bf-5ef2-46af-852a-10154fbed2c9")]
// Version information for an assembly consists of the following four values:
//
// Major Version
// Minor Version
// Build Number
// Revision
//
// You can specify all the values or you can default the Build and Revision Numbers
// by using the '*' as shown below:
// [assembly: AssemblyVersion("1.0.*")]
[assembly: AssemblyVersion("1.0.0.0")]
[assembly: AssemblyFileVersion("1.0.0.0")]
| karunasagark/ps | TopCoder-C#/312/Properties/AssemblyInfo.cs | C# | mit | 1,382 |
#include "smlib3d\\smd3d.h"
#include "smwsock.h"
#include "character.h"
#include "avictrl.h"
#include "playmain.h"
#include "srcsound\\dxwav.h"
#include "fileread.h"
#include "particle.h"
#include "netplay.h"
#include "sinbaram\\sinlinkheader.h"
#include "hobaram\\holinkheader.h"
#include "record.h"
#include "playsub.h"
#include "field.h"
#include "language.h"
#include "TextMessage.h"
#include "srcserver\\onserver.h"
char *szRecordHeader = "RC 1.50"; //ÀúÀå ±¸Á¶Ã¼
DWORD dwRecordVersion = 150; //±â·Ï ±¸Á¶Ã¼ ¹öÀü
char *szRecordUserDataDir = "userdata";
char *szRecordUserBackupDataDir = "userdata_backup";
char *szRecordUserInfoDir = "userinfo";
char *szRecordWareHouseDir = "warehouse";
char *szRecordDeleteDir = "deleted";
char *szPostBoxDir = "PostBox";
sLAST_QUEST_INFO RecordLastQuestInfo; //Áö³ Äù½ºÆ® Á¤º¸
//#define CHAR_NAME_MAXLEN (18+6)
#define CHAR_NAME_MAXLEN (16+2)
int Permit_CheckMoney = TOTAL_CHECK_MONEY_MAX;
int Permit_CheckExp = TOTAL_CHECK_EXP_MAX;
extern rsSERVER_CONFIG rsServerConfig; //¼¹ö ¼³Á¤ ±¸Á¶
extern DWORD dwPlayServTime; //¼¹ö ½Ã°£
extern time_t tServerTime; //¼¹öÀÇ ½Ã°£ ( ºô¸µ 󸮿ë )
extern int Server_DebugCount; //µð¹ö±× ó¸® Ä«¿îÅÍ
//ij¸¯ÅÍ °íÀ¯ Äڵ带 »ý¼º
DWORD GetNewObjectSerial();
//ÇØÅ· ½Ãµµ ±â·Ï ÆÄÀÏ·Î ³²±è
int RecordHackLogFile( rsPLAYINFO *lpPlayInfo , void *lpTransCommand );
//¹°¾à °Å·¡Á¤º¸ È®ÀÎ
int rsGetTradePotionInfo( rsPLAYINFO *lpPlayInfo , DWORD dwCode );
//Æ÷ÀÎÆ® ƼÄÏ ¾ÆÀÌÅÛ Æ¯Á¤ À¯ÀúÀÇ Àκ¥Å丮º¸³¿
int rsPutItem_PointTicket( rsPLAYINFO *lpPlayInfo , int Price );
/*
//¾ÆÀÌÅÛ ºñ±³
#define ITEM_CODER_MAX 1000000
#define COPY_ITEM_MAX 1000
struct sITEM_CODE_CMP {
DWORD dwCode;
DWORD dwKey;
DWORD dwSum;
DWORD OpenCounter;
};
struct sITEMCODER {
sITEM_CODE_CMP sItemCode[ITEM_CODER_MAX];
int sItemCodeCount;
int CopyItemCount;
};
struct sCOPYITEM {
int sItemCodeCount;
sITEM_CODE_CMP sItemCode[COPY_ITEM_MAX];
};
*/
//extern HINSTANCE hinst;
#include "resource.h"
static char LastAcessID[64];
//////////////////////////////////////////////////////////////////////////////////////////////
struct sREC_DATABUFF {
rsPLAYINFO *lpPlayInfo;
DWORD dwConnectCount;
char szName[32];
char szFileName[128];
char szBackupFileName[128];
TRANS_RECORD_DATA TransRecData;
};
#define REC_DATABUFF_MAX 128
#define REC_DATABUFF_MASK 127
#define REC_DATABUFF_LIMIT 64
sREC_DATABUFF *sRecDataBuff =0;
int sRecDataBuffCount;
HANDLE hRecThread =0;
DWORD dwRecThreadId;
DWORD dwLastRecDataTime = 0;
//Å©¸®Æ¼Äà ¼½¼Ç
CRITICAL_SECTION cRecDataSection; //ÀúÀå µ¿±â¿ë Å©¸®Æ¼Äü½¼Ç
CRITICAL_SECTION cSaveDataSection; //ÀúÀåÁßÀÎ Å©¸®Æ¼Äü½¼Ç
//¼¹öDB¿¡ µ¥ÀÌŸ ÀúÀå¿ä±¸
int rsSaveRecData( TRANS_RECORD_DATA *lpTransRecordData , rsPLAYINFO *lpPlayInfo ,
char *szFileName , char *szBackupFileName );
//ÀúÀå ´ë±âÁßÀÎ µ¥ÀÌŸ ÀÖ´ÂÁö È®ÀÎ
int CheckRecWaitData( char *szName );
//º° Æ÷ÀÎÆ® À̺¥Æ® ƼÄÏ ¹ß»ý ¼³Á¤
int OpenStarPointEvent( rsPLAYINFO *lpPlayInfo , smCHAR_INFO *lpCharInfo );
//º° Æ÷ÀÎÆ® À̺¥Æ® ƼÄÏ ¹ß»ý ÀúÀå
int CloseStarPointEvent( rsPLAYINFO *lpPlayInfo , smCHAR_INFO *lpCharInfo );
//º° Æ÷ÀÎÆ® À̺¥Æ® ƼÄÏ ¹ß»ý ¼³Á¤
int OpenStarPointTicket( rsPLAYINFO *lpPlayInfo );
////////////////////////////////////////////////////////////////////////////////////////////
int EncodeFileName( char *szName , char *szDecodeName )
{
int len;
int cnt;
int cnt2;
BYTE ch1,ch2;
DWORD ch;
len = lstrlen(szName);
cnt2 = 0;
for(int cnt=0;cnt<len;cnt++ ) {
ch = (DWORD)szName[cnt];
ch1 = (BYTE)(ch>>4)&0xF;
ch2 = (BYTE)ch&0xF;
ch1 += 'a';
ch2 += 'a';
szDecodeName[ cnt2++ ] = (char)ch1;
szDecodeName[ cnt2++ ] = (char)ch2;
}
szDecodeName[cnt2] = 0;
return TRUE;
}
static int GetUserCode( char *szName )
{
int cnt,len;
BYTE ch;
BYTE *lpData = (BYTE *)szName;
len = lstrlen( szName );
ch = 0;
/*
if ( ch>='a' && ch<='z' ) {//´ë¹®ÀÚ ¼Ò¹®ÀÚ·Î
Sum2 += (ch-0x20)*(cnt+1);
*/
for(cnt=0;cnt<len;cnt++) {
if ( lpData[cnt]>='a' && lpData[cnt]<='z' ) {
ch += ( lpData[cnt]-0x20 ); //¼Ò¹®ÀÚ ´ë¹®ÀÚ·Î °è»ê
}
else
ch += lpData[cnt];
}
return ch;
}
//¿ìÆíÇÔ ÆÄÀÏ °æ·Î ±¸Çϱâ
int GetPostBoxFile( char *szID , char *szFileName )
{
if ( szID[4]==0 && szID[3]>='0' && szID[3]<='9' && (
((szID[0]=='c' || szID[0]=='C') && (szID[1]=='o' || szID[1]=='O') && (szID[2]=='m' || szID[2]=='M')) ||
((szID[0]=='l' || szID[0]=='L') && (szID[1]=='p' || szID[1]=='P') && (szID[2]=='t' || szID[2]=='T')) )
) {
wsprintf( szFileName , "%s\\%d\\££%s.dat" , szPostBoxDir , GetUserCode(szID) , szID );
return TRUE;
}
if ( szID[3]==0 &&
((szID[0]=='p' || szID[0]=='P') && (szID[1]=='r' || szID[1]=='R') && (szID[2]=='n' || szID[2]=='N')) ||
((szID[0]=='c' || szID[0]=='C') && (szID[1]=='o' || szID[1]=='O') && (szID[2]=='n' || szID[2]=='N'))
) {
wsprintf( szFileName , "%s\\%d\\££%s.dat" , szPostBoxDir , GetUserCode(szID) , szID );
return TRUE;
}
wsprintf( szFileName , "%s\\%d\\%s.dat" , szPostBoxDir , GetUserCode(szID) , szID );
return TRUE;
}
static int GetUserInfoFile( char *szID , char *szFileName )
{
//wsprintf( szFileName , "%s\\%s.dat" , szRecordUserInfoDir , szID );
if ( szID[4]==0 && szID[3]>='0' && szID[3]<='9' && (
((szID[0]=='c' || szID[0]=='C') && (szID[1]=='o' || szID[1]=='O') && (szID[2]=='m' || szID[2]=='M')) ||
((szID[0]=='l' || szID[0]=='L') && (szID[1]=='p' || szID[1]=='P') && (szID[2]=='t' || szID[2]=='T')) )
) {
wsprintf( szFileName , "DataServer\\%s\\%d\\££%s.dat" , szRecordUserInfoDir , GetUserCode(szID) , szID );
return TRUE;
}
if ( szID[3]==0 &&
((szID[0]=='p' || szID[0]=='P') && (szID[1]=='r' || szID[1]=='R') && (szID[2]=='n' || szID[2]=='N')) ||
((szID[0]=='c' || szID[0]=='C') && (szID[1]=='o' || szID[1]=='O') && (szID[2]=='n' || szID[2]=='N'))
) {
wsprintf( szFileName , "DataServer\\%s\\%d\\££%s.dat" , szRecordUserInfoDir , GetUserCode(szID) , szID );
return TRUE;
}
wsprintf( szFileName , "DataServer\\%s\\%d\\%s.dat" , szRecordUserInfoDir , GetUserCode(szID) , szID );
return TRUE;
}
int GetUserDataFile( char *szName , char *szFileName )
{
//wsprintf( szFileName , "%s\\%s.dat" , szRecordUserDataDir , szName );
wsprintf( szFileName , "DataServer\\%s\\%d\\%s.dat" , szRecordUserDataDir , GetUserCode(szName) , szName );
return TRUE;
}
int GetTT_ServerPath( char *szServerID , char *szTTServerPath )
{
int cnt;
szTTServerPath[0] = 0;
for(cnt=0;cnt<rsServerConfig.TT_DataServer_Count;cnt++) {
if ( lstrcmpi( szServerID , rsServerConfig.TT_DataServer[cnt].szServerID )==0 ) {
lstrcpy( szTTServerPath , rsServerConfig.TT_DataServer[cnt].szServerPath );
return TRUE;
}
}
return FALSE;
}
int GetRealID( char *szID , char *szRealID )
{
int cnt,len;
len = lstrlen( szID );
lstrcpy( szRealID , szID );
for(cnt=len-1;cnt>=0;cnt--) {
if ( szRealID[cnt]=='@' ) {
szRealID[cnt] = 0;
return TRUE;
}
}
return FALSE;
}
//¼¹öID ±¸Çϱâ
int SetServerID( char *szID , char *szServerID )
{
char szFile[64];
int cnt,len;
if ( rsServerConfig.TT_DataServer_Count ) {
lstrcpy( szFile , szID );
len = lstrlen(szFile);
for(cnt=len-1;cnt>=0;cnt--) {
if ( szFile[cnt]=='@' ) {
lstrcpy( szServerID , szFile+cnt+1 );
szServerID[4] = 0;
return TRUE;
}
}
}
return FALSE;
}
static int GetUserInfoFile2( char *szID , char *szFileName , char *szServerID )
{
//wsprintf( szFileName , "%s\\%s.dat" , szRecordUserInfoDir , szID );
char szTTServerPath[128];
GetTT_ServerPath( szServerID , szTTServerPath );
char szRealID[64];
GetRealID( szID , szRealID );
if ( szID[4]==0 && szID[3]>='0' && szID[3]<='9' && (
((szID[0]=='c' || szID[0]=='C') && (szID[1]=='o' || szID[1]=='O') && (szID[2]=='m' || szID[2]=='M')) ||
((szID[0]=='l' || szID[0]=='L') && (szID[1]=='p' || szID[1]=='P') && (szID[2]=='t' || szID[2]=='T')) )
) {
wsprintf( szFileName , "%s\\DataServer\\%s\\%d\\££%s.dat" , szTTServerPath, szRecordUserInfoDir , GetUserCode(szRealID) , szRealID );
return TRUE;
}
if ( szID[3]==0 &&
((szID[0]=='p' || szID[0]=='P') && (szID[1]=='r' || szID[1]=='R') && (szID[2]=='n' || szID[2]=='N')) ||
((szID[0]=='c' || szID[0]=='C') && (szID[1]=='o' || szID[1]=='O') && (szID[2]=='n' || szID[2]=='N'))
) {
wsprintf( szFileName , "%s\\DataServer\\%s\\%d\\££%s.dat" , szTTServerPath,szRecordUserInfoDir , GetUserCode(szRealID) , szRealID );
return TRUE;
}
wsprintf( szFileName , "%s\\DataServer\\%s\\%d\\%s.dat" , szTTServerPath , szRecordUserInfoDir , GetUserCode(szRealID) , szRealID );
return TRUE;
}
int GetUserDataFile2( char *szName , char *szFileName , char *szServerID )
{
char szTTServerPath[128];
GetTT_ServerPath( szServerID , szTTServerPath );
/*
char szRealID[64];
int cnt,len;
len = lstrlen( szID );
lstrcpy( szRealID , szID );
for(cnt=len-1;cnt>=0;cnt--) {
if ( szRealID[cnt]=='@' ) {
szRealID[cnt] = 0;
break;
}
}
*/
wsprintf( szFileName , "%s\\DataServer\\%s\\%d\\%s.dat" , szTTServerPath, szRecordUserDataDir , GetUserCode(szName) , szName );
return TRUE;
}
static int GetDeleteDataFile( char *szName , char *szFileName )
{
wsprintf( szFileName , "DataServer\\%s\\%s.dat" , szRecordDeleteDir , szName );
return TRUE;
}
static int GetUserDataBackupFile( char *szName , char *szFileName )
{
//wsprintf( szFileName , "%s\\%s.dat" , szRecordUserBackupDataDir , szName );
wsprintf( szFileName , "DataServer\\%s\\%d\\%s.dat" , szRecordUserBackupDataDir , GetUserCode(szName) , szName );
return TRUE;
}
static int GetWareHouseFile( char *szName , char *szFileName )
{
//wsprintf( szFileName , "%s\\%s.war" , szRecordWareHouseDir , szName );
char *szID = szName;
if ( szID[4]==0 && szID[3]>='0' && szID[3]<='9' && (
((szID[0]=='c' || szID[0]=='C') && (szID[1]=='o' || szID[1]=='O') && (szID[2]=='m' || szID[2]=='M')) ||
((szID[0]=='l' || szID[0]=='L') && (szID[1]=='p' || szID[1]=='P') && (szID[2]=='t' || szID[2]=='T')) )
) {
wsprintf( szFileName , "DataServer\\%s\\%d\\££%s.dat" , szRecordWareHouseDir , GetUserCode(szID) , szID );
return TRUE;
}
if ( szID[3]==0 &&
((szID[0]=='p' || szID[0]=='P') && (szID[1]=='r' || szID[1]=='R') && (szID[2]=='n' || szID[2]=='N')) ||
((szID[0]=='c' || szID[0]=='C') && (szID[1]=='o' || szID[1]=='O') && (szID[2]=='n' || szID[2]=='N'))
) {
wsprintf( szFileName , "DataServer\\%s\\%d\\££%s.dat" , szRecordWareHouseDir , GetUserCode(szID) , szID );
return TRUE;
}
wsprintf( szFileName , "DataServer\\%s\\%d\\%s.war" , szRecordWareHouseDir , GetUserCode(szName) , szName );
return TRUE;
}
static int GetUserDataFile_BackupDay( char *szName , char *szFileName , int Day )
{
wsprintf( szFileName , "%s\\%d\\%s\\%d\\%s.dat" ,
rsServerConfig.szBackupPath , Day ,
szRecordUserDataDir , GetUserCode(szName) , szName );
return TRUE;
}
static int GetWareHouseFile_Backup( char *szName , char *szFileName , int Day )
{
char *szID = szName;
char szBuff[256];
wsprintf( szBuff , "%s\\%d" , rsServerConfig.szBackupPath , Day );
if ( szID[4]==0 && szID[3]>='0' && szID[3]<='9' && (
((szID[0]=='c' || szID[0]=='C') && (szID[1]=='o' || szID[1]=='O') && (szID[2]=='m' || szID[2]=='M')) ||
((szID[0]=='l' || szID[0]=='L') && (szID[1]=='p' || szID[1]=='P') && (szID[2]=='t' || szID[2]=='T')) )
) {
wsprintf( szFileName , "%s\\%s\\%d\\££%s.dat" , szBuff, szRecordWareHouseDir , GetUserCode(szID) , szID );
return TRUE;
}
if ( szID[3]==0 &&
((szID[0]=='p' || szID[0]=='P') && (szID[1]=='r' || szID[1]=='R') && (szID[2]=='n' || szID[2]=='N')) ||
((szID[0]=='c' || szID[0]=='C') && (szID[1]=='o' || szID[1]=='O') && (szID[2]=='n' || szID[2]=='N'))
) {
wsprintf( szFileName , "%s\\%s\\%d\\££%s.dat" , szBuff, szRecordWareHouseDir , GetUserCode(szID) , szID );
return TRUE;
}
wsprintf( szFileName , "%s\\%s\\%d\\%s.war" , szBuff, szRecordWareHouseDir , GetUserCode(szName) , szName );
return TRUE;
}
//µ¥ÀÌŸ ÀúÀå¼¹ö µð·ºÅ丮 »ý¼º
int CreateDataServerDirectory()
{
int cnt;
char szBuff[256];
CreateDirectory( "DataServer" , NULL ); //µð·ºÅ丮 »ý¼º
wsprintf( szBuff , "DataServer\\%s" , szRecordUserInfoDir );
CreateDirectory( szBuff , NULL ); //µð·ºÅ丮 »ý¼º
wsprintf( szBuff , "DataServer\\%s" , szRecordUserDataDir );
CreateDirectory( szBuff , NULL ); //µð·ºÅ丮 »ý¼º
wsprintf( szBuff , "DataServer\\%s" , szRecordWareHouseDir );
CreateDirectory( szBuff , NULL ); //µð·ºÅ丮 »ý¼º
wsprintf( szBuff , "DataServer\\%s" , szRecordUserBackupDataDir );
CreateDirectory( szBuff , NULL ); //µð·ºÅ丮 »ý¼º
wsprintf( szBuff , "DataServer\\%s" , szRecordDeleteDir );
CreateDirectory( szBuff , NULL ); //µð·ºÅ丮 »ý¼º
for(int cnt=0;cnt<256;cnt++ ) {
wsprintf( szBuff , "DataServer\\%s\\%d" , szRecordUserInfoDir , cnt );
CreateDirectory( szBuff , NULL ); //µð·ºÅ丮 »ý¼º
}
for(int cnt=0;cnt<256;cnt++ ) {
wsprintf( szBuff , "DataServer\\%s\\%d" , szRecordUserDataDir , cnt );
CreateDirectory( szBuff , NULL ); //µð·ºÅ丮 »ý¼º
}
for(int cnt=0;cnt<256;cnt++ ) {
wsprintf( szBuff , "DataServer\\%s\\%d" , szRecordWareHouseDir , cnt );
CreateDirectory( szBuff , NULL ); //µð·ºÅ丮 »ý¼º
}
for(int cnt=0;cnt<256;cnt++ ) {
wsprintf( szBuff , "DataServer\\%s\\%d" , szRecordUserBackupDataDir , cnt );
CreateDirectory( szBuff , NULL ); //µð·ºÅ丮 »ý¼º
}
//¿ìÆíÇÔ µð·ºÅ丮 ¸¸µé±â
if ( CreateDirectory( szPostBoxDir , NULL ) ) { //µð·ºÅ丮 »ý¼º
for(int cnt=0;cnt<256;cnt++ ) {
wsprintf( szBuff , "%s\\%d" , szPostBoxDir , cnt );
CreateDirectory( szBuff , NULL ); //µð·ºÅ丮 »ý¼º
}
}
return TRUE;
}
//ij¸¯ÅÍ Á¤º¸ ÀúÀå ÄÚµå ±¸Çϱâ
DWORD GetCharInfoCode( smCHAR_INFO *lpCharInfo )
{
int cnt;
int size;
BYTE *lpCharBuff;
DWORD dwKey;
DWORD dwCode;
size = sizeof(smCHAR_INFO);
lpCharBuff = (BYTE *)lpCharInfo;
dwKey = 0;
for(int cnt=0;cnt<size;cnt++ ) {
dwKey += lpCharBuff[cnt];
}
dwCode = 0;
for(int cnt=0;cnt<size;cnt++ ) {
dwCode += (dwKey+cnt)*lpCharBuff[cnt];
}
return dwCode;
}
//sUSESKILL sinSkill;
/*
/////////////½ºÅ³ Å×ÀÌºí ±¸Á¶Ã¼
struct sSKILL{
char sSkillName[32]; //½ºÅ³ À̸§
DWORD CODE; //½ºÅ³ ÄÚµå
char FileName[32]; //½ºÅ³ ÆÄÀÏ À̸§
int Flag; //»ç¿ë°¡´É Ç÷¢
int Use; //Æ÷ÀÎÆ® ÇÒ´ç°¡´É Ç÷¢
int Point; //½ºÅ³¿¡ ÇÒ´çµÈ Æ÷ÀÎÆ®
int ShortKey; //Æã¼Ç Ű
int MousePosi; //½ºÅ³ ¸¶¿ì½º Æ÷Áö¼Ç
int Position;
int UseTime; //»ç¿ë ½Ã°£
int CheckTime; //»ç¿ë½Ã°£À» üũÇÑ´Ù
int GageLength; //¸¶½ºÅ͸® °ÔÀÌÁö ±æÀÌ
float GageLength2; //¸¶½ºÅ͸® °ÔÀÌÁö ±æÀÌ
float Mastery; //¸¶½ºÅ͸® Áõ°¡ ¼öÄ¡
int UseSkillCount; //½ºÅ³»ç¿ë ¼öÄ¡
float UseSkillMastery; //»ç¿ë½Ã ¿Ã¶ó°¡´Â ¼öÄ¡
int UseSkillMasteryGage; //»ç¿ë½Ã ¿Ã¶ó°¡´Â °ÔÀÌÁö
int UseSkillFlag; //1Àº »ç¿ë 0ÀÇ »ç¿ëºÒ°¡
int PlusState[5]; //Ç÷¯½º
sSKILL_INFO Skill_Info;
};
/////////////ÇöÀç »ç¿ëµÇ°íÀÖ´Â ½ºÅ³ ±¸Á¶Ã¼
struct sUSESKILL{
sSKILL UseSkill[SIN_MAX_USE_SKILL]; //»ç¿ëÇÒ¼öÀÖ´Â ½ºÅ³
sSKILLBOX SkillBox[SIN_MAX_USE_SKILL];
sSKILL *pLeftSkill; //¸¶¿ì½º ¿ÞÂÊ ¹öư¿¡ ÇÒ´çµÈ ½ºÅ³
sSKILL *pRightSkill; //¸¶¿ì½º ¿À¸¥ÂÊ¿¡ ÇÒ´çµÈ ½ºÅ³
int SkillPoint;
};
//ÀúÀåµÉ ½ºÅ³ ±¸Á¶
struct RECORD_SKILL {
BYTE bSkillPoint[SIN_MAX_USE_SKILL]; //½ºÅ³ Æ÷ÀÎÆ®
WORD wSkillMastery[SIN_MAX_USE_SKILL]; //½ºÅ³ ¼÷·Ãµµ
BYTE bShortKey[SIN_MAX_USE_SKILL]; //Æã¼Ç Ű
WORD wSelectSkill[2]; //¼±ÅÃµÈ ½ºÅ³
//int RemainPoint;
};
*/
//½ºÅ³ ÀúÀå
int RecordSkill( RECORD_SKILL *lpRecordSkill )
{
int cnt;
int mcnt;
for(cnt=0;cnt<SIN_MAX_USE_SKILL;cnt++) {
mcnt = cnt&15; //½ºÅ³ ÀúÀå ¿µ¿ª °Á¦·Î º¸Á¤ ( ¹è¿À» 16°³¸¸ Àâ¾Æ³ö¼ 16¹ø ¹è¿Àº 0¿¡ ÀúÀå )
lpRecordSkill->bSkillPoint[mcnt] = sinSkill.UseSkill[cnt].Point;
if ( sinSkill.UseSkill[cnt].Point>255 ) lpRecordSkill->bSkillPoint[mcnt]=255;
if ( sinSkill.UseSkill[cnt].UseSkillCount<10000 ) //½ºÅ³¼÷·Ãµµ ÃÖ°íÄ¡
lpRecordSkill->wSkillMastery[mcnt] = sinSkill.UseSkill[cnt].UseSkillCount;
else
lpRecordSkill->wSkillMastery[mcnt] = 10000;
lpRecordSkill->bShortKey[mcnt] = sinSkill.UseSkill[cnt].ShortKey|(sinSkill.UseSkill[cnt].MousePosi<<4);
}
lpRecordSkill->wSelectSkill[0] = 0;
lpRecordSkill->wSelectSkill[1] = 0;
if ( sinSkill.pLeftSkill && sinSkill.pLeftSkill->CODE!=SKILL_NORMAL_ATTACK ) {
lpRecordSkill->wSelectSkill[0] = sinSkill.pLeftSkill->Skill_Info.SkillNum+1;
}
if ( sinSkill.pRightSkill && sinSkill.pRightSkill->CODE!=SKILL_NORMAL_ATTACK ) {
lpRecordSkill->wSelectSkill[1] = sinSkill.pRightSkill->Skill_Info.SkillNum+1;
}
return TRUE;
}
//Äù½ºÆ®·Î ȹµæÇÑ ½ºÅ³ Æ÷ÀÎÆ®
int GetSkillPoint_LevelQuest( int Level , DWORD dwLevelQuestLog )
{
int Point = 0;
if ( dwLevelQuestLog&QUESTBIT_LEVEL_30 && Level>=30 ) {
}
if ( dwLevelQuestLog&QUESTBIT_LEVEL_55 && Level>=55 ) {
Point++;
}
if ( dwLevelQuestLog&QUESTBIT_LEVEL_70 && Level>=70 ) {
Point++;
}
if ( dwLevelQuestLog&QUESTBIT_LEVEL_80 && Level>=80 ) {
Point+=2;
}
return Point;
}
//Äù½ºÆ®·Î ȹµæÇÑ ½ºÅÝ Æ÷ÀÎÆ®
int GetStatePoint_LevelQuest( int Level , DWORD dwLevelQuestLog )
{
int Point = 0;
if ( dwLevelQuestLog&QUESTBIT_LEVEL_30 && Level>=30 ) {
Point += 5;
}
if ( dwLevelQuestLog&QUESTBIT_LEVEL_55 && Level>=55 ) {
}
if ( dwLevelQuestLog&QUESTBIT_LEVEL_70 && Level>=70 ) {
Point += 5;
}
if ( dwLevelQuestLog&QUESTBIT_LEVEL_80 && Level>=80 ) {
Point += 5;
}
if ( dwLevelQuestLog&QUESTBIT_LEVEL_80_2 && Level>=80 ) { //80·¾ ÀÌ»ó ½ºÅÝ7¾¿ ÁØ´Ù (+2)
Point += (Level-79)*2;
}
if ( dwLevelQuestLog&QUESTBIT_LEVEL_90_2 && Level>=90 ) { //90·¾ ÀÌ»ó ½ºÅÝ10¾¿ ÁØ´Ù (+2+3)
Point += (Level-89)*3;
}
return Point;
}
//½ºÅ³ º¹±¸
int RestoreSkill( RECORD_SKILL *lpRecordSkill , DWORD dwLevelQuestLog )
{
int cnt,mcnt;
int Point,EPoint;
Point = 0;
EPoint = 0;
if ( lpRecordSkill->bSkillPoint[0]>0 && lpRecordSkill->bSkillPoint[15]==0 ) {
lpRecordSkill->bSkillPoint[0] = 0;
lpRecordSkill->wSkillMastery[0] = 0;
lpRecordSkill->bShortKey[0] = 0;
}
for(cnt=0;cnt<SIN_MAX_USE_SKILL;cnt++) {
mcnt = cnt&15; //½ºÅ³ ÀúÀå ¿µ¿ª °Á¦·Î º¸Á¤ ( ¹è¿À» 16°³¸¸ Àâ¾Æ³ö¼ 16¹ø ¹è¿Àº 0¿¡ ÀúÀå )
if ( cnt>0 ) { //ÁÖ¸ÔÀº Á¦¿Ü
sinSkill.UseSkill[cnt].Point = lpRecordSkill->bSkillPoint[mcnt];
sinSkill.UseSkill[cnt].UseSkillCount = lpRecordSkill->wSkillMastery[mcnt];
sinSkill.UseSkill[cnt].ShortKey = lpRecordSkill->bShortKey[mcnt]&0xF;
sinSkill.UseSkill[cnt].MousePosi = lpRecordSkill->bShortKey[mcnt]>>4;
sinSkill.UseSkill[cnt].Position = cnt+1;
//Point += sinSkill.UseSkill[cnt].Point;
}
}
for(cnt=1;cnt<13;cnt++) {
Point += sinSkill.UseSkill[cnt].Point;
}
for(cnt=13;cnt<SIN_MAX_USE_SKILL;cnt++) {
EPoint += sinSkill.UseSkill[cnt].Point;
}
sinSkill.UseSkill[0].Point = 1;
sinSkill.UseSkill[0].UseSkillFlag = 1;
sinSkill.UseSkill[0].Position = 1;
sinSkill.pLeftSkill = &sinSkill.UseSkill[ lpRecordSkill->wSelectSkill[0] ];
sinSkill.pRightSkill = &sinSkill.UseSkill[ lpRecordSkill->wSelectSkill[1] ];
if ( lpCurPlayer->smCharInfo.Level>=10 ) {
sinSkill.SkillPoint = ((lpCurPlayer->smCharInfo.Level-8)/2)-Point;
sinSkill.SkillPoint += GetSkillPoint_LevelQuest(lpCurPlayer->smCharInfo.Level,dwLevelQuestLog); //Äù½ºÆ®·Î ¾òÀº Æ÷ÀÎÆ®
if ( sinSkill.SkillPoint<0 ) {
//½ºÅ³ Æ÷ÀÎÆ® ¿À·ù ( ½ºÅ³ ÃʱâÈ )
for(cnt=0;cnt<13;cnt++) {
sinSkill.UseSkill[cnt].Point = 0;
sinSkill.UseSkill[cnt].UseSkillCount = 0;
}
sinSkill.SkillPoint = 0;
}
}
else {
sinSkill.SkillPoint = 0;
}
if ( lpCurPlayer->smCharInfo.Level>=60 ) {
sinSkill.SkillPoint4 = ((lpCurPlayer->smCharInfo.Level-58)/2)-EPoint;
if ( sinSkill.SkillPoint4<0 ) {
//½ºÅ³ Æ÷ÀÎÆ® ¿À·ù ( ½ºÅ³ ÃʱâÈ )
for(cnt=13;cnt<SIN_MAX_USE_SKILL;cnt++) {
sinSkill.UseSkill[cnt].Point = 0;
sinSkill.UseSkill[cnt].UseSkillCount = 0;
}
sinSkill.SkillPoint4 = 0;
}
}
else {
sinSkill.SkillPoint4 = 0;
}
cInvenTory.SetItemToChar();
cSkill.InitReformSkillPointForm();
return TRUE;
}
//½ºÅ³ ýũ
int CheckSkillPoint( int Level , RECORD_SKILL *lpRecordSkill , int *spTotal , DWORD dwLevelQuestLog )
{
int cnt,mcnt;
int Point,EPoint;
int SkillPoint;
int ExtraPoint;
Point = 0;
EPoint = 0;
//for(cnt=1;cnt<SIN_MAX_USE_SKILL;cnt++) {
for(cnt=1;cnt<13;cnt++) {
if ( lpRecordSkill->bSkillPoint[cnt]>10 ) return FALSE;
Point += abs(lpRecordSkill->bSkillPoint[cnt]);
}
for(cnt=13;cnt<SIN_MAX_USE_SKILL;cnt++) {
mcnt = cnt&15;
if ( lpRecordSkill->bSkillPoint[mcnt]>10 ) return FALSE;
EPoint += abs(lpRecordSkill->bSkillPoint[mcnt]);
}
if ( spTotal ) *spTotal = (Point+(EPoint<<16));
if ( Level>=10 ) {
SkillPoint = ((Level-8)/2)-Point;
SkillPoint += GetSkillPoint_LevelQuest( Level , dwLevelQuestLog ); //Äù½ºÆ®·Î ȹµæÇÑ ½ºÅ³ Æ÷ÀÎÆ®
if ( SkillPoint<0 ) {
//½ºÅ³ Æ÷ÀÎÆ® ¿À·ù ( ½ºÅ³ ÃʱâÈ )
return FALSE;
}
}
else {
if ( Point>0 ) return FALSE;
}
if ( Level>=60 ) {
ExtraPoint = ((Level-58)/2)-EPoint;
if ( ExtraPoint<0 ) {
//È®À彺ų Æ÷ÀÎÆ® ¿À·ù ( ½ºÅ³ ÃʱâÈ )
return FALSE;
}
}
else {
if ( EPoint>0 ) return FALSE;
}
return TRUE;
}
//99
//ij¸¯ÅÍ ½ºÅ×ÀÌÆ® °ªÀ» »õ·Ó°Ô º¸Á¤ÇÑ´Ù
int ReformCharStatePoint( smCHAR_INFO *lpCharInfo , DWORD dwLevelQuestLog )
{
int Total;
int NewState;
Total = abs(lpCharInfo->Strength) +
abs(lpCharInfo->Spirit) +
abs(lpCharInfo->Dexterity) +
abs(lpCharInfo->Health) +
abs(lpCharInfo->Talent) +
abs(lpCharInfo->StatePoint);
//99°¡ ±âº»Ä¡
NewState = 99+((lpCharInfo->Level-1)*5);
NewState += GetStatePoint_LevelQuest( lpCharInfo->Level , dwLevelQuestLog ); //Äù½ºÆ®·Î ȹµæÇÑ ½ºÅÝ Æ÷ÀÎÆ®
lpCharInfo->StatePoint += (NewState-Total);
if ( lpCharInfo->StatePoint<=-10 ) {
//ij¸¯ÅÍ ´É·ÂÄ¡ ¹®Á¦ ¹ß»ý
lpCharInfo->Strength = 1;
lpCharInfo->Spirit = 8;
lpCharInfo->Dexterity = 1;
lpCharInfo->Health = 8;
lpCharInfo->Talent = 1;
if ( lpCharInfo->StatePoint<0 ) lpCharInfo->StatePoint = 0;
return FALSE;
}
if ( lpCharInfo->StatePoint<0 ) lpCharInfo->StatePoint = 0;
return TRUE;
}
//°ÔÀÓ ÁøÇà µ¥ÀÌŸ ±â·Ï
int RecordGameData( sGAME_SAVE_INFO *lpGameSaveInfo )
{
lpGameSaveInfo->Head = dwRecordVersion;
lpGameSaveInfo->CameraMode = cInterFace.sInterFlags.CameraAutoFlag;
if ( lpCurPlayer->OnStageField>=0 )
lpGameSaveInfo->PlayStageNum = StageField[lpCurPlayer->OnStageField]->FieldCode;
else
lpGameSaveInfo->PlayStageNum = -1;
//·Î±× ¾Æ¿ô ÁÂÇ¥
lpGameSaveInfo->PosX = lpCurPlayer->pX;
lpGameSaveInfo->PosZ = lpCurPlayer->pZ;
//ÀúÀåÇÒ ´ç½ÃÀÇ °èÁ¤ID ÀúÀå
if ( lstrlen(UserAccount)<32 ) {
lstrcpy( lpGameSaveInfo->szMasterID , UserAccount );
}
//Ŭ¶óÀÌ¾ðÆ®¿¡¼ Áý°èÇÑ È¹µæÇÑ °æÇèÄ¡¿Í µ· ±â·Ï
lpGameSaveInfo->TotalExp = GetTotalExp()^lpGameSaveInfo->PosX;
lpGameSaveInfo->TotalMoney = GetTotalMoney()^lpGameSaveInfo->PosZ;
lpGameSaveInfo->TotalSubExp = GetTotalSubExp();
//½ºÅ³ ÀúÀå
RecordSkill( &lpGameSaveInfo->SkillInfo );
//±âº»°ø°Ý ´ÜÃàŰÁ¤º¸
lpGameSaveInfo->ShortKey_NormalAttack = sinSkill.UseSkill[0].ShortKey|( sinSkill.UseSkill[0].MousePosi<<4 );
sQUEST_INFO QuestInfo;
DWORD QuestCode;
ZeroMemory( &QuestInfo, sizeof(sQUEST_INFO) );
QuestCode = sinSaveQuest( &QuestInfo.Data );
QuestInfo.wQuestCode[0] = (WORD)QuestCode;
memcpy( &lpGameSaveInfo->QuestInfo , &QuestInfo , sizeof(sQUEST_INFO) );
memcpy( &lpGameSaveInfo->LastQuestInfo , &RecordLastQuestInfo , sizeof(sLAST_QUEST_INFO) ); //Áö³ Äù½ºÆ® ±â·Ï
lpGameSaveInfo->sPetInfo[0] = (short)cHelpPet.PetKind;
lpGameSaveInfo->sPetInfo[1] = (short)cHelpPet.PetShow;
lpGameSaveInfo->dwLevelQuestLog = sinQuest_levelLog;
lpGameSaveInfo->dwElementaryQuestLog = haElementaryQuestLog;
return TRUE;
}
//°ÔÀÓ ÁøÇà µ¥ÀÌŸ ±â·Ï
int RestoreGameData( sGAME_SAVE_INFO *lpGameSaveInfo )
{
cInterFace.sInterFlags.CameraAutoFlag = lpGameSaveInfo->CameraMode;
if ( lpGameSaveInfo->QuestInfo.wQuestCode[0] ) {
sinLoadQuest( lpGameSaveInfo->QuestInfo.wQuestCode[0] , &lpGameSaveInfo->QuestInfo.Data );
}
memcpy( &RecordLastQuestInfo , &lpGameSaveInfo->LastQuestInfo , sizeof(sLAST_QUEST_INFO) ); //Áö³ Äù½ºÆ® ±â·Ï
//Äù½ºÆ®»óÅ º¸µå¿¡ ¼³Á¤
SetQuestBoard();
if ( sBiInfo ) {
sBiInfo->PCRNo = lpGameSaveInfo->PCRNo;
sBiInfo->EventPlay[0] = lpGameSaveInfo->EventPlay[0];
sBiInfo->EventPlay[1] = lpGameSaveInfo->EventPlay[1];
}
cHelpPet.PetKind = (int)lpGameSaveInfo->sPetInfo[0];
cHelpPet.PetShow = (int)lpGameSaveInfo->sPetInfo[1];
sinQuest_levelLog = lpGameSaveInfo->dwLevelQuestLog;
haElementaryQuestLog = lpGameSaveInfo->dwElementaryQuestLog;
/*
if ( sBiInfo->PCRNo>0 ) {
//ÇÇ½Ã¹æ Æê¿ÀÇÂ
cPCBANGPet.PetKind = TRUE;
cPCBANGPet.ShowPet();
}
*/
//ºí·¹½º ij½½ ¼¼À²
cSinSiege.SetTaxRate( lpGameSaveInfo->BlessCastleTax ); //¼¼À² ¼³Á¤
//ºí·¹½º ij½½ ¸¶½ºÅÍ Å¬·£ ¼³Á¤
SetBlessCastleMaster( lpGameSaveInfo->dwBlessCastleMaster , 0 );
return TRUE;
}
//Á¾·áµÈ Äù½ºÆ® ±â·Ï Ãß°¡
int Record_LastQuest( WORD wQuestCode )
{
int cnt;
cnt = RecordLastQuestInfo.LastQuestCount&LAST_QUEST_MASK;
RecordLastQuestInfo.wLastQuest[cnt] = wQuestCode;
RecordLastQuestInfo.LastQuestCount++;
return TRUE;
}
//Áö³ Äù½ºÆ® °Ë»ç
int FindLastQuestCode( WORD wQuestCode )
{
int cnt,mcnt,start;
if ( RecordLastQuestInfo.LastQuestCount>LAST_QUEST_MASK )
start = RecordLastQuestInfo.LastQuestCount-LAST_QUEST_MASK;
else
start = 0;
for(cnt=start;cnt<RecordLastQuestInfo.LastQuestCount;cnt++) {
mcnt = cnt&LAST_QUEST_MASK;
if ( RecordLastQuestInfo.wLastQuest[mcnt]==wQuestCode ) {
return TRUE; //Äù½ºÆ® ã¾Ò´Ù
}
}
return FALSE;
}
/*
#define LAST_QUEST_MAX 32
#define LAST_QUEST_MASK 31
struct sLAST_QUEST_INFO {
WORD wLastQuest[LAST_QUEST_MAX];
int LastQuestCount;
}
*/
//±â·Ï µ¥ÀÌŸ ¾ÆÀÌÅÛ ÀÌ»ó À¯¹« È®ÀÎ
int CheckRecordDataItem( TRANS_RECORD_DATA *lpRecordData )
{
int DataSize , size;
int ItemCount;
int cnt;
int SizeCount;
BYTE *lpRecordItem;
DataSize = lpRecordData->DataSize;
ItemCount = lpRecordData->ItemCount;
lpRecordItem = lpRecordData->Data;
SizeCount = 0;
for(int cnt=0;cnt<ItemCount;cnt++ ) {
size = ((int *)lpRecordItem)[0];
SizeCount += size;
lpRecordItem += size;
if ( SizeCount>DataSize || SizeCount<0 )
return FALSE;
}
if ( SizeCount==DataSize ) return TRUE;
return FALSE;
}
/*
//ÀúÀåµÈ ¾ÆÀÌÅÛ µ¥ÀÌŸ¸¦ 150 Æ÷¸ËÀ¸·Î ÀÎÁõº¯È¯
int ConvertItem_Server150(TRANS_RECORD_DATA *lpTransRecordData )
{
BYTE *lpRecItem;
sRECORD_ITEM sRecordItem[INVENTORY_MAXITEM*2];
int cnt;
int CompSize;
lpRecItem = (BYTE *)lpTransRecordData->Data;
for(int cnt=0;cnt<lpTransRecordData->ItemCount;cnt++ ) {
//¾ÐÃà µ¥ÀÌŸ ÇØµ¶ ( Z/NZ ¹æ½Ä )
DecodeCompress( (BYTE *)lpRecItem , (BYTE *)&sRecordItem[cnt] );
rsReformItem_Server( &sRecordItem[cnt].sItemInfo ); //¾ÆÀÌÅÛ ½Å±Ô ÀÎÁõ
lpRecItem += ((int *)lpRecItem)[0];
}
lpTransRecordData->DataSize = 0;
lpRecItem = (BYTE *)lpTransRecordData->Data;
for(int cnt=0;cnt<lpTransRecordData->ItemCount;cnt++ ) {
//µ¥ÀÌŸ ¾ÐÃà ( Z/NZ ¹æ½Ä )
CompSize = EecodeCompress( (BYTE *)&sRecordItem[cnt] , (BYTE *)lpRecItem , sizeof(sRECORD_ITEM) );
lpRecItem += CompSize;
lpTransRecordData->DataSize += CompSize;
}
lpTransRecordData->size = ((DWORD)lpRecItem)-((DWORD)lpTransRecordData);
return TRUE;
}
*/
//ÀúÀåÇÒ µ¥ÀÌŸ¸¦ Á¤¸®ÇÏ¿© Á¦ÀÛ
int rsRECORD_DBASE::MakeRecordData( smCHAR_INFO *lpCharInfo , sITEM *lpItems , sITEM *lpItems2 , sITEM *lpMouseItem )
{
int cnt;
BYTE *lpRecItem;
sRECORD_ITEM sRecordItem;
int CompSize;
lstrcpy( TransRecordData.szHeader , szRecordHeader );
memcpy( &TransRecordData.smCharInfo , lpCharInfo , sizeof( smCHAR_INFO ) );
TransRecordData.smCharInfo.wVersion[0] = Version_CharInfo;
//TransRecordData.smCharInfo.wVersion[1] = 0;
ZeroMemory( &TransRecordData.GameSaveInfo , sizeof(sGAME_SAVE_INFO) );
TransRecordData.ThrowItemCount = 0;
RecordGameData( &TransRecordData.GameSaveInfo );
//ij¸¯ÅÍ Á¤º¸ ÄÚµå ÀúÀå
TransRecordData.GameSaveInfo.dwChkSum_CharInfo = GetCharInfoCode( lpCharInfo );
TransRecordData.ItemCount = 0;
lpRecItem = TransRecordData.Data;
TransRecordData.DataSize = 0;
for(int cnt=0;cnt<INVENTORY_MAXITEM;cnt++ ) {
if ( lpItems[cnt].Flag ) {
/*
if ( !lpItems[cnt].sItemInfo.ItemName[0] ||
(lpItems[cnt].CODE&sinITEM_MASK1)==(sinPM1&sinITEM_MASK1) ||
lpItems[cnt].sItemInfo.ItemHeader.dwChkSum==(lpItems[cnt].sItemInfo.Temp0-lpItems[cnt].sItemInfo.CODE) ) {
*/
sRecordItem.ItemCount=cnt;
sRecordItem.x = lpItems[cnt].x;
sRecordItem.y = lpItems[cnt].y;
sRecordItem.ItemPosition = lpItems[cnt].ItemPosition;
memcpy( &sRecordItem.sItemInfo , &lpItems[cnt].sItemInfo , sizeof( sITEMINFO ) );
//µ¥ÀÌŸ ¾ÐÃà ( Z/NZ ¹æ½Ä )
CompSize = EecodeCompress( (BYTE *)&sRecordItem , (BYTE *)lpRecItem , sizeof(sRECORD_ITEM) );
lpRecItem += CompSize;
TransRecordData.DataSize += CompSize;
TransRecordData.ItemCount++;
/*
}
else {
cnt = cnt;
}
*/
}
}
TransRecordData.ItemSubStart = TransRecordData.ItemCount;
for(int cnt=0;cnt<INVENTORY_MAXITEM;cnt++ ) {
if ( lpItems2[cnt].Flag ) {
sRecordItem.ItemCount=cnt;
sRecordItem.x = lpItems2[cnt].x;
sRecordItem.y = lpItems2[cnt].y;
sRecordItem.ItemPosition = lpItems2[cnt].ItemPosition;
memcpy( &sRecordItem.sItemInfo , &lpItems2[cnt].sItemInfo , sizeof( sITEMINFO ) );
//µ¥ÀÌŸ ¾ÐÃà ( Z/NZ ¹æ½Ä )
CompSize = EecodeCompress( (BYTE *)&sRecordItem , (BYTE *)lpRecItem , sizeof(sRECORD_ITEM) );
lpRecItem += CompSize;
TransRecordData.DataSize += CompSize;
TransRecordData.ItemCount++;
}
}
if ( lpMouseItem && lpMouseItem->Flag ) {
//¸¶¿ì½º¿¡ ¾ÆÀÌÅÛÀÏ Àâ°í ÀÖ´Â °æ¿ì
sRecordItem.ItemCount=0;
sRecordItem.x = 0;
sRecordItem.y = 0;
sRecordItem.ItemPosition = -1;
memcpy( &sRecordItem.sItemInfo , &lpMouseItem->sItemInfo , sizeof( sITEMINFO ) );
//µ¥ÀÌŸ ¾ÐÃà ( Z/NZ ¹æ½Ä )
CompSize = EecodeCompress( (BYTE *)&sRecordItem , (BYTE *)lpRecItem , sizeof(sRECORD_ITEM) );
lpRecItem += CompSize;
TransRecordData.DataSize += CompSize;
TransRecordData.ItemCount++;
}
TransRecordData.code = smTRANSCODE_RECORDDATA;
TransRecordData.size = ((DWORD)lpRecItem)-((DWORD)&TransRecordData);
return TRUE;
}
int ClientRecordPotion[3][4];
int ClientRecordPotionFlag = 0;
int ResetClientRecordPotion( sGAME_SAVE_INFO *lpGameSaveInfo )
{
int cnt,cnt2;
if ( !lpGameSaveInfo->sPotionUpdate[0] || lpGameSaveInfo->sPotionUpdate[0]!=lpGameSaveInfo->sPotionUpdate[1] )
return FALSE;
ClientRecordPotionFlag = TRUE;
for(cnt=0;cnt<3;cnt++)
for(cnt2=0;cnt2<4;cnt2++)
ClientRecordPotion[cnt][cnt2] = lpGameSaveInfo->sPotionCount[cnt][cnt2];
return TRUE;
}
//¹°¾à °Ë»ç¿ë
int AddRecordPotion( DWORD dwPotionCode , int PotionCount )
{
int Count=PotionCount;
int x=-1;
int y=-1;
if ( ClientRecordPotionFlag==0 ) return 0;
switch( dwPotionCode ) {
case (sinPL1|sin01): //»ý¸í(¼Ò)
x=0;y=0;
break;
case (sinPL1|sin02): //»ý¸í(Áß)
x=0;y=1;
break;
case (sinPL1|sin03): //»ý¸í(´ë)
x=0;y=2;
break;
case (sinPL1|sin04): //»ý¸í(½Å)
x=0;y=3;
break;
case (sinPM1|sin01): //±â·Â(¼Ò)
x=1;y=0;
break;
case (sinPM1|sin02): //±â·Â(Áß)
x=1;y=1;
break;
case (sinPM1|sin03): //±â·Â(´ë)
x=1;y=2;
break;
case (sinPM1|sin04): //±â·Â(½Å)
x=1;y=3;
break;
case (sinPS1|sin01): //±Ù·Â(¼Ò)
x=2;y=0;
break;
case (sinPS1|sin02): //±Ù·Â(Áß)
x=2;y=1;
break;
case (sinPS1|sin03): //±Ù·Â(´ë)
x=2;y=2;
break;
case (sinPS1|sin04): //±Ù·Â(½Å)
x=2;y=3;
break;
}
if ( x>=0 && y>=0 ) {
ClientRecordPotion[x][y] += Count;
return ClientRecordPotion[x][y];
}
return 0;
}
//ºÒ·¯¿Â µ¥ÀÌŸ Á¤º¸¸¦ ÇØ´ç À§Ä¡¿¡ ¼³Á¤
int rsRECORD_DBASE::ResotrRecordData( smCHAR_INFO *lpCharInfo , sITEM *lpItems , sITEM *lpItems2 , sITEM *lpMouseItem )
{
int cnt;
int cnt2,cnt3;
sITEM *lpChkItem[512];
int ChkCnt;
int CopyItemCount;
int BadItemCount;
int SetFlag;
DWORD dwItemCode;
int WeightError = 0;
int PostionError = 0;
int SvrPotionError = 0;
int ReformItemCount = 0;
DWORD dwCode;
sITEMINFO *lpsItemInfo;
BYTE *lpRecItem;
sITEM *lpSaveItem;
sRECORD_ITEM sRecordItem;
sITEM sItem_Buff;
char szMsgBuff[128];
int PotionCnt;
//char szTestBuff[4096];
//HANDLE hResource;
//HANDLE hLoadRes;
//sCOPYITEM *lpCopyItems=0;
//ij¸¯ÅÍ Á¤º¸ ÀÎÁõ È®ÀÎ
CheckCharForm();
memcpy( lpCharInfo , &TransRecordData.smCharInfo , sizeof( smCHAR_INFO ) );
lpCharInfo->bUpdateInfo[0] = 0;
//°ÔÀÓ Æ÷¼Ç ±â·Ï
ResetClientRecordPotion( &TransRecordData.GameSaveInfo );
//ij¸¯ÅÍ Á¤º¸ ÀÎÁõ È®ÀÎ
CheckCharForm();
//Å©·¢ ýũ
CheckCracker();
/*
hResource = FindResource( hinst , MAKEINTRESOURCE(IDR_GOODITEM1), "GOODITEM" );
hLoadRes = LoadResource( hinst , (HRSRC)hResource );
lpCopyItems = (sCOPYITEM *)LockResource( hLoadRes );
*/
if ( smConfig.DebugMode && smConfig.szFile_Player[0] ) {
//¿î¿µÀÚ´Â ½ºÅ² ¹Ù²Ù±â °¡´É
lstrcpy( lpCharInfo->szModelName , smConfig.szFile_Player );
lpCharInfo->szModelName[0] = 0;
}
ZeroMemory( lpItems , sizeof( sITEM ) * INVENTORY_MAXITEM );
ZeroMemory( lpItems2 , sizeof( sITEM ) * INVENTORY_MAXITEM );
lpRecItem = (BYTE *)&TransRecordData.Data;
ChkCnt = 0;
CopyItemCount = 0;
BadItemCount = 0;
/*
if ( lpCharInfo->Weight[0]<0 || lpCharInfo->Weight[0]>lpCharInfo->Weight[1] ) {
WeightError = TRUE;
//ÇØÅ· ½ÃµµÇÑ À¯Àú ÀÚµ¿ ½Å°í
SendSetHackUser2( 1900 , lpCharInfo->Weight[0] );
}
*/
// pluto ¸¶ÀÌÆ® ¿Àºê ¾ÆÀ£ ij½¬ÅÛ ¼ÒÁö·® Áõ°¡
if( TransRecordData.GameSaveInfo.dwTime_PrimeItem_MightofAwell )
{
if( lpCharInfo->Weight[0]<0 || lpCharInfo->Weight[0]>lpCharInfo->Weight[1] + 300 ) {
WeightError = TRUE;
//ÇØÅ· ½ÃµµÇÑ À¯Àú ÀÚµ¿ ½Å°í
SendSetHackUser2( 1900 , lpCharInfo->Weight[0] );
}
}
else if( TransRecordData.GameSaveInfo.dwTime_PrimeItem_MightofAwell2 )
{
if( lpCharInfo->Weight[0]<0 || lpCharInfo->Weight[0]>lpCharInfo->Weight[1] + 500 ) {
WeightError = TRUE;
//ÇØÅ· ½ÃµµÇÑ À¯Àú ÀÚµ¿ ½Å°í
SendSetHackUser2( 1900 , lpCharInfo->Weight[0] );
}
}
else
{
if( lpCharInfo->Weight[0]<0 || lpCharInfo->Weight[0]>lpCharInfo->Weight[1] ) {
WeightError = TRUE;
//ÇØÅ· ½ÃµµÇÑ À¯Àú ÀÚµ¿ ½Å°í
SendSetHackUser2( 1900 , lpCharInfo->Weight[0] );
}
}
for(int cnt=0;cnt<TransRecordData.ItemCount;cnt++ ) {
lpsItemInfo = 0;
//¾ÐÃà µ¥ÀÌŸ ÇØµ¶ ( Z/NZ ¹æ½Ä )
DecodeCompress( (BYTE *)lpRecItem , (BYTE *)&sRecordItem );
/*
//µ¥ÀÌŸ ¾ÐÃà ( Z/NZ ¹æ½Ä )
EecodeCompress( (BYTE *)&sRecordItem , (BYTE *)szTestBuff , sizeof(sRECORD_ITEM) );
if ( ((int *)szTestBuff)[0]!=((int *)lpRecItem)[0] ) {
SetFlag = SetFlag;
}
*/
SetFlag = TRUE;
dwItemCode = sRecordItem.sItemInfo.CODE&sinITEM_MASK2;
//¹ö·ÁÁø ¾ÆÀÌÅÛ Á¦°Å
for( cnt2=0;cnt2<TransRecordData.ThrowItemCount;cnt2++) {
if ( TransRecordData.ThrowItemInfo[cnt2].dwCode==sRecordItem.sItemInfo.CODE &&
TransRecordData.ThrowItemInfo[cnt2].dwKey==sRecordItem.sItemInfo.ItemHeader.Head &&
TransRecordData.ThrowItemInfo[cnt2].dwSum==sRecordItem.sItemInfo.ItemHeader.dwChkSum ) {
SetFlag = FALSE;
break;
}
}
/*
#define sinWA1 0x01010000 //Axes
#define sinWC1 0x01020000 //Claws
#define sinWH1 0x01030000 //Hammer & So On
#define sinWM1 0x01040000 //Magicial Stuffs
#define sinWP1 0x01050000 //Poles & Spears
#define sinWS1 0x01060000 //Shooters
#define sinWS2 0x01070000 //Swords
#define sinWT1 0x01080000 //Throwing Arms
#define sinDA1 0x02010000 //Armor
#define sinDB1 0x02020000 //Boots
#define sinDG1 0x02030000 //Gloves
#define sinDS1 0x02040000 //Shields
*/
//PostionError
if ( sRecordItem.ItemPosition>3 ) {
dwCode = sRecordItem.sItemInfo.CODE>>24;
if ( dwCode==1 ) {
PostionError++; //¹«±â ÀÖÀ½
}
dwCode = sRecordItem.sItemInfo.CODE>>16;
if ( dwCode==0x0201 || dwCode==0x0204 ) {
PostionError++; //°©¿Ê , ¹æÆÐ
}
}
/*
///////////////// ¼Ò¸¶ÀÇ ¸µ¾Æ¸Ó Á¦°Å ////////////////////////
if ( sRecordItem.sItemInfo.CODE==33622016 &&
sRecordItem.sItemInfo.ItemHeader.Head==2242593061 &&
sRecordItem.sItemInfo.ItemHeader.dwChkSum==4294914487 ) {
//º¹»ç ¾ÆÀÌÅÛ Á¦°Å
SetFlag = FALSE;
//ÇØÅ· ½ÃµµÇÑ À¯Àú ÀÚµ¿ ½Å°í
SendSetHackUser2( 1960 , sRecordItem.sItemInfo.CODE );
}
*/
if ( sRecordItem.ItemPosition!=2 && CheckItemForm( &sRecordItem.sItemInfo )==FALSE ) {
//À߸øµÈ ¾ÆÀÌÅÛ Á¦°Å
SetFlag = FALSE;
//ÇØÅ· ½ÃµµÇÑ À¯Àú ÀÚµ¿ ½Å°í
SendSetHackUser2( 1950 , 0 );
}
//¾ÆÀÌÅÛ ÀÎÁõ¹øÈ£°¡ 0 Àΰæ¿ì Á¦°Å ( ²®µ¥±â ¾ÆÀÌÅÛ Á¦¿Ü )
if ( !sRecordItem.sItemInfo.ItemHeader.Head || !sRecordItem.sItemInfo.ItemHeader.dwChkSum ) {
if ( sRecordItem.sItemInfo.ItemName[0] ) {
SetFlag = FALSE;
//ÇØÅ· ½ÃµµÇÑ À¯Àú ÀÚµ¿ ½Å°í
SendSetHackUser2( 1950 , 0 );
}
}
// À庰 - SP1 ¾ÆÀÌÅÛ Àκ¥¿¡¼ »ç¶óÁö´Â ¹®Á¦
/* À¯Åë±âÇÑ ¾ø¾Ø´Ù
//¼ÛÆí È®ÀÎ ( ÃÊÄÚ·¿µµ )
if ( (sRecordItem.sItemInfo.CODE&sinITEM_MASK2) == sinSP1 || (sRecordItem.sItemInfo.CODE&sinITEM_MASK2) == sinCH1 ){
//¼ÛÆí ( Æ÷¼ÇÄ«¿îÅͰ¡ ÀÖÀ¸¸é ¹®Á¦ÀÖ´Â ¼ÛÆí )
if ( sRecordItem.sItemInfo.PotionCount>1 ) SetFlag = FALSE;
//»ý¼º±â°£ È®ÀÎ
if ( sRecordItem.sItemInfo.dwCreateTime<(sinItemTime-(60*60*24*12)) ||
sRecordItem.sItemInfo.dwCreateTime>(sinItemTime+(60*60*24*7)) ) {
SetFlag = FALSE;
}
}
*/
//Åä³Ê¸ÕÆ® ¸ðµå·Î ¼¹ö ·Î±×ÀÎ ÇÑ °æ¿ì ƯÁ¤ ¾ÆÀÌÅÛ Á¦°Å
if ( TransRecordData.GameSaveInfo.TT_ServerID ) {
if ( (sRecordItem.sItemInfo.CODE&sinITEM_MASK2) == sinBC1 ) { //°ø¼º ¾ÆÀÌÅÛ
SetFlag = FALSE;
}
}
//Æ÷¼Ç 0 Â¥¸® Á¦°Å
if ( (sRecordItem.sItemInfo.CODE&sinITEM_MASK1)==(sinPM1&sinITEM_MASK1) ) {
if ( sRecordItem.sItemInfo.PotionCount<=0 ) {
SetFlag = FALSE;
}
else {
//¹°¾à °Ë»ç¿ë
PotionCnt = AddRecordPotion( sRecordItem.sItemInfo.CODE , -sRecordItem.sItemInfo.PotionCount );
if ( PotionCnt<0 ) {
sRecordItem.sItemInfo.PotionCount+=PotionCnt;
SvrPotionError -= PotionCnt; //¿À·ù³ °¹¼ö ±â·Ï
if ( sRecordItem.sItemInfo.PotionCount<=0 ) {
SetFlag = FALSE;
}
}
}
}
#ifdef _DELETE_FUCKIN_ITEM
if ( sRecordItem.sItemInfo.CODE==(sinOR1|sin21) ||
sRecordItem.sItemInfo.CODE==(sinOA1|sin21)
/*sRecordItem.sItemInfo.CODE==(sinOR1|sin22) ||
sRecordItem.sItemInfo.CODE==(sinOR1|sin23) ||
sRecordItem.sItemInfo.CODE==(sinOR1|sin24)*/
)
{
memcpy( &sItem_Buff.sItemInfo , &sRecordItem.sItemInfo , sizeof( sITEMINFO ) );
OverDay_Item_Delete( &sItem_Buff );
}
#endif
if ( DeleteEventItem_TimeOut( &sRecordItem.sItemInfo )==TRUE ) {
//À̺¥Æ® ¾ÆÀÌÅÛ ³¯Â¥¸ÂÃç Á¦°Å
SetFlag = FALSE;
wsprintf( szMsgBuff , mgItemTimeOut , sRecordItem.sItemInfo.ItemName );
AddChatBuff( szMsgBuff , 0 );
// if ( sRecordItem.sItemInfo.CODE==(sinOR2|sin01) )
if ( sRecordItem.sItemInfo.CODE==(sinOR2|sin01) || // ÁöÁ¸¹ÝÁö
sRecordItem.sItemInfo.CODE==(sinOR2|sin06) || sRecordItem.sItemInfo.CODE==(sinOR2|sin07) || //Ŭ·£Ä¡ÇÁ¸µ
sRecordItem.sItemInfo.CODE==(sinOR2|sin08) || sRecordItem.sItemInfo.CODE==(sinOR2|sin09) || //Ŭ·£Ä¡ÇÁ¸µ
sRecordItem.sItemInfo.CODE==(sinOR2|sin10) || sRecordItem.sItemInfo.CODE==(sinOR2|sin11) || //Ŭ·£Ä¡ÇÁ¸µ
sRecordItem.sItemInfo.CODE==(sinOR2|sin12) || sRecordItem.sItemInfo.CODE==(sinOR2|sin13) || //Ŭ·£Ä¡ÇÁ¸µ
sRecordItem.sItemInfo.CODE==(sinOR2|sin14) || sRecordItem.sItemInfo.CODE==(sinOR2|sin15) || //Ŭ·£Ä¡ÇÁ¸µ
sRecordItem.sItemInfo.CODE==(sinOR2|sin16) || sRecordItem.sItemInfo.CODE==(sinOR2|sin17) || //Ŭ·£Ä¡ÇÁ¸µ
sRecordItem.sItemInfo.CODE==(sinOR2|sin18) || sRecordItem.sItemInfo.CODE==(sinOR2|sin19) || //Ŭ·£Ä¡ÇÁ¸µ
sRecordItem.sItemInfo.CODE==(sinOR2|sin20) || sRecordItem.sItemInfo.CODE==(sinOR2|sin21) || //Ŭ·£Ä¡ÇÁ¸µ
sRecordItem.sItemInfo.CODE==(sinOR2|sin22) || sRecordItem.sItemInfo.CODE==(sinOR2|sin23) || //Ŭ·£Ä¡ÇÁ¸µ
sRecordItem.sItemInfo.CODE==(sinOR2|sin24) || sRecordItem.sItemInfo.CODE==(sinOR2|sin25) || //Ŭ·£Ä¡ÇÁ¸µ
sRecordItem.sItemInfo.CODE==(sinOR2|sin31) || sRecordItem.sItemInfo.CODE==(sinOR2|sin32) || // ¹ÚÀç¿ø - º¸½º ¸ó½ºÅÍ ¸µ Ãß°¡(¹Ùº§, Ç»¸®)
sRecordItem.sItemInfo.CODE==(sinOR2|sin27) || sRecordItem.sItemInfo.CODE==(sinOA1|sin32) || //¹ÚÀç¿ø - »êŸ¸µ, »êŸ¾Æ¹Ä·¿ Ãß°¡
sRecordItem.sItemInfo.CODE==(sinOR2|sin28) || sRecordItem.sItemInfo.CODE==(sinOA1|sin33) || //¹ÚÀç¿ø - À̺¥Æ® ¸µ, À̺¥Æ® ¾Æ¹Ä·¿ Ãß°¡(7ÀÏ)
sRecordItem.sItemInfo.CODE==(sinOR2|sin29) || sRecordItem.sItemInfo.CODE==(sinOA1|sin34) || //¹ÚÀç¿ø - À̺¥Æ® ¸µ, À̺¥Æ® ¾Æ¹Ä·¿ Ãß°¡(1½Ã°£)
sRecordItem.sItemInfo.CODE==(sinOR2|sin30) || sRecordItem.sItemInfo.CODE==(sinOA1|sin35) || //¹ÚÀç¿ø - À̺¥Æ® ¸µ, À̺¥Æ® ¾Æ¹Ä·¿ Ãß°¡(1ÀÏ)
sRecordItem.sItemInfo.CODE==(sinOA1|sin36) || sRecordItem.sItemInfo.CODE==(sinOA1|sin37) || // À庰 - ´«²É ¸ñ°ÉÀÌ, ÇÏÆ® ¾Æ¹Ä·¿
sRecordItem.sItemInfo.CODE==(sinOR2|sin33) || // À庰 - ÇÏÆ®¸µ
sRecordItem.sItemInfo.CODE==(sinDA1|sin31) || sRecordItem.sItemInfo.CODE==(sinDA2|sin31) || // ¹ÚÀç¿ø - ÄÚ½ºÆ¬ Ãß°¡
sRecordItem.sItemInfo.CODE==(sinDA1|sin32) || sRecordItem.sItemInfo.CODE==(sinDA2|sin32) ||
sRecordItem.sItemInfo.CODE==(sinDA1|sin33) || sRecordItem.sItemInfo.CODE==(sinDA2|sin33) ||
sRecordItem.sItemInfo.CODE==(sinDA1|sin34) || sRecordItem.sItemInfo.CODE==(sinDA2|sin34) ||
sRecordItem.sItemInfo.CODE==(sinDA1|sin35) || sRecordItem.sItemInfo.CODE==(sinDA2|sin35) ||
sRecordItem.sItemInfo.CODE==(sinDA1|sin36) || sRecordItem.sItemInfo.CODE==(sinDA2|sin36) ||
sRecordItem.sItemInfo.CODE==(sinDA1|sin37) || sRecordItem.sItemInfo.CODE==(sinDA2|sin37) ||
sRecordItem.sItemInfo.CODE==(sinDA1|sin38) || sRecordItem.sItemInfo.CODE==(sinDA2|sin38) ||
sRecordItem.sItemInfo.CODE==(sinDA1|sin39) || sRecordItem.sItemInfo.CODE==(sinDA2|sin39) ||
sRecordItem.sItemInfo.CODE==(sinDA1|sin40) || sRecordItem.sItemInfo.CODE==(sinDA2|sin40) ||
sRecordItem.sItemInfo.CODE==(sinDA1|sin41) || sRecordItem.sItemInfo.CODE==(sinDA2|sin41) ||
sRecordItem.sItemInfo.CODE==(sinDA1|sin42) || sRecordItem.sItemInfo.CODE==(sinDA2|sin42) ||
sRecordItem.sItemInfo.CODE==(sinDA1|sin43) || sRecordItem.sItemInfo.CODE==(sinDA2|sin46) ||
sRecordItem.sItemInfo.CODE==(sinDA1|sin44) || sRecordItem.sItemInfo.CODE==(sinDA2|sin44) ||
sRecordItem.sItemInfo.CODE==(sinDA1|sin45) || sRecordItem.sItemInfo.CODE==(sinDA2|sin45) ||
sRecordItem.sItemInfo.CODE==(sinDA1|sin46) || sRecordItem.sItemInfo.CODE==(sinDA2|sin46) ||
sRecordItem.sItemInfo.CODE==(sinSP1|sin34) || // ¹ÚÀç¿ø - È£¶ûÀÌ Ä¸½¶ Ãß°¡
sRecordItem.sItemInfo.CODE==(sinDA1|sin54) || sRecordItem.sItemInfo.CODE==(sinDA1|sin55) || // ¹ÚÀç¿ø - ¼ö¿µº¹ º¹Àå Ãß°¡
sRecordItem.sItemInfo.CODE==(sinDA2|sin54) || sRecordItem.sItemInfo.CODE==(sinDA2|sin55) || // ¹ÚÀç¿ø - ¼ö¿µº¹ º¹Àå Ãß°¡
sRecordItem.sItemInfo.CODE==(sinDA1|sin60) || sRecordItem.sItemInfo.CODE==(sinDA1|sin61) || // À庰 - ±â¸ð³ë
sRecordItem.sItemInfo.CODE==(sinDA2|sin60) || sRecordItem.sItemInfo.CODE==(sinDA2|sin61) || // À庰 - ±â¸ð³ë
// À庰 - ¼Ò¿ï½ºÅæ µå¶ø ¾ÆÀÌÅÛµé
sRecordItem.sItemInfo.CODE == (sinOR2|sin36) ||
sRecordItem.sItemInfo.CODE == (sinOR2|sin37) ||
sRecordItem.sItemInfo.CODE == (sinOR2|sin38) ||
sRecordItem.sItemInfo.CODE == (sinOR2|sin39) ||
sRecordItem.sItemInfo.CODE == (sinOR2|sin40) ||
sRecordItem.sItemInfo.CODE == (sinOA1|sin39) ||
sRecordItem.sItemInfo.CODE == (sinOA1|sin40) ||
sRecordItem.sItemInfo.CODE == (sinOA1|sin41) ||
sRecordItem.sItemInfo.CODE == (sinOA1|sin42) ||
// À庰 - º¹³¯ À̺¥Æ® ¾Æ¹Ä·¿, ¸µ
sRecordItem.sItemInfo.CODE == (sinOA1|sin38) ||
sRecordItem.sItemInfo.CODE == (sinOR2|sin34) ||
sRecordItem.sItemInfo.CODE == (sinOR2|sin35) ||
// À庰 - ¿£Á© ½¯µå
sRecordItem.sItemInfo.CODE == (sinDS1|sin31) ||
sRecordItem.sItemInfo.CODE == (sinDS1|sin32) ||
sRecordItem.sItemInfo.CODE == (sinDS1|sin33)
// sRecordItem.sItemInfo.CODE==(sinBI1|sin99) ) // À庰 - â°í
)
{
memcpy( &sItem_Buff.sItemInfo , &sRecordItem.sItemInfo , sizeof( sITEMINFO ) );
// OverDay_Item_Delete( &sItem_Buff ); // ³¯Â¥°¡ Áö³¾ÆÀÌÅÛÀÌ »ç¶óÁø°ÍÀ» ¸Þ½ÃÁöâÀ¸·Î º¸¿©ÁØ´Ù
}
}
// if(pUsePotion->sItemInfo.PotionCount >=2){ //Æ÷¼ÇÀÇ ¼ö¸¦ ÁÙÀδÙ
/*
if ( sRecordItem.sItemInfo.CODE==(sinWS2|sin10) ) {
//À߸øµÈ Ä® ¼öÁ¤ ( ¼Óµµ 6->7 )
if ( sRecordItem.sItemInfo.Attack_Speed==6 ) {
sRecordItem.sItemInfo.Attack_Speed = 7;
//¾ÆÀÌÅÛ ÀÎÁõ ¹Þ±â
ReformItem( &sRecordItem.sItemInfo );
}
//Å©¸®Æ¼Äà 10->12
if ( sRecordItem.sItemInfo.Critical_Hit<10 ) {
sRecordItem.sItemInfo.Critical_Hit = 12;
//¾ÆÀÌÅÛ ÀÎÁõ ¹Þ±â
ReformItem( &sRecordItem.sItemInfo );
}
//ƯȰø°Ý¼Óµµ 2->1
if ( sRecordItem.sItemInfo.JobItem.Add_Attack_Speed==2 ) {
sRecordItem.sItemInfo.JobItem.Add_Attack_Speed = 1;
//¾ÆÀÌÅÛ ÀÎÁõ ¹Þ±â
ReformItem( &sRecordItem.sItemInfo );
}
//ƯȰø°Ý·Â 4 -> 5
if ( sRecordItem.sItemInfo.JobItem.Lev_Damage[1]==4 ) {
sRecordItem.sItemInfo.JobItem.Lev_Damage[1] = 5;
//¾ÆÀÌÅÛ ÀÎÁõ ¹Þ±â
ReformItem( &sRecordItem.sItemInfo );
}
}
if ( sRecordItem.sItemInfo.CODE==(sinWA1|sin08) ) {
//µµ³¢
//ƯȰø°Ý·Â 6 -> 5
if ( sRecordItem.sItemInfo.JobItem.Lev_Damage[1]==6 ) {
sRecordItem.sItemInfo.JobItem.Lev_Damage[1] = 5;
//¾ÆÀÌÅÛ ÀÎÁõ ¹Þ±â
ReformItem( &sRecordItem.sItemInfo );
}
}
if ( sRecordItem.sItemInfo.CODE==(sinWA1|sin10) ) {
//µµ³¢
//ƯȰø°Ý¼Óµµ 2->1 , 0->1
if ( sRecordItem.sItemInfo.JobItem.Add_Attack_Speed==0 || sRecordItem.sItemInfo.JobItem.Add_Attack_Speed==2 ) {
if ( sRecordItem.sItemInfo.JobCodeMask ) {
sRecordItem.sItemInfo.JobItem.Add_Attack_Speed = 1;
//¾ÆÀÌÅÛ ÀÎÁõ ¹Þ±â
ReformItem( &sRecordItem.sItemInfo );
}
}
if ( !sRecordItem.sItemInfo.JobCodeMask && sRecordItem.sItemInfo.JobItem.Add_Attack_Speed==1 ) {
sRecordItem.sItemInfo.JobItem.Add_Attack_Speed = 0;
//¾ÆÀÌÅÛ ÀÎÁõ ¹Þ±â
ReformItem( &sRecordItem.sItemInfo );
}
}
/////////////////////////////// 6¿ù5ÀÏ ///////////////////////////////
if ( sRecordItem.sItemInfo.CODE==(sinDS1|sin08) ) {
//ºí·¹ÀÌÁî ½¯µå
if ( sRecordItem.sItemInfo.JobCodeMask &&
sRecordItem.sItemInfo.JobItem.Add_fBlock_Rating==4 ) {
sRecordItem.sItemInfo.JobItem.Add_fBlock_Rating = 3;
//¾ÆÀÌÅÛ ÀÎÁõ ¹Þ±â
ReformItem( &sRecordItem.sItemInfo );
}
}
if ( sRecordItem.sItemInfo.CODE==(sinDS1|sin09) ) {
//Ŭ·¯ ½¯µå
if ( sRecordItem.sItemInfo.JobCodeMask ) {
if ( sRecordItem.sItemInfo.JobItem.Add_fBlock_Rating==4 ) {
sRecordItem.sItemInfo.JobItem.Add_fBlock_Rating = 3;
ReformItem( &sRecordItem.sItemInfo ); //¾ÆÀÌÅÛ ÀÎÁõ ¹Þ±â
}
if ( sRecordItem.sItemInfo.JobItem.Add_Defence>19 ) {
sRecordItem.sItemInfo.JobItem.Add_Defence = 19;
ReformItem( &sRecordItem.sItemInfo ); //¾ÆÀÌÅÛ ÀÎÁõ ¹Þ±â
}
}
}
if ( sRecordItem.sItemInfo.CODE==(sinDS1|sin10) ) {
//Ŭ·¯ ½¯µå
if ( sRecordItem.sItemInfo.JobCodeMask ) {
if ( sRecordItem.sItemInfo.JobItem.Add_fBlock_Rating==5 ) {
sRecordItem.sItemInfo.JobItem.Add_fBlock_Rating = 2;
ReformItem( &sRecordItem.sItemInfo ); //¾ÆÀÌÅÛ ÀÎÁõ ¹Þ±â
}
if ( sRecordItem.sItemInfo.JobItem.Add_Defence>20 ) {
sRecordItem.sItemInfo.JobItem.Add_Defence = 20;
ReformItem( &sRecordItem.sItemInfo ); //¾ÆÀÌÅÛ ÀÎÁõ ¹Þ±â
}
}
if ( sRecordItem.sItemInfo.fBlock_Rating>19 ) {
sRecordItem.sItemInfo.fBlock_Rating = 19;
ReformItem( &sRecordItem.sItemInfo ); //¾ÆÀÌÅÛ ÀÎÁõ ¹Þ±â
}
}
if ( sRecordItem.sItemInfo.CODE==(sinWA1|sin06) ) {
//¹èÆ®¿¢½º
if ( !sRecordItem.sItemInfo.ItemKindCode ) {
if ( sRecordItem.sItemInfo.Damage[0]>8 ) {
sRecordItem.sItemInfo.Damage[0]=8;
ReformItem( &sRecordItem.sItemInfo ); //¾ÆÀÌÅÛ ÀÎÁõ ¹Þ±â
}
}
}
*/
//CheckCopyItem( &sRecordItem.sItemInfo ); //º¹»ç ¶Ç´Â ºÒ·®¾ÆÀÌÅÛ °Ë»ç
/*
dwCode = (sRecordItem.sItemInfo.ItemHeader.Head>>2)^(sRecordItem.sItemInfo.ItemHeader.dwChkSum<<2);
if ( !sRecordItem.sItemInfo.ItemHeader.dwTime ) {
//ÄÚµå À§Àå
sRecordItem.sItemInfo.ItemHeader.dwTime = dwCode;
lpsItemInfo = &sRecordItem.sItemInfo;
ReformItemCount ++;
}
if ( sRecordItem.sItemInfo.ItemHeader.dwTime==dwCode ) {
//ÀçÀÎÁõ ½Ãµµ
lpsItemInfo = &sRecordItem.sItemInfo;
ReformItemCount ++;
}
*/
if ( SetFlag ) {
//¹°¾àÀÌ ¾Æ´Ñ ¾ÆÀÌÅÛ ¸¸ °Ë»ç
if ( dwItemCode!=sinPM1 && dwItemCode!=sinPL1 && dwItemCode!=sinPS1 ) {
for( cnt3=0;cnt3<ChkCnt;cnt3++ ) {
/*
if ( sRecordItem.sItemInfo.CODE==lpChkItem[cnt3]->sItemInfo.CODE &&
sRecordItem.sItemInfo.ItemHeader.Head==lpChkItem[cnt3]->sItemInfo.ItemHeader.Head &&
sRecordItem.sItemInfo.ItemHeader.dwChkSum==lpChkItem[cnt3]->sItemInfo.ItemHeader.dwChkSum ) {
*/
//¾ÆÀÌÅÛ 2°³¸¦ ºñ±³ÇÑ´Ù
if ( sRecordItem.sItemInfo.ItemName[0] && CompareItems( &sRecordItem.sItemInfo , &lpChkItem[cnt3]->sItemInfo )==TRUE ) {
CopyItemCount++;
break;
}
}
}
else {
cnt3 = ChkCnt;
}
//2Â÷ º¸¾È °ª
if ( !sRecordItem.sItemInfo.Temp0 )
sRecordItem.sItemInfo.Temp0 = sRecordItem.sItemInfo.ItemHeader.dwChkSum+sRecordItem.sItemInfo.CODE;
if ( cnt3>=ChkCnt ) {
if ( cnt<TransRecordData.ItemSubStart )
lpSaveItem = &lpItems[sRecordItem.ItemCount];
else
lpSaveItem = &lpItems2[sRecordItem.ItemCount];
if( sRecordItem.ItemPosition==-1 ) {
//¸¶¿ì½º¿¡ µé°í ÀÖ´Â ¾ÆÀÌÅÛ
if ( lpMouseItem )
lpSaveItem = lpMouseItem;
else
lpSaveItem = &lpItems2[INVENTORY_MAXITEM-1];
sRecordItem.ItemPosition = 0;
}
lpSaveItem->x = sRecordItem.x;
lpSaveItem->y = sRecordItem.y;
lpSaveItem->ItemPosition = sRecordItem.ItemPosition;
lpSaveItem->Flag = TRUE;
memcpy( &lpSaveItem->sItemInfo, &sRecordItem.sItemInfo , sizeof( sITEMINFO ) );
if ( dwItemCode!=sinPM1 && dwItemCode!=sinPL1 && dwItemCode!=sinPS1 )
lpChkItem[ChkCnt++] = lpSaveItem;
}
/*
if ( ReformItemCount<5 && lpsItemInfo ) {
//if ( ReformItemCount<100 && lpsItemInfo ) {
//¾ÆÀÌÅÛÀ» ¼¹ö¿¡ º¸³»¼ È®ÀÎ
if ( lpsItemInfo->ItemName[0] ) {
dwLastCheckItemTime = 0;
SendCheckItemToServer( lpsItemInfo );
}
}
*/
}
lpRecItem += ((int *)lpRecItem)[0];
}
//°ÔÀÓ ÁøÇà µ¥ÀÌŸ ±â·Ï
RestoreGameData( &TransRecordData.GameSaveInfo );
//ÀúÀå ¾ÈµÈ µ· º¹±¸
if ( TransRecordData.GameSaveInfo.LastMoeny>0 ) {
CheckCharForm(); //ij¸¯ÅÍ Á¤º¸ ÀÎÁõ È®ÀÎ
lpCharInfo->Money = TransRecordData.GameSaveInfo.LastMoeny-1;
ReformCharForm(); //ij¸¯ÅÍ Á¤º¸ ÀÎÁõ ¹Þ±â
}
/*
//º¸À¯ÇÒ¼ö Àִµ·
cnt = lpCharInfo->Level*5-40;
if ( cnt<10 ) cnt=10;
cnt *= 10000;
if ( lpCharInfo->Money>cnt ) {
SendSetHackUser2( 1960, lpCharInfo->Money ); //µ· Çѵµ Ãʰú
CheckCharForm(); //ij¸¯ÅÍ Á¤º¸ ÀÎÁõ È®ÀÎ
lpCharInfo->Money = cnt;
ReformCharForm(); //ij¸¯ÅÍ Á¤º¸ ÀÎÁõ ¹Þ±â
SendSaveMoney();
}
*/
if ( CopyItemCount ) {
//º¹»ç ¾ÆÀÌÅÛÀ» ¼ÒÁöÇÑ »ç¶÷ ½Å°í
SendCopyItemUser( CopyItemCount );
}
if ( BadItemCount ) {
//±ÝÁöµÈ ¾ÆÀÌÅÛÀ» ¼ÒÁöÇÑ »ç¶÷ ½Å°í
SendCopyItemUser( BadItemCount+10000 );
}
if ( PostionError ) {
PostionError += 10000;
SendSetHackUser2( 1900,PostionError ); //¹«°è¿À·ù¿¡ °ªÀ» »ðÀÔ
SendSetHackUser2( 99,0 ); //¹«°è¿À·ù¿¡ °ªÀ» »ðÀÔ
}
if ( SvrPotionError ) {
SvrPotionError += 20000;
SendSetHackUser2( 1900,SvrPotionError ); //¹«°è¿À·ù¿¡ °ªÀ» »ðÀÔ
SendSetHackUser2( 99,0 ); //¹«°è¿À·ù¿¡ °ªÀ» »ðÀÔ
}
//UnlockResource( hResource );
CheckCharForm();
cInvenTory.LoadItemInfo();
CheckCharForm();
//½ºÅ³ º¹±¸
RestoreSkill( &TransRecordData.GameSaveInfo.SkillInfo , TransRecordData.GameSaveInfo.dwLevelQuestLog );
//±âº»°ø°Ý ´ÜÃà±â º¹±¸
sinSkill.UseSkill[0].ShortKey = TransRecordData.GameSaveInfo.ShortKey_NormalAttack&0xF;
sinSkill.UseSkill[0].MousePosi = TransRecordData.GameSaveInfo.ShortKey_NormalAttack>>4;
// ¹ÚÀç¿ø - ºÎ½ºÅÍ ¾ÆÀÌÅÛ(»ý¸í·Â) º¹±¸
if ( TransRecordData.GameSaveInfo.wLifeBoosterUsing[0] && TransRecordData.GameSaveInfo.wLifeBoosterUsing[1] ) {
cSkill.SetBoosterItem( sinBC1+TransRecordData.GameSaveInfo.wLifeBoosterUsing[0] , TransRecordData.GameSaveInfo.wLifeBoosterUsing[1]*60 );
lpCurPlayer->dwLifeBoosterCode = sinBC1+TransRecordData.GameSaveInfo.wLifeBoosterUsing[0]; // ºÎ½ºÅÍ Àû¿ë ÄÚµå
lpCurPlayer->dwLifeBoosterTime = dwPlayTime + (DWORD)TransRecordData.GameSaveInfo.wLifeBoosterUsing[1]*1000; // ºÎ½ºÅÍ »ç¿ë ÈÄ ³²Àº ½Ã°£ º¹±¸
}
// ¹ÚÀç¿ø - ºÎ½ºÅÍ ¾ÆÀÌÅÛ(±â·Â) º¹±¸
if ( TransRecordData.GameSaveInfo.wManaBoosterUsing[0] && TransRecordData.GameSaveInfo.wManaBoosterUsing[1] ) {
cSkill.SetBoosterItem( sinBC1+TransRecordData.GameSaveInfo.wManaBoosterUsing[0] , TransRecordData.GameSaveInfo.wManaBoosterUsing[1]*60 );
lpCurPlayer->dwManaBoosterCode = sinBC1+TransRecordData.GameSaveInfo.wManaBoosterUsing[0]; // ºÎ½ºÅÍ Àû¿ë ÄÚµå
lpCurPlayer->dwManaBoosterTime = dwPlayTime + (DWORD)TransRecordData.GameSaveInfo.wManaBoosterUsing[1]*1000; // ºÎ½ºÅÍ »ç¿ë ÈÄ ³²Àº ½Ã°£ º¹±¸
}
// ¹ÚÀç¿ø - ºÎ½ºÅÍ ¾ÆÀÌÅÛ(±Ù·Â) º¹±¸
if ( TransRecordData.GameSaveInfo.wStaminaBoosterUsing[0] && TransRecordData.GameSaveInfo.wStaminaBoosterUsing[1] ) {
cSkill.SetBoosterItem( sinBC1+TransRecordData.GameSaveInfo.wStaminaBoosterUsing[0] , TransRecordData.GameSaveInfo.wStaminaBoosterUsing[1]*60 );
lpCurPlayer->dwStaminaBoosterCode = sinBC1+TransRecordData.GameSaveInfo.wStaminaBoosterUsing[0]; // ºÎ½ºÅÍ Àû¿ë ÄÚµå
lpCurPlayer->dwStaminaBoosterTime = dwPlayTime + (DWORD)TransRecordData.GameSaveInfo.wStaminaBoosterUsing[1]*1000; // ºÎ½ºÅÍ »ç¿ë ÈÄ ³²Àº ½Ã°£ º¹±¸
}
// À庰 - ½ºÅ³ µô·¹ÀÌ
if ( TransRecordData.GameSaveInfo.wSkillDelayUsing[0] && TransRecordData.GameSaveInfo.wSkillDelayUsing[1] ) {
cSkill.SetSkillDelayItem( sinBC1+TransRecordData.GameSaveInfo.wSkillDelayUsing[0] , TransRecordData.GameSaveInfo.wSkillDelayUsing[1]*60 );
lpCurPlayer->dwSkillDelayCode = sinBC1+TransRecordData.GameSaveInfo.wSkillDelayUsing[0];
lpCurPlayer->dwSkillDelayTime = dwPlayTime + (DWORD)TransRecordData.GameSaveInfo.wSkillDelayUsing[1]*1000;
}
//Æ÷½º ¿Àºê º¹±¸
if ( TransRecordData.GameSaveInfo.wForceOrbUsing[0] && TransRecordData.GameSaveInfo.wForceOrbUsing[1] ) {
// ¹ÚÀç¿ø - ºô¸µ ¸ÅÁ÷ Æ÷½º Ãß°¡
if( TransRecordData.GameSaveInfo.wForceOrbUsing[0]>=sin01 && TransRecordData.GameSaveInfo.wForceOrbUsing[0]<=sin12 ) // ÀÏ¹Ý Æ÷½º
{
cInvenTory.SetForceOrb( sinFO1+TransRecordData.GameSaveInfo.wForceOrbUsing[0] , TransRecordData.GameSaveInfo.wForceOrbUsing[1] );
}
else if( TransRecordData.GameSaveInfo.wForceOrbUsing[0]>=sin21 && TransRecordData.GameSaveInfo.wForceOrbUsing[0]<=sin32 ) // ¸ÅÁ÷ Æ÷½º
{
cInvenTory.SetMagicForceOrb( sinFO1+TransRecordData.GameSaveInfo.wForceOrbUsing[0] , TransRecordData.GameSaveInfo.wForceOrbUsing[1] );
}
else if( TransRecordData.GameSaveInfo.wForceOrbUsing[0]>=sin35 && TransRecordData.GameSaveInfo.wForceOrbUsing[0]<=sin37 ) // ºô¸µ ¸ÅÁ÷ Æ÷½º
{
cInvenTory.SetBillingMagicForceOrb( sinFO1+TransRecordData.GameSaveInfo.wForceOrbUsing[0] , TransRecordData.GameSaveInfo.wForceOrbUsing[1] );
}
lpCurPlayer->dwForceOrbCode = sinFO1+TransRecordData.GameSaveInfo.wForceOrbUsing[0]; //Æ÷½º¿Àºê Àû¿ë ÄÚµå
lpCurPlayer->dwForceOrbTime = dwPlayTime + (DWORD)TransRecordData.GameSaveInfo.wForceOrbUsing[1]*1000;
AssaParticle_ShelltomWeapon( lpCurPlayer , (DWORD)TransRecordData.GameSaveInfo.wForceOrbUsing[1]*70, ((TransRecordData.GameSaveInfo.wForceOrbUsing[0])>>8)-1 );
}
//ÇÁ¸®¹Ì¾ö ¾ÆÀÌÅÛ »ç¿ë½Ã°£ Ç¥½Ã
int PrimeItem_Time;
if ( TransRecordData.GameSaveInfo.dwTime_PrimeItem_X2 ) {
PrimeItem_Time = TransRecordData.GameSaveInfo.dwTime_PrimeItem_X2-GetPlayTime_T();
if ( PrimeItem_Time>0 ){
chaPremiumitem.SetThirdEyesTime( PrimeItem_Time );
switch( TransRecordData.GameSaveInfo.dwPrimeItem_PackageCode){
case PRIME_ITEM_PACKAGE_NONE:
chaPremiumitem.SetUpKeepItem(nsPremiumItem::THIRD_EYES,chaPremiumitem.m_ThirdEyesTime,true,UpKeepItemName[0],50);
break;
case PRIME_ITEM_PACKAGE_BRONZE:
chaPremiumitem.SetUpKeepItem(nsPremiumItem::THIRD_EYES,chaPremiumitem.m_ThirdEyesTime,true,UpKeepItemName[0],20);
break;
case PRIME_ITEM_PACKAGE_SILVER:
chaPremiumitem.SetUpKeepItem(nsPremiumItem::THIRD_EYES,chaPremiumitem.m_ThirdEyesTime,true,UpKeepItemName[0],30);
break;
case PRIME_ITEM_PACKAGE_GOLD:
chaPremiumitem.SetUpKeepItem(nsPremiumItem::THIRD_EYES,chaPremiumitem.m_ThirdEyesTime,true,UpKeepItemName[0],40);
break;
case PRIME_ITEM_PACKAGE_ULTRA: // pluto ½´Æä¸®¾î ÆÐŰÁö
chaPremiumitem.SetUpKeepItem(nsPremiumItem::THIRD_EYES,chaPremiumitem.m_ThirdEyesTime,true,UpKeepItemName[0],50);
break;
default: // ¹ÚÀç¿ø - °æÇèÄ¡Áõ°¡ Æ÷¼Ç(50%)¾ÆÀÌÅÛ°ú Áߺ¹ »ç¿ëÇÒ °æ¿ì(PRIME_ITEM_PACKAGE_NONE_50_EXPUP , PRIME_ITEM_PACKAGE_NONE_100_EXPUP)
chaPremiumitem.SetUpKeepItem(nsPremiumItem::THIRD_EYES,chaPremiumitem.m_ThirdEyesTime,true,UpKeepItemName[0],50);
break;
}
}
}
if ( TransRecordData.GameSaveInfo.dwTime_PrimeItem_ExpUp ) {
PrimeItem_Time = TransRecordData.GameSaveInfo.dwTime_PrimeItem_ExpUp-GetPlayTime_T();
if ( PrimeItem_Time>0 ){
chaPremiumitem.SetExpUpPotionTime( PrimeItem_Time );
switch( TransRecordData.GameSaveInfo.dwPrimeItem_PackageCode){
case PRIME_ITEM_PACKAGE_NONE:
chaPremiumitem.SetUpKeepItem(nsPremiumItem::EXPUP_POTION,chaPremiumitem.m_ExpUpPotionTime,true,UpKeepItemName[1],30);
break;
case PRIME_ITEM_PACKAGE_BRONZE:
chaPremiumitem.SetUpKeepItem(nsPremiumItem::EXPUP_POTION,chaPremiumitem.m_ExpUpPotionTime,true,UpKeepItemName[1],10);
break;
case PRIME_ITEM_PACKAGE_SILVER:
chaPremiumitem.SetUpKeepItem(nsPremiumItem::EXPUP_POTION,chaPremiumitem.m_ExpUpPotionTime,true,UpKeepItemName[1],20);
break;
case PRIME_ITEM_PACKAGE_GOLD:
chaPremiumitem.SetUpKeepItem(nsPremiumItem::EXPUP_POTION,chaPremiumitem.m_ExpUpPotionTime,true,UpKeepItemName[1],30);
break;
#ifdef _LANGUAGE_VEITNAM
case PRIME_ITEM_PACKAGE_ULTRA: //º£Æ®³²¿äû
chaPremiumitem.SetUpKeepItem(nsPremiumItem::EXPUP_POTION, chaPremiumitem.m_ExpUpPotionTime,true,UpKeepItemName[1],50);
break;
#else
case PRIME_ITEM_PACKAGE_ULTRA:
chaPremiumitem.SetUpKeepItem(nsPremiumItem::EXPUP_POTION, chaPremiumitem.m_ExpUpPotionTime,true,UpKeepItemName[1],40);
break;
#endif
case PRIME_ITEM_PACKAGE_BRONZE2: // pluto ºê·ÐÁî ÆÐŰÁö2
chaPremiumitem.SetUpKeepItem(nsPremiumItem::EXPUP_POTION,chaPremiumitem.m_ExpUpPotionTime,true,UpKeepItemName[1],10);
break;
case PRIME_ITEM_PACKAGE_SILVER2: // pluto ½Ç¹ö ÆÐŰÁö2
chaPremiumitem.SetUpKeepItem(nsPremiumItem::EXPUP_POTION,chaPremiumitem.m_ExpUpPotionTime,true,UpKeepItemName[1],20);
break;
case PRIME_ITEM_PACKAGE_GOLD2: // pluto °ñµå ÆÐŰÁö2
chaPremiumitem.SetUpKeepItem(nsPremiumItem::EXPUP_POTION,chaPremiumitem.m_ExpUpPotionTime,true,UpKeepItemName[1],30);
break;
case PRIME_ITEM_PACKAGE_ULTRA2: // pluto ½´Æä¸®¾î ÆÐŰÁö2
chaPremiumitem.SetUpKeepItem(nsPremiumItem::EXPUP_POTION, chaPremiumitem.m_ExpUpPotionTime,true,UpKeepItemName[1],40);
break;
case PRIME_ITEM_PACKAGE_NONE_50_EXPUP: // ¹ÚÀç¿ø - °æÇèÄ¡Áõ°¡ Æ÷¼Ç(50%) ¾ÆÀÌÅÛ Àü¿ë
chaPremiumitem.SetUpKeepItem(nsPremiumItem::EXPUP_POTION, chaPremiumitem.m_ExpUpPotionTime,true,UpKeepItemName[1],50);
break;
case PRIME_ITEM_PACKAGE_NONE_100_EXPUP: // ¹ÚÀç¿ø - °æÇèÄ¡Áõ°¡ Æ÷¼Ç(100%) ¾ÆÀÌÅÛ Àü¿ë
chaPremiumitem.SetUpKeepItem(nsPremiumItem::EXPUP_POTION, chaPremiumitem.m_ExpUpPotionTime,true,UpKeepItemName[1],100);
break;
}
}
}
if ( TransRecordData.GameSaveInfo.dwTime_PrimeItem_VampCuspid ) {
PrimeItem_Time = TransRecordData.GameSaveInfo.dwTime_PrimeItem_VampCuspid-GetPlayTime_T();
if ( PrimeItem_Time>0 ){
chaPremiumitem.SetVampiricCuspidTime( PrimeItem_Time );
chaPremiumitem.SetUpKeepItem(nsPremiumItem::VAMPIRIC_CUS,chaPremiumitem.m_VampiricCuspidTime,true,UpKeepItemName[2]);
}
}
if ( TransRecordData.GameSaveInfo.dwTime_PrimeItem_ManaRecharg ) {
PrimeItem_Time = TransRecordData.GameSaveInfo.dwTime_PrimeItem_ManaRecharg-GetPlayTime_T();
if ( PrimeItem_Time>0 ){
chaPremiumitem.SetManaRechargingPTime( PrimeItem_Time );
chaPremiumitem.SetUpKeepItem(nsPremiumItem::MANA_RECHAR_P,chaPremiumitem.m_ManaRechargingPTime,true,UpKeepItemName[3]);
}
}
// À庰 - ¹ìÇǸ¯ Ä¿½ºÇÍ EX
if ( TransRecordData.GameSaveInfo.dwTime_PrimeItem_VampCuspid_EX ) {
PrimeItem_Time = TransRecordData.GameSaveInfo.dwTime_PrimeItem_VampCuspid_EX-GetPlayTime_T();
if ( PrimeItem_Time>0 ){
chaPremiumitem.SetVampiricCuspidEXTime( PrimeItem_Time );
chaPremiumitem.SetUpKeepItem(nsPremiumItem::VAMPIRIC_CUS_EX,chaPremiumitem.m_VampiricCuspidEXTime,true,UpKeepItemName[11]);
}
}
/*
if (TransRecordData.GameSaveInfo.dwPrimeItem_PackageCode ) {
PrimeItem_Time = TransRecordData.GameSaveInfo.dwPrimeItem_PackageCode - GetPlayTime_T();
if( PrimeItem_Time < 0 ){
chaPremiumitem.SetThirdEyesTime( PrimeItem_Time );
chaPremiumitem.SetUpKeepItem(nsPremiumItem::THIRD_EYES,chaPremiumitem.m_ThirdEyesTime,true,UpKeepItemName[0]);
chaPremiumitem.SetExpUpPotionTime( PrimeItem_Time );
chaPremiumitem.SetUpKeepItem(nsPremiumItem::EXPUP_POTION,chaPremiumitem.m_ExpUpPotionTime,true,UpKeepItemName[1]);
}
}
*/
// pluto ¸¶³ª ¸®µà½º Æ÷¼Ç
if( TransRecordData.GameSaveInfo.dwTime_PrimeItem_ManaReduce )
{
PrimeItem_Time = TransRecordData.GameSaveInfo.dwTime_PrimeItem_ManaReduce-GetPlayTime_T();
if( PrimeItem_Time > 0 )
{
chaPremiumitem.SetManaReducePotionTime( PrimeItem_Time );
switch( TransRecordData.GameSaveInfo.dwPrimeItem_PackageCode )
{
case PRIME_ITEM_PACKAGE_NONE:
chaPremiumitem.SetManaReducePotionValue( 30 ); // pluto ¸¶³ª ¸®µà½º Æ÷¼Ç 30% °¨¼Ò
chaPremiumitem.SetUpKeepItem( nsPremiumItem::MANA_REDUCE_P, chaPremiumitem.m_ManaReducePotiontime, true, UpKeepItemName[5], 30);
break;
case PRIME_ITEM_PACKAGE_BRONZE2:
chaPremiumitem.SetManaReducePotionValue( 10 ); // pluto ¸¶³ª ¸®µà½º Æ÷¼Ç 10% °¨¼Ò
chaPremiumitem.SetUpKeepItem( nsPremiumItem::MANA_REDUCE_P, chaPremiumitem.m_ManaReducePotiontime, true, UpKeepItemName[5], 10);
break;
case PRIME_ITEM_PACKAGE_SILVER2:
chaPremiumitem.SetManaReducePotionValue( 20 ); // pluto ¸¶³ª ¸®µà½º Æ÷¼Ç 20% °¨¼Ò
chaPremiumitem.SetUpKeepItem( nsPremiumItem::MANA_REDUCE_P, chaPremiumitem.m_ManaReducePotiontime, true, UpKeepItemName[5], 20);
break;
case PRIME_ITEM_PACKAGE_GOLD2:
chaPremiumitem.SetManaReducePotionValue( 30 ); // pluto ¸¶³ª ¸®µà½º Æ÷¼Ç 30% °¨¼Ò
chaPremiumitem.SetUpKeepItem( nsPremiumItem::MANA_REDUCE_P, chaPremiumitem.m_ManaReducePotiontime, true, UpKeepItemName[5], 30);
break;
case PRIME_ITEM_PACKAGE_ULTRA2:
chaPremiumitem.SetManaReducePotionValue( 40 ); // pluto ¸¶³ª ¸®µà½º Æ÷¼Ç 40% °¨¼Ò
chaPremiumitem.SetUpKeepItem( nsPremiumItem::MANA_REDUCE_P, chaPremiumitem.m_ManaReducePotiontime, true, UpKeepItemName[5], 40);
break;
default: // ¶«»§
chaPremiumitem.SetManaReducePotionValue( 30 ); // pluto ¸¶³ª ¸®µà½º Æ÷¼Ç 30% °¨¼Ò
chaPremiumitem.SetUpKeepItem( nsPremiumItem::MANA_REDUCE_P, chaPremiumitem.m_ManaReducePotiontime, true, UpKeepItemName[5], 30);
break;
}
}
}
// pluto ¸¶ÀÌÆ® ¿Àºê ¾ÆÀ£
if( TransRecordData.GameSaveInfo.dwTime_PrimeItem_MightofAwell )
{
PrimeItem_Time = TransRecordData.GameSaveInfo.dwTime_PrimeItem_MightofAwell-GetPlayTime_T();
if( PrimeItem_Time > 0 )
{
chaPremiumitem.SetMightOfAwellTime( PrimeItem_Time );
chaPremiumitem.SetMightOfAwellWeight( 300 );
chaPremiumitem.SetUpKeepItem( nsPremiumItem::MIGHT_OF_AWELL, chaPremiumitem.m_MightofAwellTime, true, UpKeepItemName[4], 300);
//switch( TransRecordData.GameSaveInfo.dwPrimeItem_PackageCode )
//{
// case PRIME_ITEM_PACKAGE_NONE:
// chaPremiumitem.SetUpKeepItem( nsPremiumItem::MIGHT_OF_AWELL, chaPremiumitem.m_MightofAwellTime, true, UpKeepItemName[4], 20);
// break;
// case PRIME_ITEM_PACKAGE_BRONZE2:
// chaPremiumitem.SetUpKeepItem( nsPremiumItem::MIGHT_OF_AWELL, chaPremiumitem.m_MightofAwellTime, true, UpKeepItemName[4], 10);
// break;
// case PRIME_ITEM_PACKAGE_SILVER2:
// chaPremiumitem.SetUpKeepItem( nsPremiumItem::MIGHT_OF_AWELL, chaPremiumitem.m_MightofAwellTime, true, UpKeepItemName[4], 20);
// break;
// case PRIME_ITEM_PACKAGE_GOLD2:
// chaPremiumitem.SetUpKeepItem( nsPremiumItem::MIGHT_OF_AWELL, chaPremiumitem.m_MightofAwellTime, true, UpKeepItemName[4], 30);
// break;
// case PRIME_ITEM_PACKAGE_ULTRA2:
// chaPremiumitem.SetUpKeepItem( nsPremiumItem::MIGHT_OF_AWELL, chaPremiumitem.m_MightofAwellTime, true, UpKeepItemName[4], 40);
// break;
//}
}
}
// pluto ¸¶ÀÌÆ® ¿Àºê ¾ÆÀ£2
if( TransRecordData.GameSaveInfo.dwTime_PrimeItem_MightofAwell2 )
{
PrimeItem_Time = TransRecordData.GameSaveInfo.dwTime_PrimeItem_MightofAwell2-GetPlayTime_T();
if( PrimeItem_Time > 0 )
{
chaPremiumitem.SetMightOfAwellTime( PrimeItem_Time );
chaPremiumitem.SetMightOfAwellWeight( 500 );
chaPremiumitem.SetUpKeepItem( nsPremiumItem::MIGHT_OF_AWELL, chaPremiumitem.m_MightofAwellTime, true, UpKeepItemName[4], 500);
//switch( TransRecordData.GameSaveInfo.dwPrimeItem_PackageCode )
//{
// case PRIME_ITEM_PACKAGE_NONE:
// chaPremiumitem.SetUpKeepItem( nsPremiumItem::MIGHT_OF_AWELL, chaPremiumitem.m_MightofAwellTime, true, UpKeepItemName[4], 20);
// break;
// case PRIME_ITEM_PACKAGE_BRONZE2:
// chaPremiumitem.SetUpKeepItem( nsPremiumItem::MIGHT_OF_AWELL, chaPremiumitem.m_MightofAwellTime, true, UpKeepItemName[4], 10);
// break;
// case PRIME_ITEM_PACKAGE_SILVER2:
// chaPremiumitem.SetUpKeepItem( nsPremiumItem::MIGHT_OF_AWELL, chaPremiumitem.m_MightofAwellTime, true, UpKeepItemName[4], 20);
// break;
// case PRIME_ITEM_PACKAGE_GOLD2:
// chaPremiumitem.SetUpKeepItem( nsPremiumItem::MIGHT_OF_AWELL, chaPremiumitem.m_MightofAwellTime, true, UpKeepItemName[4], 30);
// break;
// case PRIME_ITEM_PACKAGE_ULTRA2:
// chaPremiumitem.SetUpKeepItem( nsPremiumItem::MIGHT_OF_AWELL, chaPremiumitem.m_MightofAwellTime, true, UpKeepItemName[4], 40);
// break;
//}
}
}
// pluto Æê(ÇØ¿Ü)
if( TransRecordData.GameSaveInfo.dwTime_PrimeItem_PhenixPet )
{
PrimeItem_Time = TransRecordData.GameSaveInfo.dwTime_PrimeItem_PhenixPet-GetPlayTime_T();
if( PrimeItem_Time > 0 )
{
chaPremiumitem.SetPhenixPetTime( PrimeItem_Time );
chaPremiumitem.SetUpKeepItem( nsPremiumItem::PHENIX_PET, chaPremiumitem.m_PhenixPetTime, true, UpKeepItemName[6], 500);
cPCBANGPet.PetKind = TRUE;
cPCBANGPet.ShowPet();
}
else if( PrimeItem_Time < 0 )
{
lpCharInfo->GravityScroolCheck[1] = 0;
cPCBANGPet.ClosePet();
}
}
// ¹ÚÀç¿ø - ºô¸µ µµ¿ì¹Ì Æê Ãß°¡
if( TransRecordData.GameSaveInfo.dwTime_PrimeItem_HelpPet )
{
PrimeItem_Time = TransRecordData.GameSaveInfo.dwTime_PrimeItem_HelpPet-GetPlayTime_T();
if( PrimeItem_Time > 0 )
{
chaPremiumitem.SetHelpPetTimeTime( PrimeItem_Time );
chaPremiumitem.SetUpKeepItem( cHelpPet.PetKind+7, chaPremiumitem.m_HelpPetTime, true, UpKeepItemName[cHelpPet.PetKind+6], 500);
// chaPremiumitem.SetUpKeepItem( nsPremiumItem::HELP_PET, chaPremiumitem.m_HelpPetTime, true, UpKeepItemName[6], 500);
for( int m = 0 ; m < SINUPKEEPITEM_MAX ; m++ )
{
if(chaPremiumitem.UpKeepItem[m].TGAImageNumber == nsPremiumItem::HELP_PET_TERRY)
{
lpCharInfo->GravityScroolCheck[1] = 1;
}
}
cHelpPet.ShowPet();
}
else if( PrimeItem_Time < 0 )
{
lpCharInfo->GravityScroolCheck[1] = 0;
cHelpPet.ClosePet();
}
}
else
{
lpCharInfo->GravityScroolCheck[1] = 0;
cHelpPet.ClosePet(); // ¹ÚÀç¿ø - µµ¿ì¹Ì Æê Àç»ç¿ë ¿À·ù ¼öÁ¤
}
// ¹ÚÀç¿ø - ±Ù·Â ¸®µà½º Æ÷¼Ç
if( TransRecordData.GameSaveInfo.dwTime_PrimeItem_StaminaReduce )
{
PrimeItem_Time = TransRecordData.GameSaveInfo.dwTime_PrimeItem_StaminaReduce-GetPlayTime_T();
if( PrimeItem_Time > 0 )
{
chaPremiumitem.SetStaminaReducePotionTime( PrimeItem_Time );
chaPremiumitem.SetStaminaReducePotionValue( 30 ); // ¹ÚÀç¿ø - ±Ù·Â ¸®µà½º Æ÷¼Ç 30% °¨¼Ò
chaPremiumitem.SetUpKeepItem( nsPremiumItem::STAMINA_REDUCE_P, chaPremiumitem.m_StaminaReducePotiontime, true, UpKeepItemName[12], 30);
}
}
return TRUE;
}
//ÀúÀåÇÒ µ¥ÀÌŸ¸¦ ºÐÇÒÇÏ¿© ¼¹ö·Î Àü¼Û
int rsRECORD_DBASE::SendRecordDataToServer( smWINSOCK *lpsmSock )
{
int cnt;
int PartTotal;
char *lpData;
int TotalLen;
int len;
TRANS_RECORD_DATAS TransRecord;
TRANS_RECORD_DATA *lpTransRecord;
lpTransRecord = &TransRecordData;
lpData = (char *)lpTransRecord;
cnt = 0;
TotalLen = 0;
PartTotal = lpTransRecord->size / TRANS_RECORD_LEN;
if ( (lpTransRecord->size%TRANS_RECORD_LEN)!=0 ) {
if ( lpTransRecord->size>TRANS_RECORD_LEN )
PartTotal++;
}
while(1) {
len = lpTransRecord->size - TotalLen;
if ( len>TRANS_RECORD_LEN ) len = TRANS_RECORD_LEN;
TransRecord.code = smTRANSCODE_RECORDDATA;
TransRecord.size = len+32;
TransRecord.Count = cnt;
TransRecord.Total = PartTotal;
TransRecord.TransSize = len;
memcpy( TransRecord.szData , &lpData[TotalLen] , len );
lpsmSock->Send2( (char *)&TransRecord , TransRecord.size , TRUE );
cnt++;
TotalLen+=len;
if ( TotalLen>=lpTransRecord->size ) break;
}
return TRUE;
}
//µ· ±â·Ï ÆÄÀÏ·Î ³²±è
extern int RecordHackLogMoney( smCHAR_INFO *lpCharInfo );
//ÀúÀåÇÒ µ¥ÀÌŸ¸¦ ºÐÇÒÇÏ¿© Ŭ¶óÀÌ¾ðÆ®·Î Àü¼Û
int rsRECORD_DBASE::SendRecordDataToClient( rsPLAYINFO *lpPlayInfo , char *szName , smWINSOCK *lpsmSock , int Mode )
{
int cnt;
int PartTotal;
char *lpData;
int TotalLen;
int len;
char szFile[256];
FILE *fp;
INT64 exp64;
smTRANS_COMMAND smTransCommand;
TRANS_RECORD_DATAS TransRecord;
TRANS_RECORD_DATA *lpTransRecord;
lpData = (char *)&TransRecordData;
lpTransRecord = &TransRecordData;
switch( Mode ) {
case 0:
//ÆÄÀϺҷ¯¿À±â
GetUserDataFile( szName , szFile );
break;
case 1:
//Áö¿îÆÄÀÏ ºÒ·¯¿À±â
GetDeleteDataFile( szName , szFile );
break;
case 2:
//¹é¾÷ÆÄÀÏ ºÒ·¯¿À±â
GetUserDataBackupFile( szName , szFile );
break;
}
if ( Mode>1000 ) {
//20020912
GetUserDataFile_BackupDay( szName , szFile , Mode );
WIN32_FIND_DATA ffd;
HANDLE hFind;
hFind = FindFirstFile( szFile , &ffd );
if ( hFind==INVALID_HANDLE_VALUE ) return FALSE;
FindClose( hFind );
}
/*
if ( Mode==TRUE ) {
//Áö¿îÆÄÀÏ ºÒ·¯¿À±â
GetDeleteDataFile( szName , szFile );
}
else {
//ÆÄÀϺҷ¯¿À±â
GetUserDataFile( szName , szFile );
}
*/
if ( sRecDataBuff ) EnterCriticalSection( &cSaveDataSection );
//ÀúÀå ´ë±âÁßÀÎ µ¥ÀÌŸ ÀÖ´ÂÁö È®ÀÎ
if ( CheckRecWaitData( szName )==TRUE ) return FALSE;
lpTransRecord->code = 0;
lpTransRecord->size = 0;
fp = fopen( szFile , "rb" );
if ( fp ) {
fread( lpTransRecord , sizeof(TRANS_RECORD_DATA) , 1, fp );
fclose( fp );
}
else {
if ( sRecDataBuff ) LeaveCriticalSection( &cSaveDataSection );
return FALSE;
}
if ( sRecDataBuff ) LeaveCriticalSection( &cSaveDataSection );
if ( lpTransRecord->code==0 && lpTransRecord->size==0 )
return FALSE; //Àӽà ÀúÀå µ¥ÀÌŸ À̹ǷΠ½ÇÆÐ ( ½Å±Ô ij¸¯À» ¸¸µç°æ¿ìÀÓ )
if ( lpTransRecord->size<0 || lpTransRecord->size>sizeof(TRANS_RECORD_DATA) )
return FALSE; //¿À·ù µ¥ÀÌŸ
/*
//»óÀ§ 32ºñÆ® °æÇèÄ¡ ÃʱâÈ
if ( lpTransRecord->smCharInfo.Level<80 && lpTransRecord->smCharInfo.Exp_High ) {
lpTransRecord->smCharInfo.Exp_High = 0;
}
*/
exp64 = GetExp64( &lpTransRecord->smCharInfo );
if ( exp64<0 ) { //°æÇèÄ¡ ¿À·ù 0º¸´Ù ÀÛ´Ù
exp64 = 0;
SetExp64( &lpTransRecord->smCharInfo , exp64 );
}
//·¹º§°ú °æÇèÄ¡°¡ ¸Â´ÂÁö È®ÀÎ
if ( CheckLevelExp( lpTransRecord->smCharInfo.Level , exp64 )==FALSE ) {
//°æÇèÄ¡·Î ·¹º§ Ãß»ê
lpTransRecord->smCharInfo.Level = GetLevelFromExp( exp64 );
}
#ifndef _MODE_EXP64
if ( lpTransRecord->smCharInfo.Level>=80 || GetExp64( &lpTransRecord->smCharInfo )>ExpLevelTable[99] ) {
smTransCommand.WParam = 8560;
smTransCommand.LParam = lpTransRecord->smCharInfo.Level;
smTransCommand.SParam = lpTransRecord->smCharInfo.Exp;
smTransCommand.EParam = 0;
RecordHackLogFile( lpPlayInfo , &smTransCommand );
//·¹º§ 1 ·Î ´Ù¿î
lpTransRecord->smCharInfo.Level = 1;
lpTransRecord->smCharInfo.Exp = 0;
lpTransRecord->smCharInfo.Exp_High = 0;
fp = fopen( szFile , "wb" );
if ( fp ) {
fwrite( &TransRecordData , sizeof(TRANS_RECORD_DATA) , 1, fp );
fclose( fp );
}
return FALSE;
}
#endif
//´ÙÀ½ °æÇèÄ¡ Ãâ·Â ³»¿ë º¸Á¤
lpTransRecord->smCharInfo.Next_Exp = (int)GetNextExp( lpTransRecord->smCharInfo.Level );
//ij¸¯ÅÍ ½ºÅ×ÀÌÆ® °ªÀ» »õ·Ó°Ô º¸Á¤ÇÑ´Ù
ReformCharStatePoint( &lpTransRecord->smCharInfo , lpTransRecord->GameSaveInfo.dwLevelQuestLog );
lpTransRecord->smCharInfo.ClassClan = 0; //Ŭ·£ Á¤º¸ ÃʱâÈ
//·¹º§ 20 ÀÌÇϰ¡ Àü¾÷ ÇßÀ¸¸é Àü¾÷ Ãë¼Ò
if ( lpTransRecord->smCharInfo.Level<20 && lpTransRecord->smCharInfo.ChangeJob!=0 ) {
lpTransRecord->smCharInfo.ChangeJob = 0;
}
lpTransRecord->GameSaveInfo.PCRNo = lpPlayInfo->Bl_RNo; //PC¹æ Á¤º¸
lpTransRecord->GameSaveInfo.EventPlay[0] = lpPlayInfo->Bl_Meter; //¿ä±Ý À̺¥Æ®
lpTransRecord->GameSaveInfo.sPotionUpdate[1] = rsServerConfig.PotionMonitor;
lpTransRecord->GameSaveInfo.BlessCastleTax = rsBlessCastle.Tax; //ºí·¹½º ij½½ ¼¼À²
lpTransRecord->GameSaveInfo.dwBlessCastleMaster = rsBlessCastle.dwMasterClan; //ºí·¹½º ij½½ ¸¶½ºÅÍ
//ÇÊ¿¬ÀûÀÎ ¼±¹° ¾ÆÀÌÅÛ
lpPlayInfo->sLowLevel_PresentItem[0] = lpTransRecord->smCharInfo.sPresentItem[0];
lpPlayInfo->sLowLevel_PresentItem[1] = lpTransRecord->smCharInfo.sPresentItem[1];
//°ÔÀÓ¼¹ö¿¡ ¾÷µ¥ÀÌÆ® Á¤º¸ º¸³¿
rsUpdateServerParam( lpPlayInfo , smUPDATE_PARAM_LOWUSER_PRESENT , lpPlayInfo->sLowLevel_PresentItem[0] , lpPlayInfo->sLowLevel_PresentItem[1] , FALSE );
if ( lpPlayInfo->AdminMode && lpPlayInfo->sLowLevel_PresentItem[0]==0 )
lpPlayInfo->sLowLevel_PresentItem[0] = 1;
//Åä³Ê¸ÕÆ® ¼¹ö ID
if ( lpPlayInfo->szServerID[0] )
lpTransRecord->GameSaveInfo.TT_ServerID = ((DWORD *)lpPlayInfo->szServerID)[0];
else
lpTransRecord->GameSaveInfo.TT_ServerID = 0;
//SoDÀå ½ÃÀÛ º¸Á¤
if ( lpTransRecord->GameSaveInfo.PlayStageNum==rsSOD_FIELD ) lpTransRecord->GameSaveInfo.PlayStageNum = rsSOD_VILLAGE;
if ( lpTransRecord->GameSaveInfo.PlayStageNum==QUEST_ARENA_FIELD ) { //´ëÀü °ÝÅõÀå
if ( lpTransRecord->smCharInfo.JOB_CODE<=4 )
lpTransRecord->GameSaveInfo.PlayStageNum = START_FIELD_NUM;
else
lpTransRecord->GameSaveInfo.PlayStageNum = START_FIELD_MORYON;
}
////////////////// µ·º¹»ç ÀǽɵǴ »ç¶÷ /////////////////////
/*
if ( lpTransRecord->smCharInfo.Money>=8000000 ) {
//800¸¸¿ø ÀÌ»ó ¼ÒÁöÀÚ
RecordHackLogMoney( &lpTransRecord->smCharInfo );
}
*/
////////////////////////////////////////////////////////////
//if ( !lpTransRecord->smCharInfo.dwObjectSerial )
if ( !lpPlayInfo->dwObjectSerial )
lpTransRecord->smCharInfo.dwObjectSerial = GetNewObjectSerial(); //¼¹ö °íÀ¯¹øÈ£ ¹ÞÀ½
else
lpTransRecord->smCharInfo.dwObjectSerial = lpPlayInfo->dwObjectSerial;
//¾óÅ«ÀÌ »ýÀÏ À̺¥Æ®
if ( rsServerConfig.Event_ComicBirthDay==1 && (lpPlayInfo->Bl_Meter&BIMASK_BIRTHDAY_USER)!=0 ) {
lpTransRecord->smCharInfo.SizeLevel = (rand()%1)+0x1001;
lpTransRecord->smCharInfo.dwEventTime_T = tServerTime+(60*24*6);
}
if ( (lpPlayInfo->Bl_Meter&BIMASK_VIP_USER)!=0 && rsServerConfig.FreeLevel && lpTransRecord->smCharInfo.Level<rsServerConfig.FreeLevel ) {
lpTransRecord->GameSaveInfo.EventPlay[0] -=BIMASK_VIP_USER; //Á×¾úÀ»¶§ °æÄ¡ ȰÀÎ À̺¥Æ® Á¦¿Ü (¹«·á·¹º§ »ç¿ëÀÚ)
}
if ( rsServerConfig.EventPlay_BitMask )
lpTransRecord->GameSaveInfo.EventPlay[0] |= (short)rsServerConfig.EventPlay_BitMask; //À̺¥Æ® Ç÷¹ÀÌ ¼öµ¿ ºñÆ®¼³Á¤
//ij¸¯ÅÍ ¼Ó¼º Á¤º¸ È®ÀÎ
if ( !lpPlayInfo->AdminMode ) {
if ( lpTransRecord->smCharInfo.dwCharSoundCode!=0 || lpTransRecord->smCharInfo.State!=smCHAR_STATE_USER ) {
//ij¸¯ÅÍ ±âº» ¼Ó¼º ¿À·ù
smTransCommand.WParam = 8730;
smTransCommand.LParam = lpTransRecord->smCharInfo.State;
smTransCommand.SParam = lpTransRecord->smCharInfo.dwCharSoundCode;
smTransCommand.EParam = 0;
RecordHackLogFile( lpPlayInfo , &smTransCommand );
//°»½Å / º¹±¸
lpTransRecord->smCharInfo.dwCharSoundCode = 0;
lpTransRecord->smCharInfo.State = smCHAR_STATE_USER;
}
}
//ij¸¯ÅÍ Á¤º¸ ÀÎÁõ
ReformCharForm( &lpTransRecord->smCharInfo );
if ( rsServerConfig.Event_StarPointTicket )
OpenStarPointEvent( lpPlayInfo , &lpTransRecord->smCharInfo ); //º° Æ÷ÀÎÆ® À̺¥Æ® ƼÄÏ ¹ß»ý ·¹º§
//±¸¹öÀü 140 ÀÌÇϹöÀü
if ( lpTransRecord->GameSaveInfo.Head<140 &&
lstrcmp( lpTransRecord->szHeader , szRecordHeader )!=0 ) {
//±¸¹öÀü µ¥ÀÌŸ ¹ß°ß ij¸¯ÅÍ Á¤º¸ ÄÚµå »ý¼º ±â·Ï
lpTransRecord->GameSaveInfo.dwChkSum_CharInfo = GetCharInfoCode( &lpTransRecord->smCharInfo );
}
//if ( rsServerConfig.TestSeverMode || lpTransRecord->GameSaveInfo.SaveTime<(tServerTime-(60*60*24*10)) ) { //Á¢¼ÓÇÑÁö 10ÀÏ ÀÌ»óµÈ µ¥ÀÌŸ Ç÷¢ÃʱâÈ
//Å×½ºÆ® ¼¹ö´Â ´É·ÂÄ¡ ÃʱâÈ Ç÷¢À» 0À¸·Î ¼³Á¤ ( ´É·ÂÄ¡ ÃʱâÈ È½¼ö ¹«ÇÑ )
lpTransRecord->smCharInfo.wVersion[1] = 0;
//}
if ( rsServerConfig.FixedStartField )
lpTransRecord->GameSaveInfo.PlayStageNum = rsServerConfig.FixedStartField; //½ÃÀÛÇÊµå °Á¦ ÁöÁ¤
//·Î±×ÀÎ ¼¹ö º¸¾ÈŰ ¼³Á¤
rsSet_LoginServerSafeKey( &lpTransRecord->smCharInfo );
/*
//±¸¹öÀü 140->150 ÄÁ¹öÅÍ
if ( lpTransRecord->GameSaveInfo.Head<dwRecordVersion ) {
//ÀúÀåµÈ ¾ÆÀÌÅÛ µ¥ÀÌŸ¸¦ 150 Æ÷¸ËÀ¸·Î ÀÎÁõº¯È¯
ConvertItem_Server150(lpTransRecord);
}
*/
cnt = 0;
TotalLen = 0;
PartTotal = lpTransRecord->size / TRANS_RECORD_LEN;
if ( (lpTransRecord->size%TRANS_RECORD_LEN)!=0 ) {
if ( lpTransRecord->size>TRANS_RECORD_LEN )
PartTotal++;
}
while(1) {
len = lpTransRecord->size - TotalLen;
if ( len>TRANS_RECORD_LEN ) len = TRANS_RECORD_LEN;
TransRecord.code = smTRANSCODE_RECORDDATA;
TransRecord.size = len+32;
TransRecord.Count = cnt;
TransRecord.Total = PartTotal;
TransRecord.TransSize = len;
memcpy( TransRecord.szData , &lpData[TotalLen] , len );
lpsmSock->Send2( (char *)&TransRecord , TransRecord.size , TRUE );
cnt++;
TotalLen+=len;
if ( TotalLen>=lpTransRecord->size ) break;
}
/*
if ( TransRecordData.smCharInfo.Life[0]==0 ) {
//Á×À¸¸é¼ µå·ÓÇÑ »ç¶÷ ½ÃÀÛ ÁÂÇ¥ ¸¶À»·Î º¸Á¤ ÈÄ ÀúÀå
TransRecordData.smCharInfo.Life[0] = 1;
TransRecordData.GameSaveInfo.PlayStageNum = 3;
TransRecordData.GameSaveInfo.PosX = 746752;
TransRecordData.GameSaveInfo.PosZ = -4464384;
fp = fopen( szFile , "wb" );
if ( fp ) {
fwrite( &TransRecordData , sizeof(TRANS_RECORD_DATA) , 1, fp );
fclose( fp );
}
}
*/
return TRUE;
}
#define RECORD_ITEM_INFO_HEAD_SIZE 44
//ºÒ·¯¿Â ¾ÆÀÌÅÛ ¸ñ·ÏÀ» À¯ÀúÁ¤º¸¿¡ ÀúÀå
int rsRECORD_DBASE::MakeRecordItemList( rsPLAYINFO *lpPlayInfo )
{
int cnt,cnt2;
BYTE *lpRecItem;
sRECORD_ITEM sRecordItem;
int size;
int BuffSize;
smTRANS_COMMAND_EX smTransCommand;
sTHROW_ITEM_INFO ThrowItemInfo[THROW_ITEM_INFO_MAX]; //¹ö·ÁÁø ¾ÆÀÌÅÛ Á¤º¸
int ThrowItemCount; //¹ö·ÁÁø ¾ÆÀÌÅÛ Ä«¿îÅÍ
lpRecItem = (BYTE *)&TransRecordData.Data;
BuffSize = 0;
ThrowItemCount = 0;
ZeroMemory( lpPlayInfo->ServerPotion , sizeof(int)*3*4 );
if ( TransRecordData.ItemCount>RECORD_ITEM_MAX ) TransRecordData.ItemCount = RECORD_ITEM_MAX;
if ( TransRecordData.ThrowItemCount>THROW_ITEM_INFO_MAX ) TransRecordData.ThrowItemCount = THROW_ITEM_INFO_MAX;
for(int cnt=0;cnt<TransRecordData.ItemCount;cnt++ ) {
if ( cnt>=(INVENTORY_MAXITEM*2) ) break;
if ( rsServerConfig.PotionMonitor ) {
//¾ÐÃ൥ÀÌŸ ¼¹ö ¾ÆÀÌÅÛ ÇØµ¶¿ë ( Z/NZ ¹æ½Ä ) - ¹°¾à °è¿ ¾ÆÀÌÅÛÀ» È®ÀÎÇÏ¿© ¼ö·® ÆÄ¾Ç
DecodeCompress_ItemPotion( lpPlayInfo , (BYTE *)lpRecItem , (BYTE *)&sRecordItem , RECORD_ITEM_INFO_HEAD_SIZE , &TransRecordData );
}
else {
//¾ÐÃà µ¥ÀÌŸ ÇØµ¶ ( Z/NZ ¹æ½Ä )
DecodeCompress( (BYTE *)lpRecItem , (BYTE *)&sRecordItem , RECORD_ITEM_INFO_HEAD_SIZE );
}
if ( sRecordItem.sItemInfo.CODE && sRecordItem.sItemInfo.ItemHeader.Head &&
sRecordItem.sItemInfo.ItemHeader.dwChkSum &&
(sRecordItem.sItemInfo.CODE&sinITEM_MASK1)!=(sinPM1&sinITEM_MASK1) ) {
//¹ö·ÁÁø ¾ÆÀÌÅÛ È®ÀÎ
for( cnt2=0;cnt2<TransRecordData.ThrowItemCount;cnt2++ ) {
if ( TransRecordData.ThrowItemInfo[cnt2].dwCode==sRecordItem.sItemInfo.CODE &&
TransRecordData.ThrowItemInfo[cnt2].dwKey==sRecordItem.sItemInfo.ItemHeader.Head &&
TransRecordData.ThrowItemInfo[cnt2].dwSum==sRecordItem.sItemInfo.ItemHeader.dwChkSum ) {
if ( ThrowItemCount<THROW_ITEM_INFO_MAX ) {
//½ÇÁ¦·Î Á¸ÀçÇÏ´Â ¾ÆÀÌÅÛ È®ÀÎ ( ´øÁ®Áø ¾ÆÀÌÅÛ ¸ñ·Ï Á¤¸® )
memcpy( &ThrowItemInfo[ThrowItemCount++] , &TransRecordData.ThrowItemInfo[cnt2] ,sizeof(sTHROW_ITEM_INFO) );
}
break;
}
}
if ( cnt2>=TransRecordData.ThrowItemCount ) {
for( cnt2=0;cnt2<cnt;cnt2++ ) {
//º¹»ç¾ÆÀÌÅÛ °Ë»ç
if ( lpPlayInfo->InvenItemInfo[cnt2].dwCode &&
lpPlayInfo->InvenItemInfo[cnt2].dwCode==sRecordItem.sItemInfo.CODE &&
lpPlayInfo->InvenItemInfo[cnt2].dwKey==sRecordItem.sItemInfo.ItemHeader.Head &&
lpPlayInfo->InvenItemInfo[cnt2].dwSum==sRecordItem.sItemInfo.ItemHeader.dwChkSum ) {
//·Î±×¿¡ ±â·Ï
smTransCommand.WParam = 8070;
smTransCommand.WxParam = 1;
smTransCommand.LxParam = (int)"*INVENTORY";
smTransCommand.LParam = sRecordItem.sItemInfo.CODE;
smTransCommand.SParam = sRecordItem.sItemInfo.ItemHeader.Head;
smTransCommand.EParam = sRecordItem.sItemInfo.ItemHeader.dwChkSum;
RecordHackLogFile( lpPlayInfo , &smTransCommand );
break;
}
}
if ( cnt2>=cnt ) {
lpPlayInfo->InvenItemInfo[cnt].dwCode = sRecordItem.sItemInfo.CODE;
lpPlayInfo->InvenItemInfo[cnt].dwKey = sRecordItem.sItemInfo.ItemHeader.Head;
lpPlayInfo->InvenItemInfo[cnt].dwSum = sRecordItem.sItemInfo.ItemHeader.dwChkSum;
}
}
}
size = ((int *)lpRecItem)[0];
BuffSize += size;
lpRecItem += size;
if ( BuffSize>=(sizeof(sRECORD_ITEM)*RECORD_ITEM_MAX) ) break; //¹öÆÛ Å©±â Ãʰú½Ã
}
lpPlayInfo->ThrowItemCount = ThrowItemCount;
memcpy( lpPlayInfo->ThrowItemInfo , ThrowItemInfo , sizeof(sTHROW_ITEM_INFO)*ThrowItemCount );
return TRUE;
}
//ÀúÀåÇÒ µ¥ÀÌŸ¸¦ ºÐÇÒÇÏ¿© ¹ÞÀ½
int rsRECORD_DBASE::RecvRecordDataFromServer( TRANS_RECORD_DATAS *lpTransRecord )
{
char *lpData;
lpData = (char *)&TransRecordData;
memcpy( &lpData[lpTransRecord->Count*TRANS_RECORD_LEN] , lpTransRecord->szData , lpTransRecord->TransSize );
TransDataBlock[lpTransRecord->Count] = 1;
for (int cnt = 0; cnt < lpTransRecord->Total; cnt++){
if (!TransDataBlock[cnt]) break;
if (cnt == lpTransRecord->Total && TransRecordData.code == smTRANSCODE_RECORDDATA) {
//¼ö½Å ¿Ï·á
TransRecordData.code = 0;
return TRUE;
}
}
/*
if ( lpTransRecord->Count>0 ) {
if ( TransLastPartCount!=lpTransRecord->Count-1 )
return FALSE; //¼ö½Å ¿À·ù
}
if ( lpTransRecord->Count>=lpTransRecord->Total-1 && TransRecordData.code==smTRANSCODE_RECORDDATA ) {
//¼ö½Å ¿Ï·á
TransRecordData.code=0;
return TRUE;
}
*/
TransLastPartCount = lpTransRecord->Count;
return FALSE;
}
#ifdef _W_SERVER
int CheckPlayExpTable[15] = {
40000, //0
100000, //1
300000, //2
500000, //3
800000, //4
1200000, //5
1600000, //6
2000000, //7
3000000, //8
4000000, //9
4000000, //10
6000000, //11
6000000, //12
8000000, //13
8000000 //14
};
#else
int CheckPlayExpTable[15] = {
0, //0
0, //1
0, //2
0, //3
0, //4
0, //5
0, //6
0, //7
0, //8
0, //9
0, //10
0, //11
0, //12
0, //13
0 //14
};
#endif
//ÀúÀåÇÒ µ¥ÀÌŸ¸¦ ºÐÇÒÇÏ¿© ¹ÞÀ½
int rsRECORD_DBASE::RecvRecordDataFromClient( TRANS_RECORD_DATAS *lpTransRecord , rsPLAYINFO *lpPlayInfo )
//int Level , int CrackUser , char *lpRecordMemBuff )
{
char *lpData;
//char *lpHexBuff;
char szFile[256];
char szBackupFile[256];
FILE *fp;
int size;
int cnt;
int CopyVal;
char *lpBuff;
smTRANS_COMMAND smTransCommand;
int Level = lpPlayInfo->smCharInfo.Level;
int CrackUser = lpPlayInfo->CrackWarning;
char *lpRecordMemBuff = lpPlayInfo->lpRecordDataBuff;
lpData = (char *)&TransRecordData;
memcpy( &lpData[lpTransRecord->Count*TRANS_RECORD_LEN] , lpTransRecord->szData , lpTransRecord->TransSize );
if ( lpTransRecord->Count>0 ) {
if ( TransLastPartCount!=lpTransRecord->Count-1 )
return -4; //¼ö½Å ¿À·ù
}
else {
//ù¹øÀç ÀúÀå µ¥ÀÌŸ°¡ ¸ÂÁö ¾ÊÀº °æ¿ì ½ÇÆÐ
if ( lpTransRecord->Count!=TransLastPartCount ) return -4;
}
if ( lpTransRecord->Count>=lpTransRecord->Total-1 && TransRecordData.code==smTRANSCODE_RECORDDATA ) {
//ÆÄÀÏ·Î ÀúÀå
//wsprintf( szFile , "userdata\\%s.dat" , TransRecordData.smCharInfo.szName );
TransRecordData.GameSaveInfo.SaveTime = tServerTime; //¼¹ö ÀúÀå ½Ã°£ ( Time_T ¹æ½Ä )
if ( CheckCharForm( &TransRecordData.smCharInfo )==FALSE ) {
//ij¸¯ÅÍ Á¤º¸ ÄÚµå È®ÀÎ ¿À·ù
TransRecordData.code=0;
return -1;
}
if ( lpPlayInfo->AdminMode<3 && lstrcmp( TransRecordData.smCharInfo.szName , lpPlayInfo->szName )!=0 ) {
//ij¸¯ÅÍ À̸§ÀÌ Æ²¸² ¿À·ù
TransRecordData.code=0;
return -15;
}
if ( TransRecordData.size<=0 ) {
return -4; //Å©±â ¿À·ù
}
if ( TransRecordData.smCharInfo.Level<Level ) {
//³ªÁß¿¡ ÀúÀåµÈ ·¹º§ÀÌ ÇöÀç ·¹º§º¸´Ù ÀÛ´Ù
TransRecordData.code=0;
return -2;
}
//±â·Ï µ¥ÀÌŸ ¾ÆÀÌÅÛ ÀÌ»ó À¯¹« È®ÀÎ
if ( CheckRecordDataItem( &TransRecordData )==FALSE ) {
//¾ÆÀÌÅÛ µ¥ÀÌŸ ÀÌ»ó ¹ß°ß
//ÃÖ±Ù ¿À·ù ÆÄÀÏ ±â·Ï
fp = fopen( "DataServer\\LastError.dat" , "wb" );
if ( fp ) {
cnt = fwrite( &TransRecordData , TransRecordData.size , 1, fp );
fclose( fp );
}
TransRecordData.code=0;
return -5;
}
#ifndef _SERVER_MODE_OLD //±¸¹öÀü ȣȯ¿ë
if ( lpPlayInfo->smCharInfo.Level>0 &&
TransRecordData.smCharInfo.Level>=6 &&
abs( lpPlayInfo->smCharInfo.Level-TransRecordData.smCharInfo.Level )>=2 &&
lpPlayInfo->AdminMode<3 ) {
//·¹º§ 2´Ü°è ÀÌ»ó ±Þ»ó½Â
return -12;
}
INT64 exp,exp2;
int money;
//µ·°ú °æÇèÄ¡°¡ ¼¹ö¿¡¼ °è»êÇÑ ¼öÄ¡¿Í ºñ¼ýÇÑÁö È®ÀÎ
exp = GetExp64( &TransRecordData.smCharInfo );
if ( exp<0 ) return -6; //°æÇèÄ¡°¡ 0 º¸´Ù ÀÛ´Ù (¿À·ù¹ß»ý)
exp = exp - lpPlayInfo->spExp_Start;
money = TransRecordData.smCharInfo.Money - lpPlayInfo->spMoney_Start;
/*
if ( TransRecordData.smCharInfo.Level<79 && //·¹º§ 79´Â °æÇèÄ¡°¡ ¿À¸£Áö ¾Ê°Ô ¸·Çô ÀÖÀ½
abs( exp-(TransRecordData.GameSaveInfo.TotalExp^TransRecordData.GameSaveInfo.PosX) )>(Permit_CheckExp*TransRecordData.smCharInfo.Level) ) {
TransRecordData.code=0;
return -6;
}
if ( abs( money-(TransRecordData.GameSaveInfo.TotalMoney^TransRecordData.GameSaveInfo.PosZ) )>Permit_CheckMoney ) {
TransRecordData.code=0;
return -7;
}
*/
if ( ReformCharStatePoint( &TransRecordData.smCharInfo , TransRecordData.GameSaveInfo.dwLevelQuestLog )==FALSE ) {
//ij¸¯ÅÍ Á¤º¸ ¹®Á¦ ¹ß»ý
TransRecordData.code=0;
return -8;
}
exp2 = 50000;
if ( TransRecordData.smCharInfo.Level>=20 && TransRecordData.smCharInfo.Level<40 ) exp2 = 200000;
else if ( TransRecordData.smCharInfo.Level>=40 && TransRecordData.smCharInfo.Level<60 ) exp2 = 400000;
else if ( TransRecordData.smCharInfo.Level>=60 && TransRecordData.smCharInfo.Level<100 ) exp2 = 800000;
else if ( TransRecordData.smCharInfo.Level>=100 && TransRecordData.smCharInfo.Level<CHAR_LEVEL_MAX ) exp2 = 1500000;
if ( exp>exp2 ) { //°æÇèÄ¡ ȹµæ·® Å«°æ¿ì¸¸ ÇØ´ç
exp2 = exp-TransRecordData.GameSaveInfo.TotalSubExp; //ÅåÅå ¶§·Á¾òÀº °æÇèÄ¡
//¼¹ö¿¡¼ ¹ÞÀº °æÇèÄ¡ º¸´Ù ÅåÅå¶§·Á ¾òÀº °æÇèÄ¡°¡ ´õ Ŭ°æ¿ì ( 2¹è º¸´Ù Å«°æ¿ì ) / ¾à 50%¸¦ »ý°¢ÇÑ´Ù
if ( (exp2*2)>exp ) {
TransRecordData.code=0;
return -9;
}
}
INT64 tExp,sExp;
///////////////////////////// °ÔÀÓ¼¹ö °æÇèÄ¡ È®ÀÎ ////////////////////
tExp = lpPlayInfo->dwGameServerExp[0] + lpPlayInfo->dwGameServerExp[1] + lpPlayInfo->dwGameServerExp[2] + lpPlayInfo->dwGameServerExp[3] +
lpPlayInfo->dwGameServerExp[4] + lpPlayInfo->dwGameServerExp[5] + lpPlayInfo->dwGameServerExp[6] + lpPlayInfo->dwGameServerExp[7];
//°ÔÀÓ ¼¹ö·Î ºÎÅÍ ¹ÞÀº °æÇèÄ¡
exp = GetExp64( &TransRecordData.smCharInfo )-lpPlayInfo->spExp_Start;
if ( exp>tExp )
{
sExp = exp-tExp; //º¸Á¶ ȹµæ °æÇèÄ¡
exp2 = CheckPlayExpTable[TransRecordData.smCharInfo.Level/10];
if ( rsServerConfig.Event_ExpUp )
exp2 = (exp*rsServerConfig.Event_ExpUp)/100; //°æÇèÄ¡¾÷ À̺¥Æ®À϶§
#ifdef _LANGUAGE_ARGENTINA //¾Æ¸£ÇîÆ¼³ª ÇØ¿Ü KYle
if ( rsServerConfig.Event_ExpUp_latin )
exp2 = (exp*rsServerConfig.Event_ExpUp_latin)/100; //°æÇèÄ¡¾÷ À̺¥Æ®À϶§
#endif
if ( rsServerConfig.ExpFixMode>0 )
{
exp2 = (exp2*rsServerConfig.ExpFixMode)/100;
}
else
{
exp2 /= 2; //50 %
}
if ( sExp>exp2 && sExp>(tExp/2) )
{
//°ÔÀÓ¼¹ö¿¡¼ µé¾î°£ °æÇèÄ¡¿Í Ŭ¶óÀÌ¾ðÆ® °æÇèÄ¡ÀÇ ¿ÀÂ÷ ¹üÀ§ Å
//°æÇèÄ¡ °Á¦ º¸Á¤
if ( (lpPlayInfo->dwLastSaveTime+10*1000)<dwPlayServTime )
lpPlayInfo->RecordWarningCount ++;
lpPlayInfo->RecordWarningExp = TransRecordData.smCharInfo.Exp;
if ( rsServerConfig.ExpFixMode )
{
SetExp64( &TransRecordData.smCharInfo , lpPlayInfo->spExp_Start+tExp+(tExp/10) );
//TransRecordData.smCharInfo.Exp = (int)(lpPlayInfo->spExp_Start+tExp+(tExp/10));
}
//return -13;
}
else
{
lpPlayInfo->RecordWarningCount = 0;
lpPlayInfo->RecordWarningExp = 0;
}
}
else
{
lpPlayInfo->RecordWarningCount = 0;
lpPlayInfo->RecordWarningExp = 0;
}
///////////////////////////////////////////////////////////////////////////
//½ºÅ³ ýũ
if ( CheckSkillPoint( TransRecordData.smCharInfo.Level , &TransRecordData.GameSaveInfo.SkillInfo , 0 , TransRecordData.GameSaveInfo.dwLevelQuestLog )==FALSE ) {
//½ºÅ³Æ÷ÀÎÆ® Á¶ÀÛ ¿À·ù
return -10;
}
else {
if ( rsServerConfig.Disable_DecSkillPoint ) {
//½ºÅ³ Æ÷ÀÎÆ® °¨¼Ò ºÒ°¡
//( Áß±¹ÆÇ - ½ºÅ³Æ÷ÀÎÆ® ³»·È´Ù ¿Ã·È´Ù ÇÏ´Â ÇØÅ· - Çѹø ¿Ã¸®¸é ¿µ¿øÈ÷ ¸ø³»¸®µµ·Ï ÇÏÀÚ )
for(int cnt=0;cnt<SKILL_POINT_COLUM_MAX;cnt++ ) {
if ( TransRecordData.GameSaveInfo.SkillInfo.bSkillPoint[cnt]<lpPlayInfo->bSkillPoint[cnt] ) {
//½ºÅ³ Æ÷ÀÎÆ®°¡ ÁÙ¾ú´ç ( ½ºÅ³Æ÷ÀÎÆ® ¿À·ù ¹ß»ý ½ÃÅ´ )
return -10;
}
}
}
}
//½ºÅ³ Æ÷ÀÎÆ® ¹öÆÛ¿¡ ÀúÀå
memcpy( lpPlayInfo->bSkillPoint , TransRecordData.GameSaveInfo.SkillInfo.bSkillPoint , SKILL_POINT_COLUM_MAX );
if ( TransRecordData.smCharInfo.Weight[0]<0 ||
TransRecordData.smCharInfo.Weight[0]>(TransRecordData.smCharInfo.Weight[1]+1500) ) {
if ( TransRecordData.smCharInfo.Weight[1]!=0 ) {
//¹«°Ô ¿À·ù
TransRecordData.code=0;
return -11;
}
}
// Á÷¾÷ ÄÚµå ¿À·ù ( Á÷¾÷ÀÌ °ÔÀÓÁß¿¡ ¹Ù²ï°ÍÀ¸·Î ÃßÁ¤ )
if ( lpPlayInfo->smCharInfo.JOB_CODE==0 )
lpPlayInfo->smCharInfo.JOB_CODE = TransRecordData.smCharInfo.JOB_CODE;
if ( lpPlayInfo->AdminMode<2 && lpPlayInfo->smCharInfo.JOB_CODE!=TransRecordData.smCharInfo.JOB_CODE ) {
TransRecordData.code=0;
return -14;
}
#endif
//ÇÊ¿¬ÀûÀÎ ¼±¹° ¾ÆÀÌÅÛ
TransRecordData.smCharInfo.sPresentItem[0] = lpPlayInfo->sLowLevel_PresentItem[0];
TransRecordData.smCharInfo.sPresentItem[1] = lpPlayInfo->sLowLevel_PresentItem[1];
if ( rsServerConfig.Event_StarPointTicket )
CloseStarPointEvent( lpPlayInfo , &TransRecordData.smCharInfo ); //º° Æ÷ÀÎÆ® À̺¥Æ® ƼÄÏ ¹ß»ý ·¹º§
GetUserDataFile( lpPlayInfo->szName , szFile );
GetUserDataBackupFile( lpPlayInfo->szName , szBackupFile );
/*
//Èí¼öÀ² ÇØÅ·ÇÑ À¯Àú´Â °æÇèÄ¡ ¹é¸¸ ±ï¾Æ¼ ÀúÀå
if ( TransRecordData.smCharInfo.Defence>=500 || TransRecordData.smCharInfo.Absorption>=20 || TransRecordData.smCharInfo.Attack_Damage[1]>=80 || CrackUser ) {
cnt = 200000;
if ( TransRecordData.smCharInfo.Exp>cnt ) {
TransRecordData.smCharInfo.Exp -= cnt;
}
else {
TransRecordData.smCharInfo.Exp = 0;
}
}
*/
if ( FieldLimitLevel_Table[TransRecordData.GameSaveInfo.PlayStageNum]>TransRecordData.smCharInfo.Level ) {
if ( !lpPlayInfo->AdminMode && FieldLimitLevel_Table[TransRecordData.GameSaveInfo.PlayStageNum]!=1000 ) {
//ÇÊµå ·¹º§ Á¦ÇÑ ¹þ¾î³ °æ¿ì
TransRecordData.smCharInfo.Life[0] = 0;
lpPlayInfo->dwHopeDisconnectTime = dwPlayServTime+5000; //5ÃÊÈÄ ¿¬°á Á¾·á
//Á¦ÇÑ ±¸¿ª ħ¹ü
smTransCommand.WParam = 1840;
smTransCommand.SParam = lpPlayInfo->smCharInfo.Level;
smTransCommand.LParam = TransRecordData.GameSaveInfo.PlayStageNum;
RecordHackLogFile( lpPlayInfo , &smTransCommand );
}
}
if ( TransRecordData.smCharInfo.Life[0]==0 ) {
//Á×À¸¸é¼ µå·ÓÇÑ »ç¶÷ ½ÃÀÛ ÁÂÇ¥ ¸¶À»·Î º¸Á¤ ÈÄ ÀúÀå
TransRecordData.smCharInfo.Life[0] = TransRecordData.smCharInfo.Life[1]/2;
if ( TransRecordData.smCharInfo.JOB_CODE<5 ) {
//ÅÛ½ºÅ©·Ð
TransRecordData.GameSaveInfo.PlayStageNum = START_FIELD_NUM;
TransRecordData.GameSaveInfo.PosX = 746752;
TransRecordData.GameSaveInfo.PosZ = -4464384;
}
else {
TransRecordData.GameSaveInfo.PlayStageNum = START_FIELD_MORYON;
TransRecordData.GameSaveInfo.PosX = 505344;
TransRecordData.GameSaveInfo.PosZ = 18948864;
}
}
//ÀúÀåÇÒ ´ç½ÃÀÇ °èÁ¤ID ÀúÀå
lstrcpy( TransRecordData.GameSaveInfo.szMasterID , lpPlayInfo->szID );
//¼¹öDB¿¡ µ¥ÀÌŸ ÀúÀå¿ä±¸
//if ( rsSaveRecData( &TransRecordData , 0, szFile , szBackupFile )==FALSE ) {
//ÀúÀåÇÒ ±æÀÌ º¸Á¤
size = TransRecordData.size;
if ( size<srRECORD_DEFAULT_SIZE ) size=srRECORD_DEFAULT_SIZE;
if ( lpRecordMemBuff && size<=srRECORD_MEMORY_SIZE ) {
memcpy( lpRecordMemBuff , &TransRecordData , TransRecordData.size ); //¸Þ¸ð¸® º¸°üÈÄ ÀúÀå ¹æ½Ä
}
else {
CopyVal = CopyFile( szFile, szBackupFile , FALSE ); //ÆÄÀϹé¾÷
lpBuff = lpPlayInfo->lpRecordDataBuff;
lpPlayInfo->lpRecordDataBuff = (char *)&TransRecordData;
rsSaveThrowData( lpPlayInfo );
rsRecordMemoryBuff_CheckInvenItem( lpPlayInfo );
fp = fopen( szFile , "wb" );
if ( fp ) {
cnt = fwrite( &TransRecordData , size , 1, fp );
fclose( fp );
}
lpPlayInfo->lpRecordDataBuff = lpBuff;
if ( lpRecordMemBuff )
((TRANS_RECORD_DATA *)lpRecordMemBuff)->size = 0;
}
TransRecordData.code=0;
return TRUE;
}
TransLastPartCount = lpTransRecord->Count;
return FALSE;
}
//¸Þ¸ð¸® ¹öÆÛ¸¦ ÆÄÀÏ·Î ÀúÀå
int rsRecordMemoryBuffToFile( rsPLAYINFO *lpPlayInfo , char *szName , char *lpRecordMemBuff )
{
char szFile[256];
char szBackupFile[256];
FILE *fp;
int size;
if ( !szName || !szName[0] ) return FALSE;
if ( lpPlayInfo->szServerID[0] ) return TRUE;
if ( lpRecordMemBuff && ((TRANS_RECORD_DATA *)lpRecordMemBuff)->size>0 ) {
GetUserDataFile( szName , szFile );
GetUserDataBackupFile( szName , szBackupFile );
CopyFile( szFile, szBackupFile , FALSE ); //ÆÄÀϹé¾÷
size = ((TRANS_RECORD_DATA *)lpRecordMemBuff)->size;
if ( size<srRECORD_DEFAULT_SIZE ) size=srRECORD_DEFAULT_SIZE;
if ( lpPlayInfo ) {
//¼¹ö Æ÷¼Ç ÀúÀå
rsSaveServerPotion( lpPlayInfo , &((TRANS_RECORD_DATA *)lpRecordMemBuff)->GameSaveInfo );
//Æ÷½º¿Àºê »ç¿ë ÀúÀå
rsSaveServerForce( lpPlayInfo , &((TRANS_RECORD_DATA *)lpRecordMemBuff)->GameSaveInfo );
}
fp = fopen( szFile , "wb" );
if ( fp ) {
fwrite( lpRecordMemBuff , size , 1, fp );
fclose( fp );
//((TRANS_RECORD_DATA *)lpRecordMemBuff)->size = 0;
return TRUE;
}
}
return FALSE;
}
//¹ö·ÁÁø ¾ÆÀÌÅÛ ¸Þ¸ð¸®¹öÆÛ µ¥ÀÌŸ¿¡ ÀúÀå
int rsSaveThrowData( rsPLAYINFO *lpPlayInfo )
{
TRANS_RECORD_DATA *lpTransRecordData;
sTHROW_ITEM_INFO *lpThrowItemList;
int cnt;
if ( !lpPlayInfo->lpRecordDataBuff ) return FALSE;
lpThrowItemList = lpPlayInfo->ThrowItemInfo;
lpTransRecordData = (TRANS_RECORD_DATA *)lpPlayInfo->lpRecordDataBuff;
cnt = lpPlayInfo->ThrowItemCount;
if ( cnt>THROW_ITEM_INFO_MAX ) cnt = THROW_ITEM_INFO_MAX;
memcpy( &lpTransRecordData->ThrowItemInfo , lpThrowItemList , sizeof(sTHROW_ITEM_INFO)*cnt );
lpTransRecordData->ThrowItemCount = cnt;
/*
memcpy( &lpTransRecordData->ThrowItemInfo , lpThrowItemList , sizeof(sTHROW_ITEM_INFO)*lpPlayInfo->ThrowItemCount );
lpTransRecordData->ThrowItemCount = lpPlayInfo->ThrowItemCount;
*/
//¹ö·ÁÁø µ·±â·Ï ( ¿ø·¡ ÀúÀåµÈ°ªº¸´Ù ÀÛÀº°æ¿ì¸¸ ÀúÀå - º¹»ç¹æÁö )
if ( lpPlayInfo->UnsaveMoney>=0 && lpTransRecordData->smCharInfo.Money>lpPlayInfo->UnsaveMoney )
lpTransRecordData->GameSaveInfo.LastMoeny = lpPlayInfo->UnsaveMoney+1; //µ· ±â·Ï
lpPlayInfo->ThrowItemCount = 0;
lpPlayInfo->UnsaveMoney = -1;
return TRUE;
}
//ÀúÀåÇÒ ¸Þ¸ð¸®¹öÆÛÀÇ ¾ÆÀÌÅÛÀÌ ¿Ã¹Ù¸¥Áö ÀüºÎ È®ÀÎ
int rsRecordMemoryBuff_CheckInvenItem( rsPLAYINFO *lpPlayInfo , int Mode )
{
BYTE *lpRecItem;
TRANS_RECORD_DATA *lpTransRecordData;
sRECORD_ITEM sRecordItem;
int cnt,cnt2,cnt3;
INT64 money;
smTRANS_COMMAND_EX smTransCommand;
int size,BuffSize;
int flag;
sTHROW_ITEM_INFO ThrowItemInfo[THROW_ITEM_INFO_MAX]; //¹ö·ÁÁø ¾ÆÀÌÅÛ Á¤º¸
int ThrowItemCount =0; //¹ö·ÁÁø ¾ÆÀÌÅÛ Ä«¿îÅÍ
if ( !lpPlayInfo->lpRecordDataBuff ) return FALSE;
//#ifdef _LANGUAGE_KOREAN
if ( lpPlayInfo->AdminMode>=3 ) return FALSE;
//#endif
lpTransRecordData = (TRANS_RECORD_DATA *)lpPlayInfo->lpRecordDataBuff;
lpRecItem = (BYTE *)&lpTransRecordData->Data;
BuffSize = 0;
for(int cnt=0;cnt<lpTransRecordData->ItemCount;cnt++ ) {
if ( cnt>=(INVENTORY_MAXITEM*2) ) break;
//¾ÐÃà µ¥ÀÌŸ ÇØµ¶ ( Z/NZ ¹æ½Ä )
DecodeCompress( (BYTE *)lpRecItem , (BYTE *)&sRecordItem , RECORD_ITEM_INFO_HEAD_SIZE );
if ( sRecordItem.sItemInfo.CODE &&
sRecordItem.sItemInfo.ItemHeader.Head && sRecordItem.sItemInfo.ItemHeader.dwChkSum ) {
flag = 0;
if ( (sRecordItem.sItemInfo.CODE&sinITEM_MASK1)==(sinPM1&sinITEM_MASK1) ) {
//¾ÆÀÌÅÛ [ ¹°¾à ]
if ( lpPlayInfo->TradePotionInfoCount>0 ) {
//°Å·¡ ¹°¾à Á¦°Å (°Å·¡Á÷ÈÄ °ÔÀÓÀÌ ÀúÀåµÇÁö ¾ÊÀº °æ¿ì , °Å·¡Çß´ø ¹°¾à°ú °°Àº Á¾·ù ¸ðµÎ Á¦°Å )
if ( rsGetTradePotionInfo( lpPlayInfo , sRecordItem.sItemInfo.CODE )==TRUE ) {
flag = 0;
}
}
else {
flag=-1;
}
}
else {
//ÀÏ¹Ý ¾ÆÀÌÅÛÀÇ °æ¿ì
//Àκ¥Å丮 °Ë»ç
for( cnt2=0;cnt2<INVEN_ITEM_INFO_MAX;cnt2++ ) {
if ( lpPlayInfo->InvenItemInfo[cnt2].dwCode &&
lpPlayInfo->InvenItemInfo[cnt2].dwCode==sRecordItem.sItemInfo.CODE &&
lpPlayInfo->InvenItemInfo[cnt2].dwKey==sRecordItem.sItemInfo.ItemHeader.Head &&
lpPlayInfo->InvenItemInfo[cnt2].dwSum==sRecordItem.sItemInfo.ItemHeader.dwChkSum ) {
lpPlayInfo->InvenItemInfo[cnt2].dwCode = 0;
flag++;
}
}
//â°í °Ë»ç
if ( lpPlayInfo->OpenWarehouseInfoFlag ) {
for( cnt2=0;cnt2<100;cnt2++ ) {
if ( lpPlayInfo->WareHouseItemInfo[cnt2].dwCode &&
lpPlayInfo->WareHouseItemInfo[cnt2].dwCode==sRecordItem.sItemInfo.CODE &&
lpPlayInfo->WareHouseItemInfo[cnt2].dwKey==sRecordItem.sItemInfo.ItemHeader.Head &&
lpPlayInfo->WareHouseItemInfo[cnt2].dwSum==sRecordItem.sItemInfo.ItemHeader.dwChkSum ) {
lpPlayInfo->WareHouseItemInfo[cnt2].dwCode = 0;
flag++;
}
}
}
}
if ( flag==0 ) {
//¾ÆÀÌÅÛÀÌ Á¸Àç ÇÏÁö ¾ÊÀ½ ( Á¦°Å ½ÃÅ´ )
for( cnt2=0;cnt2<lpTransRecordData->ThrowItemCount;cnt2++ ) {
if ( lpTransRecordData->ThrowItemInfo[cnt2].dwCode==sRecordItem.sItemInfo.CODE &&
lpTransRecordData->ThrowItemInfo[cnt2].dwKey==sRecordItem.sItemInfo.ItemHeader.Head &&
lpTransRecordData->ThrowItemInfo[cnt2].dwSum==sRecordItem.sItemInfo.ItemHeader.dwChkSum ) {
break;
}
}
if ( ThrowItemCount<THROW_ITEM_INFO_MAX ) {
for(cnt3=0;cnt3<ThrowItemCount;cnt3++) {
if ( ThrowItemInfo[cnt3].dwCode==sRecordItem.sItemInfo.CODE &&
ThrowItemInfo[cnt3].dwKey==sRecordItem.sItemInfo.ItemHeader.Head &&
ThrowItemInfo[cnt3].dwSum==sRecordItem.sItemInfo.ItemHeader.dwChkSum ) {
break;
}
}
if ( cnt3>=ThrowItemCount ) {
ThrowItemInfo[ThrowItemCount].dwCode = sRecordItem.sItemInfo.CODE;
ThrowItemInfo[ThrowItemCount].dwKey = sRecordItem.sItemInfo.ItemHeader.Head;
ThrowItemInfo[ThrowItemCount].dwSum = sRecordItem.sItemInfo.ItemHeader.dwChkSum;
ThrowItemCount++;
}
}
if ( cnt2>=lpTransRecordData->ThrowItemCount ) {
//·Î±×¿¡ ±â·Ï
smTransCommand.WParam = 8000;
smTransCommand.WxParam = 1;
smTransCommand.LxParam = (int)"*RECORD ITEM";
smTransCommand.LParam = sRecordItem.sItemInfo.CODE;
smTransCommand.SParam = sRecordItem.sItemInfo.ItemHeader.Head;
smTransCommand.EParam = sRecordItem.sItemInfo.ItemHeader.dwChkSum;
RecordHackLogFile( lpPlayInfo , &smTransCommand );
}
}
else {
if ( flag>0 ) {
//¾ÆÀÌÅÛÀÌ Á¸Àç ÇÏÁö¸¸ ¹ö·ÁÁø Äڵ忡 ÀÖ´ÂÁö ÀçÈ®ÀÎ( Á¦°Å ½ÃÅ´ )
for( cnt2=0;cnt2<lpTransRecordData->ThrowItemCount;cnt2++ ) {
if ( lpTransRecordData->ThrowItemInfo[cnt2].dwCode==sRecordItem.sItemInfo.CODE &&
lpTransRecordData->ThrowItemInfo[cnt2].dwKey==sRecordItem.sItemInfo.ItemHeader.Head &&
lpTransRecordData->ThrowItemInfo[cnt2].dwSum==sRecordItem.sItemInfo.ItemHeader.dwChkSum ) {
if ( ThrowItemCount<THROW_ITEM_INFO_MAX ) {
ThrowItemInfo[ThrowItemCount].dwCode = sRecordItem.sItemInfo.CODE;
ThrowItemInfo[ThrowItemCount].dwKey = sRecordItem.sItemInfo.ItemHeader.Head;
ThrowItemInfo[ThrowItemCount].dwSum = sRecordItem.sItemInfo.ItemHeader.dwChkSum;
ThrowItemCount++;
}
break;
}
}
}
}
if ( flag>1 ) {
//º¹»ç¾ÆÀÌÅÛ ¹ß°ß ó¸®
//·Î±×¿¡ ±â·Ï
smTransCommand.WParam = 8000;
smTransCommand.WxParam = flag;
smTransCommand.LxParam = (int)"*RECORD COPIED ITEM";
smTransCommand.LParam = sRecordItem.sItemInfo.CODE;
smTransCommand.SParam = sRecordItem.sItemInfo.ItemHeader.Head;
smTransCommand.EParam = sRecordItem.sItemInfo.ItemHeader.dwChkSum;
RecordHackLogFile( lpPlayInfo , &smTransCommand );
}
}
size = ((int *)lpRecItem)[0];
BuffSize += size;
lpRecItem += size;
if ( BuffSize>=(sizeof(sRECORD_ITEM)*RECORD_ITEM_MAX) ) break; //¹öÆÛ Å©±â Ãʰú½Ã
}
if ( ThrowItemCount>0 ) {
memcpy( lpTransRecordData->ThrowItemInfo , ThrowItemInfo, sizeof(sTHROW_ITEM_INFO)*ThrowItemCount );
lpTransRecordData->ThrowItemCount = ThrowItemCount;
}
//â°í¸¦ ¿¬ÀûÀÌ ÀÖÀ¸¸é â°íµµ °Ë»ç
sWAREHOUSE WareHouseCheck;
TRANS_WAREHOUSE TransWareHouse;
int WareHouseFixFlag = 0;
char szFileName[128];
char szItemName[64];
FILE *fp;
if ( lpPlayInfo->OpenWarehouseInfoFlag && (lpPlayInfo->dwDataError&rsDATA_ERROR_WAREHOUSE)==0 ) {
GetWareHouseFile( lpPlayInfo->szID , szFileName );
fp = fopen( szFileName , "rb" );
if ( fp ) {
fread( &TransWareHouse , sizeof(TRANS_WAREHOUSE), 1 , fp );
fclose(fp);
}
else {
lpPlayInfo->OpenWarehouseInfoFlag = 0;
}
}
skip_Warehouse:
if ( lpPlayInfo->OpenWarehouseInfoFlag ) {
//â°í ¾ÐÃà Ç®¾î¼ ¾ÆÀÌÅÛ °Ë»çÇÏ¿© ¼³Á¤
DecodeCompress( (BYTE *)TransWareHouse.Data , (BYTE *)&WareHouseCheck , sizeof(sWAREHOUSE) );
//¿À·ù³ â°í È®ÀÎ
DWORD dwChkSum = 0;
char *szComp = (char *)&WareHouseCheck;
for(int cnt=0;cnt<sizeof(sWAREHOUSE);cnt++ ) {
dwChkSum += szComp[cnt]*(cnt+1);
}
if ( dwChkSum!=TransWareHouse.dwChkSum ) {
lpPlayInfo->OpenWarehouseInfoFlag = 0;
goto skip_Warehouse;
}
for(cnt=0;cnt<100;cnt++) {
if ( WareHouseCheck.WareHouseItem[cnt].Flag ) {
flag = 0;
for( cnt2=0;cnt2<INVEN_ITEM_INFO_MAX;cnt2++ ) {
if ( lpPlayInfo->InvenItemInfo[cnt2].dwCode &&
lpPlayInfo->InvenItemInfo[cnt2].dwCode==WareHouseCheck.WareHouseItem[cnt].sItemInfo.CODE &&
lpPlayInfo->InvenItemInfo[cnt2].dwKey==WareHouseCheck.WareHouseItem[cnt].sItemInfo.ItemHeader.Head &&
lpPlayInfo->InvenItemInfo[cnt2].dwSum==WareHouseCheck.WareHouseItem[cnt].sItemInfo.ItemHeader.dwChkSum ) {
lpPlayInfo->InvenItemInfo[cnt2].dwCode = 0;
flag++;
}
}
for( cnt2=0;cnt2<100;cnt2++ ) {
if ( lpPlayInfo->WareHouseItemInfo[cnt2].dwCode &&
lpPlayInfo->WareHouseItemInfo[cnt2].dwCode==WareHouseCheck.WareHouseItem[cnt].sItemInfo.CODE &&
lpPlayInfo->WareHouseItemInfo[cnt2].dwKey==WareHouseCheck.WareHouseItem[cnt].sItemInfo.ItemHeader.Head &&
lpPlayInfo->WareHouseItemInfo[cnt2].dwSum==WareHouseCheck.WareHouseItem[cnt].sItemInfo.ItemHeader.dwChkSum ) {
lpPlayInfo->WareHouseItemInfo[cnt2].dwCode = 0;
flag++;
}
}
if ( !flag ) {
WareHouseCheck.WareHouseItem[cnt].Flag = 0;
WareHouseFixFlag ++;
//µ¥ÀÌŸ ¿À·ù³¯ ¼ö Àֱ⠶§¹®¿¡ ¹öÆÛ¿¡ À̵¿ÈÄ ·Î±× ±â·Ï
memcpy( szItemName , WareHouseCheck.WareHouseItem[cnt].sItemInfo.ItemName , 32 );
szItemName[31] = 0;
//·Î±×¿¡ ±â·Ï
smTransCommand.WParam = 8000;
smTransCommand.WxParam = 3;
smTransCommand.LxParam = (int)szItemName;
smTransCommand.LParam = WareHouseCheck.WareHouseItem[cnt].sItemInfo.CODE;
smTransCommand.SParam = WareHouseCheck.WareHouseItem[cnt].sItemInfo.ItemHeader.Head;
smTransCommand.EParam = WareHouseCheck.WareHouseItem[cnt].sItemInfo.ItemHeader.dwChkSum;
RecordHackLogFile( lpPlayInfo , &smTransCommand );
}
if ( flag>1 ) {
//·Î±×¿¡ ±â·Ï
smTransCommand.WParam = 8000;
smTransCommand.WxParam = flag;
smTransCommand.LxParam = (int)"*RECORD COPIED ITEM IN WAREHOUSE";
smTransCommand.LParam = WareHouseCheck.WareHouseItem[cnt].sItemInfo.CODE;
smTransCommand.SParam = WareHouseCheck.WareHouseItem[cnt].sItemInfo.ItemHeader.Head;
smTransCommand.EParam = WareHouseCheck.WareHouseItem[cnt].sItemInfo.ItemHeader.dwChkSum;
RecordHackLogFile( lpPlayInfo , &smTransCommand );
}
}
}
if ( WareHouseCheck.Money ) {
lpPlayInfo->WareHouseMoney = (WareHouseCheck.Money-2023);
money = lpTransRecordData->smCharInfo.Money;
money += lpPlayInfo->WareHouseMoney;
if( lpTransRecordData->smCharInfo.Money<0 ) {
//ij¸¯ ÁÖ¸Ó´ÏÀÇ µ·ÀÌ - Àΰæ¿ì â°íÀÇ µ·À¸·Î º¸Á¤
lpTransRecordData->smCharInfo.Money = 0;
money = lpPlayInfo->WareHouseMoney;
}
}
else {
lpPlayInfo->WareHouseMoney = 0;
money = lpTransRecordData->smCharInfo.Money;
}
if ( money>lpPlayInfo->ServerMoney ) {
//·Î±×¿¡ ±â·Ï
smTransCommand.WParam = 8010;
smTransCommand.LParam = 2;
smTransCommand.SParam = lpPlayInfo->ServerMoney;
smTransCommand.EParam = (int)money;
RecordHackLogFile( lpPlayInfo , &smTransCommand );
cnt2 = (int)(money-lpPlayInfo->ServerMoney);
lpTransRecordData->smCharInfo.Money -= cnt2;
lpPlayInfo->UnsaveMoney = -1;
lpTransRecordData->GameSaveInfo.LastMoeny = -1;
if ( lpTransRecordData->smCharInfo.Money<0 ) {
WareHouseCheck.Money += lpTransRecordData->smCharInfo.Money;
if ( WareHouseCheck.Money<2023 ) WareHouseCheck.Money = 2023;
WareHouseFixFlag ++;
lpTransRecordData->smCharInfo.Money=0;
}
}
if ( WareHouseFixFlag && !Mode ) {
//â°í ÀúÀå
if ( SaveWareHouse( &WareHouseCheck , &TransWareHouse )==TRUE ) {
//â°í µ¥ÀÌŸ ÀúÀå
rsSaveWareHouseData( lpPlayInfo->szID , &TransWareHouse );
}
}
}
else {
//if ( WareHouseCheck.Money )
// lpPlayInfo->ServerMoney += WareHouseCheck.Money-2023;
//µ· ¼öÄ¡ °Ë»çÇÏ¿© º¸Á¤
if ( lpTransRecordData->smCharInfo.Money>lpPlayInfo->ServerMoney ) {
//·Î±×¿¡ ±â·Ï
smTransCommand.WParam = 8010;
smTransCommand.LParam = 1;
smTransCommand.SParam = lpPlayInfo->ServerMoney;
smTransCommand.EParam = lpTransRecordData->smCharInfo.Money;
RecordHackLogFile( lpPlayInfo , &smTransCommand );
lpTransRecordData->smCharInfo.Money = lpPlayInfo->ServerMoney;
lpPlayInfo->UnsaveMoney = -1;
if ( lpTransRecordData->smCharInfo.Money<0 ) lpTransRecordData->smCharInfo.Money=0;
}
money = lpTransRecordData->GameSaveInfo.LastMoeny;
if ( money && (money-1)>lpPlayInfo->ServerMoney ) {
//·Î±×¿¡ ±â·Ï
smTransCommand.WParam = 8010;
smTransCommand.LParam = 3;
smTransCommand.SParam = lpPlayInfo->ServerMoney;
smTransCommand.EParam = lpTransRecordData->GameSaveInfo.LastMoeny-1;
RecordHackLogFile( lpPlayInfo , &smTransCommand );
lpTransRecordData->GameSaveInfo.LastMoeny = lpPlayInfo->ServerMoney+1;
if ( lpTransRecordData->GameSaveInfo.LastMoeny<0 ) lpTransRecordData->GameSaveInfo.LastMoeny=0;
}
}
return TRUE;
}
//ij¸¯ÅÍ Á¦°Å ±â·Ï ÆÄÀÏ·Î ³²±è
int RecordDeleteCharacterError( char *szID , char *szName );
//ÇØ´ç ID¿¡ ÇØ´çÇϴ ij¸¯ÅÍ µ¥ÀÌŸ¸¦ Ŭ¶óÀÌ¾ðÆ®·Î Àü¼ÛÇÔ
int rsRECORD_DBASE::SendUserDataToClient( char *szID , smWINSOCK *lpsmSock , char *szServerID )
{
char szFile[256];
char szFile2[256];
char szFileInfo[256];
WIN32_FIND_DATA ffd;
HANDLE hFind;
sPLAY_USER_DATA sPlayUserData;
TRANS_USERCHAR_INFO TransUserCharInfo;
_TRANS_CHAR_INFO *lpCharInfo;
FILE *fp;
int cnt;
int FindCnt;
int DeleteCnt;
int LevelMax = 0;
int CharNameMax = CHAR_NAME_MAXLEN;
//ÆÄÀϺҷ¯¿À±â
//wsprintf( szFileInfo , "userInfo\\%s.dat" , szID );
if ( rsServerConfig.TT_DataServer_Count )
CharNameMax = CHAR_NAME_MAXLEN+6;
GetUserInfoFile( szID , szFileInfo );
lstrcpy( LastAcessID , szID );
hFind = FindFirstFile( szFileInfo , &ffd );
FindClose( hFind );
if ( hFind==INVALID_HANDLE_VALUE ) {
//CreateDirectory( szRecordUserInfoDir , NULL ); //µð·ºÅ丮 »ý¼º
//ÆÄÀÏÀÌ ¾øÀ»¶§ ½Å±Ô »ý¼º
ZeroMemory( &sPlayUserData , sizeof( sPLAY_USER_DATA ) );
lstrcpy( sPlayUserData.szID , szID );
lstrcpy( sPlayUserData.szHeader , "PS_TAILID 1.10" );
fp = fopen( szFileInfo , "wb" );
if ( !fp ) return FALSE;
fwrite( &sPlayUserData , sizeof( sPLAY_USER_DATA ) , 1, fp );
fclose(fp);
}
else {
ZeroMemory( &sPlayUserData , sizeof( sPLAY_USER_DATA ) );
fp = fopen( szFileInfo , "rb" );
if ( !fp ) return FALSE;
fread( &sPlayUserData , sizeof( sPLAY_USER_DATA ) , 1, fp );
fclose(fp);
if ( lstrcmpi( sPlayUserData.szID , szID )!=0 ) {
//ÆÄÀÏÀÌ ¾øÀ»¶§ ½Å±Ô »ý¼º
ZeroMemory( &sPlayUserData , sizeof( sPLAY_USER_DATA ) );
lstrcpy( sPlayUserData.szID , szID );
lstrcpy( sPlayUserData.szHeader , "PS_TAILID 1.10" );
fp = fopen( szFileInfo , "wb" );
if ( !fp ) return FALSE;
fwrite( &sPlayUserData , sizeof( sPLAY_USER_DATA ) , 1, fp );
fclose(fp);
}
}
TransUserCharInfo.code = smTRANSCODE_ID_SETUSERINFO;
TransUserCharInfo.size = sizeof(TRANS_USERCHAR_INFO);
lstrcpy( TransUserCharInfo.szID , szID );
FindCnt = 0;
DeleteCnt = 0;
for(int cnt=0;cnt<sPLAY_CHAR_MAX;cnt++) {
if ( sPlayUserData.szCharName[cnt][0] ) {
//ij¸¯ÅÍ ÆÄÀÏ¿¡¼ µ¥ÀÌŸ ÀÔ¼ö
//wsprintf( szFile , "userdata\\%s.dat" , sPlayUserData.szCharName[cnt] );
GetUserDataFile( sPlayUserData.szCharName[cnt] , szFile );
ZeroMemory( &TransRecordData , sizeof(TRANS_RECORD_DATA) );
fp = fopen( szFile , "rb" );
if ( fp ) {
fread( &TransRecordData , sizeof(TRANS_RECORD_DATA) , 1 , fp );
fclose(fp);
if ( lstrcmpi( TransRecordData.smCharInfo.szName , sPlayUserData.szCharName[cnt] )==0 &&
lstrlen(sPlayUserData.szCharName[cnt])<CharNameMax ) { //CHAR_NAME_MAXLEN ) {
lpCharInfo = (_TRANS_CHAR_INFO *)&TransUserCharInfo.CharInfo[FindCnt];
lstrcpy( lpCharInfo->szName , TransRecordData.smCharInfo.szName );
lstrcpy( lpCharInfo->szModelName , TransRecordData.smCharInfo.szModelName );
lstrcpy( lpCharInfo->szModelName2 , TransRecordData.smCharInfo.szModelName2 );
lpCharInfo->Brood = TransRecordData.smCharInfo.Brood;
lpCharInfo->dwArmorCode = 0;
//lpCharInfo->JOB_CODE = TransRecordData.smCharInfo.JOB_CODE |(TransRecordData.smCharInfo.ChangeJob<<24);
lpCharInfo->JOB_CODE = TransRecordData.smCharInfo.JOB_CODE;
lpCharInfo->Level = TransRecordData.smCharInfo.Level;
if ( rsServerConfig.FixedStartField )
lpCharInfo->StartField =rsServerConfig.FixedStartField; //½ÃÀÛÇÊµå °Á¦ ÁöÁ¤
else
lpCharInfo->StartField =TransRecordData.GameSaveInfo.PlayStageNum;
if ( lpCharInfo->StartField==rsSOD_FIELD ) lpCharInfo->StartField = rsSOD_VILLAGE;
if ( lpCharInfo->StartField==QUEST_ARENA_FIELD ) {
if ( lpCharInfo->JOB_CODE<=4 )
lpCharInfo->StartField = START_FIELD_NUM;
else
lpCharInfo->StartField = START_FIELD_MORYON;
}
if ( TransRecordData.smCharInfo.wPlayerKilling[0]>0 ) {
//°¨¿Á¿¡ °¤ÇôÀÖ´Â »óÅÂ
lpCharInfo->PosX = PrisonX;
lpCharInfo->PosZ = PrisonZ;
}
else {
lpCharInfo->PosX = TransRecordData.GameSaveInfo.PosX;
lpCharInfo->PosZ = TransRecordData.GameSaveInfo.PosZ;
}
if ( LevelMax<lpCharInfo->Level ) LevelMax=lpCharInfo->Level;
FindCnt++;
}
else {
if ( TransRecordData.size ) {
//¿À·ùij¸¯ÆÄÀÏ ¹é¾÷
GetDeleteDataFile( sPlayUserData.szCharName[cnt] , szFile2 );
CopyFile( szFile , szFile2 , FALSE );
RecordDeleteCharacterError( szID , szFile );
}
DeleteFile( szFile );
//¿À·ù³ À̸§ »èÁ¦
sPlayUserData.szCharName[cnt][0] = 0;
DeleteCnt++;
}
}
else {
//¿À·ù³ À̸§ »èÁ¦
sPlayUserData.szCharName[cnt][0] = 0;
DeleteCnt++;
}
}
}
if ( FindCnt>5 ) FindCnt=5;
//Ŭ¶óÀÌ¾ðÆ®·Î Àü¼Û
TransUserCharInfo.PlayUserCount = FindCnt;
lpsmSock->Send2( (char *)&TransUserCharInfo , TransUserCharInfo.size , TRUE );
//¿À·ù³ µ¥ÀÌŸ º¹±¸½Ã ´Ù½Ã ÀúÁ¤
if ( DeleteCnt ) {
fp = fopen( szFileInfo , "wb" );
if ( fp ) {
fwrite( &sPlayUserData , sizeof( sPLAY_USER_DATA ) , 1, fp );
fclose(fp);
}
}
return LevelMax;
}
//ij¸¯ÅÍ µ¥ÀÌŸ Á¤º¸ »ðÀÔ
int rsRECORD_DBASE::InsertCharData( char *szID , char *szName , int Mode )
{
char szFile[256];
sPLAY_USER_DATA sPlayUserData;
FILE *fp;
int cnt;
if ( !Mode && IsData( szName )==TRUE ) return FALSE;
//ÆÄÀϺҷ¯¿À±â
//wsprintf( szFile , "userInfo\\%s.dat" , szID );
GetUserInfoFile( szID , szFile );
fp = fopen( szFile , "rb" );
if ( !fp ) return FALSE;
fread( &sPlayUserData , sizeof( sPLAY_USER_DATA ) , 1, fp );
fclose(fp);
for(int cnt=0;cnt<sPLAY_CHAR_MAX;cnt++) {
if ( !sPlayUserData.szCharName[cnt][0] ) {
lstrcpy( sPlayUserData.szCharName[cnt] , szName );
fp = fopen( szFile , "wb" );
if ( fp ) {
fwrite( &sPlayUserData , sizeof( sPLAY_USER_DATA ) , 1, fp );
fclose(fp);
}
////////// ¿©±â¿¡ Àӽà À¯Àú µ¥ÀÌŸ ÆÄÀÏ »ðÀÔ ( ¸ðµç ¸Þ¸ð¸® Zero ¼¼ÆÃ ) //////////////
if ( !Mode ) {
GetUserDataFile( sPlayUserData.szCharName[cnt] , szFile );
ZeroMemory( &TransRecordData , sizeof(TRANS_RECORD_DATA) );
fp = fopen( szFile , "wb" );
if ( fp ) {
fwrite( &TransRecordData , srRECORD_MEMORY_SIZE , 1, fp );
fclose( fp );
}
}
return TRUE;
}
}
return FALSE;
}
//ij¸¯ÅÍ µ¥ÀÌŸ »èÁ¦
int rsRECORD_DBASE::DeleteCharData( char *szID , char *szName )
{
char szFile[256];
char szDelFile[256];
char szDelBackupFile[256];
FILE *fp;
int cnt;
sPLAY_USER_DATA sPlayUserData;
// wsprintf( szFile , "userdata\\%s.dat" , szName );
GetUserDataFile( szName , szDelFile );
fp = fopen( szDelFile , "rb" );
if ( fp ) {
fread( &TransRecordData , sizeof(TRANS_RECORD_DATA) , 1, fp );
fclose( fp );
}
//ÆÄÀϺҷ¯¿À±â
// wsprintf( szFile , "userInfo\\%s.dat" , szID );
GetUserInfoFile( szID , szFile );
fp = fopen( szFile , "rb" );
if ( !fp ) return FALSE;
fread( &sPlayUserData , sizeof( sPLAY_USER_DATA ) , 1, fp );
fclose(fp);
for(int cnt=0;cnt<sPLAY_CHAR_MAX;cnt++) {
if ( sPlayUserData.szCharName[cnt][0] &&
lstrcmpi( sPlayUserData.szCharName[cnt] , szName )==0 ) {
sPlayUserData.szCharName[cnt][0] = 0;
fp = fopen( szFile , "wb" );
if ( fp ) {
fwrite( &sPlayUserData , sizeof( sPLAY_USER_DATA ) , 1, fp );
fclose(fp);
if ( TransRecordData.smCharInfo.Level>=10 ) {
//·¹º§ 10ÀÌ»óÀÇ Ä³¸¯ÅÍ´Â ¹é¾÷ ¹ÞÀ½
GetDeleteDataFile( szName , szDelBackupFile );
if ( TransRecordData.smCharInfo.Level>=20 )
CopyFile( szDelFile , szDelBackupFile , TRUE );
else
CopyFile( szDelFile , szDelBackupFile , FALSE );
}
DeleteFile( szDelFile );
}
return TRUE;
}
}
return TRUE;
}
#include "checkname.h" //Áöº´ÈÆ Á¦ÀÛ
//ij¸¯ÅͰ¡ Á¸Àç ÇÏ´ÂÁö ÆÄÀÏÀ» °Ë»çÇÏ¿© È®ÀÎ
int rsRECORD_DBASE::IsData( char *szName )
{
char szFile[256];
WIN32_FIND_DATA ffd;
HANDLE hFind;
//ÆÄÀϺҷ¯¿À±â
//wsprintf( szFile , "userdata\\%s.dat" , szName );
//CreateDirectory( szRecordUserDataDir , NULL ); //µð·ºÅ丮 »ý¼º
//CreateDirectory( szRecordUserBackupDataDir , NULL ); //µð·ºÅ丮 »ý¼º
if ( lstrlen(szName)>=CHAR_NAME_MAXLEN ) return TRUE;
if(!c_CheckName(".\\CharacterNameList",szName)) return TRUE; // <--- ¿ä°Å Ãß°¡ ÇÔ µÊ´Ï´Ù.(Áöº´ÈÆ)
GetUserDataFile( szName , szFile );
hFind = FindFirstFile( szFile , &ffd );
FindClose( hFind );
if ( hFind!=INVALID_HANDLE_VALUE ) {
return TRUE;
}
return FALSE;
}
//¹ö·ÁÁø ¾ÆÀÌÅÛ µ¥ÀÌŸ ÀúÀå
int rsRECORD_DBASE::SaveThrowData( char *szName , sTHROW_ITEM_INFO *lpThrowItemList , int Count , int SaveMoney )
{
char szFile[256];
FILE *fp;
if ( !szName[0] ) return FALSE;
//wsprintf( szFile , "userdata\\%s.dat" , szName );
GetUserDataFile( szName , szFile );
fp = fopen( szFile , "rb" );
if ( !fp ) return FALSE;
fread( &TransRecordData , sizeof(TRANS_RECORD_DATA) , 1 , fp );
fclose(fp);
memcpy( &TransRecordData.ThrowItemInfo , lpThrowItemList , sizeof(sTHROW_ITEM_INFO)*Count );
TransRecordData.ThrowItemCount = Count;
//¹ö·ÁÁø µ·±â·Ï ( ¿ø·¡ ÀúÀåµÈ°ªº¸´Ù ÀÛÀº°æ¿ì¸¸ ÀúÀå - º¹»ç¹æÁö )
if ( SaveMoney>=0 && TransRecordData.smCharInfo.Money>SaveMoney )
TransRecordData.GameSaveInfo.LastMoeny = SaveMoney+1; //µ· ±â·Ï
fp = fopen( szFile , "wb" );
if ( !fp ) return FALSE;
fwrite( &TransRecordData , sizeof(TRANS_RECORD_DATA) , 1 , fp );
fclose(fp);
return TRUE;
}
/*
//â°í µ¥ÀÌŸ ÀúÀå
int SaveWareHouseData( TRANS_WAREHOUSE *lpTransWareHouse );
//â°í µ¥ÀÌŸ ·Îµù
int LoadWareHouseData( smWINSOCK *lpsmSock );
*/
//â°í µ¥ÀÌŸ ÀúÀå
int rsSaveWareHouseData( char *szID , TRANS_WAREHOUSE *lpTransWareHouse )
{
char szFileName[128];
FILE *fp;
GetWareHouseFile( szID , szFileName );
//CreateDirectory( szRecordWareHouseDir , NULL ); //µð·ºÅ丮 »ý¼º
fp = fopen( szFileName , "wb" );
if ( !fp ) return FALSE;
fwrite( lpTransWareHouse , lpTransWareHouse->size , 1 , fp );
fclose(fp);
return TRUE;
}
//â°í µ¥ÀÌŸ ¼ÛÃâ
//int rsLoadWareHouseData( char *szID , smWINSOCK *lpsmSock )
int rsLoadWareHouseData( rsPLAYINFO *lpPlayInfo )
{
char szFileName[128];
TRANS_WAREHOUSE TransWareHouse;
sWAREHOUSE WareHouseCheck;
FILE *fp;
smTRANS_COMMAND_EX smTransCommand;
int CopiedItemFlag;
//int cnt;
WIN32_FIND_DATA ffd;
HANDLE hFind;
int Money;
int cnt,cnt2;
GetWareHouseFile( lpPlayInfo->szID , szFileName );
hFind = FindFirstFile( szFileName , &ffd );
FindClose( hFind );
if ( hFind!=INVALID_HANDLE_VALUE ) {
fp = fopen( szFileName , "rb" );
if ( fp ) {
fread( &TransWareHouse , sizeof(TRANS_WAREHOUSE), 1 , fp );
fclose(fp);
}
}
else {
TransWareHouse.code = smTRANSCODE_WAREHOUSE;
TransWareHouse.size = sizeof(TRANS_WAREHOUSE)-sizeof(sWAREHOUSE);
TransWareHouse.DataSize = 0;
TransWareHouse.dwChkSum = 0;
TransWareHouse.wVersion[0] = Version_WareHouse;
TransWareHouse.wVersion[1] = 0;
TransWareHouse.WareHouseMoney = 0;
TransWareHouse.UserMoney = 0;
TransWareHouse.dwTemp[0] = 0;
TransWareHouse.dwTemp[1] = 0;
TransWareHouse.dwTemp[2] = 0;
TransWareHouse.dwTemp[3] = 0;
TransWareHouse.dwTemp[4] = 0;
}
/*
//â°í ¾ÆÀÌÅÛ ÀÎÁõ º¯È¯ ( ±¸¹öÀü â°í )
if ( TransWareHouse.wVersion[0]<Version_WareHouse ) {
sWAREHOUSE sWareHouse;
//â°í °¡Á®¿À±â
if ( LoadWareHouse( &TransWareHouse , &sWareHouse , 1 )==FALSE )
return FALSE;
//¾ÆÀÌÅÛ ¼¹ö ÀçÀÎÁõ
for(int cnt=0;cnt<100;cnt++) {
if ( sWareHouse.WareHouseItem[cnt].Flag ) {
rsReformItem_Server( &sWareHouse.WareHouseItem[cnt].sItemInfo );
}
}
//â°í ±¸Á¶Ã¼¿¡ ÀúÀå
if ( SaveWareHouse( &sWareHouse , &TransWareHouse )==FALSE )
return FALSE;
//´Ù½Ã ÀúÀå
fp = fopen( szFileName , "wb" );
if ( fp ) {
fwrite( &TransWareHouse , TransWareHouse.size , 1 , fp );
fclose(fp);
}
}
*/
if ( TransWareHouse.size>=smSOCKBUFF_SIZE ) TransWareHouse.size = smSOCKBUFF_SIZE;
Money = TransWareHouse.WareHouseMoney; //±âÁ¸¿¡ ÀúÀåµÈ µ·
TransWareHouse.WareHouseMoney = 0;
TransWareHouse.UserMoney = 0;
CopiedItemFlag = 0;
Server_DebugCount = 500;
if ( !lpPlayInfo->OpenWarehouseInfoFlag ) {
Server_DebugCount = 510;
lpPlayInfo->OpenWarehouseInfoFlag = TRUE;
ZeroMemory( lpPlayInfo->WareHouseItemInfo , sizeof(sTHROW_ITEM_INFO)*100 );
if ( TransWareHouse.DataSize ) {
//â°í ¾ÐÃà Ç®¾î¼ ¾ÆÀÌÅÛ °Ë»çÇÏ¿© ¼³Á¤
DecodeCompress( (BYTE *)TransWareHouse.Data , (BYTE *)&WareHouseCheck , sizeof(sWAREHOUSE) );
//¿À·ù³ â°í È®ÀÎ
DWORD dwChkSum = 0;
char *szComp = (char *)&WareHouseCheck;
for(int cnt=0;cnt<sizeof(sWAREHOUSE);cnt++ ) {
dwChkSum += szComp[cnt]*(cnt+1);
}
if ( dwChkSum!=TransWareHouse.dwChkSum ) {
lpPlayInfo->OpenWarehouseInfoFlag = FALSE;
lpPlayInfo->dwDataError |= rsDATA_ERROR_WAREHOUSE;
return 0;
}
for(int cnt=0;cnt<100;cnt++ ) {
if ( WareHouseCheck.WareHouseItem[cnt].Flag ) {
for(cnt2=0;cnt2<INVEN_ITEM_INFO_MAX;cnt2++) {
//º¹»ç¾ÆÀÌÅÛ °Ë»ç
if ( lpPlayInfo->InvenItemInfo[cnt2].dwCode &&
lpPlayInfo->InvenItemInfo[cnt2].dwCode==WareHouseCheck.WareHouseItem[cnt].sItemInfo.CODE &&
lpPlayInfo->InvenItemInfo[cnt2].dwKey==WareHouseCheck.WareHouseItem[cnt].sItemInfo.ItemHeader.Head &&
lpPlayInfo->InvenItemInfo[cnt2].dwSum==WareHouseCheck.WareHouseItem[cnt].sItemInfo.ItemHeader.dwChkSum ) {
//·Î±×¿¡ ±â·Ï
smTransCommand.WParam = 8070;
smTransCommand.WxParam = 2;
smTransCommand.LxParam = (int)"*WAREHOUSE";
smTransCommand.LParam = WareHouseCheck.WareHouseItem[cnt].sItemInfo.CODE;
smTransCommand.SParam = WareHouseCheck.WareHouseItem[cnt].sItemInfo.ItemHeader.Head;
smTransCommand.EParam = WareHouseCheck.WareHouseItem[cnt].sItemInfo.ItemHeader.dwChkSum;
RecordHackLogFile( lpPlayInfo , &smTransCommand );
CopiedItemFlag++;
break;
}
}
if ( cnt2>=INVEN_ITEM_INFO_MAX ) {
lpPlayInfo->WareHouseItemInfo[cnt].dwCode = WareHouseCheck.WareHouseItem[cnt].sItemInfo.CODE;
lpPlayInfo->WareHouseItemInfo[cnt].dwKey = WareHouseCheck.WareHouseItem[cnt].sItemInfo.ItemHeader.Head;
lpPlayInfo->WareHouseItemInfo[cnt].dwSum = WareHouseCheck.WareHouseItem[cnt].sItemInfo.ItemHeader.dwChkSum;
}
}
}
if ( WareHouseCheck.Money )
lpPlayInfo->AddServerMoney( WareHouseCheck.Money-2023 , WHERE_OPEN_WAREHOUES );
//lpPlayInfo->ServerMoney += WareHouseCheck.Money-2023;
}
Server_DebugCount = 520;
}
if ( !CopiedItemFlag ) {
if ( lpPlayInfo->lpsmSock )
lpPlayInfo->lpsmSock->Send2( (char *)&TransWareHouse , TransWareHouse.size , TRUE );
}
else {
//º¹»ç¾ÆÀÌÅÛ °¡Áö°í Àִ»ç¶÷ ÀÚµ¿À¸·Î ÆÃ±â°Ô ÇÑ´Ù
smTransCommand.code = smTRANSCODE_CLOSECLIENT;
smTransCommand.size = sizeof(smTRANS_COMMAND);
smTransCommand.WParam = 0;
smTransCommand.LParam = 0;
smTransCommand.SParam = 0;
smTransCommand.EParam = 0;
if ( lpPlayInfo->lpsmSock )
lpPlayInfo->lpsmSock->Send2( (char *)&smTransCommand , smTransCommand.size , TRUE );
/*
/////////////////// µð¹ö±× Á¤º¸ ±â·Ï /////////////////////////////////////////////////
//////////////////////////////////////////////////////////////////////////////////////
fp = fopen( "(debug)warhouse-info.dat" , "wb" );
if ( fp ) {
fwrite( lpPlayInfo->WareHouseItemInfo , sizeof(sTHROW_ITEM_INFO)*100 , 1, fp );
fclose(fp);
}
fp = fopen( "(debug)inven-info.dat" , "wb" );
if ( fp ) {
fwrite( lpPlayInfo->InvenItemInfo , sizeof(sTHROW_ITEM_INFO)*300 , 1, fp );
fclose(fp);
}
fp = fopen( "(debug)Warehouse-data.dat" , "wb" );
if ( fp ) {
fwrite( &TransWareHouse , TransWareHouse.size , 1, fp );
fclose(fp);
}
fp = fopen( "(debug)item-Info.dat" , "wb" );
if ( fp ) {
fwrite( lpPlayInfo->lpRecordDataBuff , sizeof(TRANS_RECORD_DATA) , 1, fp );
fclose(fp);
}
*/
//////////////////////////////////////////////////////////////////////////////////////
}
Server_DebugCount = 0;
return Money;
}
//â°í ¿±â (°ü¸®¿ë)
int rsLoadWareHouseData_Admin( rsPLAYINFO *lpPlayInfo , char *szID , int Day )
{
char szFileName[128];
TRANS_WAREHOUSE TransWareHouse;
FILE *fp;
WIN32_FIND_DATA ffd;
HANDLE hFind;
if ( Day==0 )
GetWareHouseFile( szID , szFileName );
else
GetWareHouseFile_Backup( szID , szFileName , Day );
hFind = FindFirstFile( szFileName , &ffd );
FindClose( hFind );
if ( hFind!=INVALID_HANDLE_VALUE ) {
fp = fopen( szFileName , "rb" );
if ( fp ) {
fread( &TransWareHouse , sizeof(TRANS_WAREHOUSE), 1 , fp );
fclose(fp);
}
}
else {
return FALSE;
}
if ( TransWareHouse.size>=smSOCKBUFF_SIZE ) TransWareHouse.size = smSOCKBUFF_SIZE;
lpPlayInfo->OpenWarehouseInfoFlag = 0;
if ( lpPlayInfo->lpsmSock )
lpPlayInfo->lpsmSock->Send2( (char *)&TransWareHouse , TransWareHouse.size , TRUE );
return TRUE;
}
//ÇØ´ç ID¿¡ ÇØ´ç ij¸¯ÅÍÀÌ Á¸ÀçÇÏ´ÂÁö È®ÀÎ
int rsCheckAccountChar( char *szID , char *szName )
{
char szFileInfo[128];
sPLAY_USER_DATA sPlayUserData;
FILE *fp;
int cnt;
GetUserInfoFile( szID , szFileInfo );
ZeroMemory( &sPlayUserData , sizeof( sPLAY_USER_DATA ) );
fp = fopen( szFileInfo , "rb" );
if ( !fp ) return FALSE;
fread( &sPlayUserData , sizeof( sPLAY_USER_DATA ) , 1, fp );
fclose(fp);
if ( lstrcmpi( sPlayUserData.szID , szID )!=0 ) return FALSE;
for(int cnt=0;cnt<sPLAY_CHAR_MAX;cnt++) {
if ( sPlayUserData.szCharName[cnt][0] ) {
if ( lstrcmpi( sPlayUserData.szCharName[cnt] , szName )==0 ) {
return TRUE;
}
}
}
return FALSE;
}
//Æ÷½º¿Àºê »ç¿ë ¼³Á¤
int rsLoadServerForce( rsPLAYINFO *lpPlayInfo , sGAME_SAVE_INFO *lpGameSaveInfo )
{
int cnt;
int cnt2; // ¹ÚÀç¿ø - ºÎ½ºÅÍ ¾ÆÀÌÅÛ(»ý¸í·Â, ±â·Â, ±Ù·Â)
if ( lpGameSaveInfo->wForceOrbUsing[0] && lpGameSaveInfo->wForceOrbUsing[1] ) {
// ¹ÚÀç¿ø - ºô¸µ ¸ÅÁ÷ Æ÷½º Ãß°¡
cnt = lpGameSaveInfo->wForceOrbUsing[0]>>8;
if(lpGameSaveInfo->wForceOrbUsing[0]>=sin26)
{
cnt -= 16;
}
cnt --;
if(cnt>=0 && cnt<12 ) // ¹ÚÀç¿ø : ºô¸µ Æ÷½º Ãß°¡·Î Æ÷½º °¹¼ö 12·Î ¿¬Àå // ÀÏ¹Ý Æ÷½º
{
if (lpGameSaveInfo->wForceOrbUsing[1]<=ForceOrbUseTime[cnt]) {
lpPlayInfo->dwForceOrb_SaveCode = sinFO1+lpGameSaveInfo->wForceOrbUsing[0];
lpPlayInfo->dwForceOrb_SaveTime = dwPlayServTime+lpGameSaveInfo->wForceOrbUsing[1]*1000;
lpPlayInfo->dwForceOrb_SaveDamage = ForceOrbDamage[cnt];
}
}
else if( cnt>=20 && cnt < 32) // ¸ÅÁ÷ Æ÷½º
{
if (lpGameSaveInfo->wForceOrbUsing[1]<=MagicForceOrbUseTime[cnt-20]) {
lpPlayInfo->dwForceOrb_SaveCode = sinFO1+lpGameSaveInfo->wForceOrbUsing[0];
lpPlayInfo->dwForceOrb_SaveTime = dwPlayServTime+lpGameSaveInfo->wForceOrbUsing[1]*1000;
lpPlayInfo->dwForceOrb_SaveDamage = MagicForceOrbDamage[cnt-20];
}
}
else if( cnt>=34 && cnt < 37) // ºô¸µ ¸ÅÁ÷ Æ÷½º
{
if (lpGameSaveInfo->wForceOrbUsing[1]<=BillingMagicForceOrbUseTime[cnt-34]) {
lpPlayInfo->dwForceOrb_SaveCode = sinFO1+lpGameSaveInfo->wForceOrbUsing[0];
lpPlayInfo->dwForceOrb_SaveTime = dwPlayServTime+lpGameSaveInfo->wForceOrbUsing[1]*1000;
lpPlayInfo->dwForceOrb_SaveDamage = BillingMagicForceOrbDamage[cnt-34];
}
}
}
// ¹ÚÀç¿ø - ºÎ½ºÅÍ ¾ÆÀÌÅÛ(»ý¸í·Â) »ç¿ë ¼³Á¤
if ( lpGameSaveInfo->wLifeBoosterUsing[0] && lpGameSaveInfo->wLifeBoosterUsing[1] )
{
cnt2 = lpGameSaveInfo->wLifeBoosterUsing[0]>>8; // sin21 -> 21 / sin22 -> 22 / sin23 -> 23
cnt2 -= 21;
if (lpGameSaveInfo->wLifeBoosterUsing[1]<=BoosterItem_UseTime[cnt2]/60)
{
lpPlayInfo->dwLifeBooster_SaveCode = sinBC1+lpGameSaveInfo->wLifeBoosterUsing[0]; // µ¥¹ÌÁö ºÎ½ºÅÍ ÄÚµå
lpPlayInfo->dwLifeBooster_SaveTime = dwPlayServTime+lpGameSaveInfo->wLifeBoosterUsing[1]*60*1000; // µ¥¹ÌÁö ºÎ½ºÅÍ »ç¿ëÈÄ ³²Àº ½Ã°£ º¹±¸
lpPlayInfo->dwLifeBooster_SaveData = BoosterItem_DataPercent[0]; // ºÎ½ºÅÍ ¾ÆÀÌÅÛ °¡ÁßÆÛ¼¾Æ®
}
}
// ¹ÚÀç¿ø - ºÎ½ºÅÍ ¾ÆÀÌÅÛ(±â·Â) »ç¿ë ¼³Á¤
if ( lpGameSaveInfo->wManaBoosterUsing[0] && lpGameSaveInfo->wManaBoosterUsing[1] )
{
cnt2 = lpGameSaveInfo->wManaBoosterUsing[0]>>8; // sin24 -> 24 / sin25 -> 25 / sin26 -> 26
if(lpGameSaveInfo->wManaBoosterUsing[0]>=sin26) // sin26ºÎÅÍ´Â -16À» »©Áà¾ß ¿Ç¹Ù¸¥ Á¤¼ö°¡ ³ª¿Â´Ù.
{
cnt2 -= 16;
}
cnt2 -= 24;
if (lpGameSaveInfo->wManaBoosterUsing[1]<=BoosterItem_UseTime[cnt2]/60)
{
lpPlayInfo->dwManaBooster_SaveCode = sinBC1+lpGameSaveInfo->wManaBoosterUsing[0]; // µ¥¹ÌÁö ºÎ½ºÅÍ ÄÚµå
lpPlayInfo->dwManaBooster_SaveTime = dwPlayServTime+lpGameSaveInfo->wManaBoosterUsing[1]*60*1000; // µ¥¹ÌÁö ºÎ½ºÅÍ »ç¿ëÈÄ ³²Àº ½Ã°£ º¹±¸
lpPlayInfo->dwManaBooster_SaveData = BoosterItem_DataPercent[1]; // ºÎ½ºÅÍ ¾ÆÀÌÅÛ °¡ÁßÆÛ¼¾Æ®
}
}
// ¹ÚÀç¿ø - ºÎ½ºÅÍ ¾ÆÀÌÅÛ(±Ù·Â) »ç¿ë ¼³Á¤
if ( lpGameSaveInfo->wStaminaBoosterUsing[0] && lpGameSaveInfo->wStaminaBoosterUsing[1] )
{
cnt2 = lpGameSaveInfo->wStaminaBoosterUsing[0]>>8; // sin27 -> 27 / sin28 -> 28 / sin29 -> 29
if(lpGameSaveInfo->wStaminaBoosterUsing[0]>=sin26) // sin26ºÎÅÍ´Â -16À» »©Áà¾ß ¿Ç¹Ù¸¥ Á¤¼ö°¡ ³ª¿Â´Ù.
{
cnt2 -= 16;
}
cnt2 -= 27;
if (lpGameSaveInfo->wStaminaBoosterUsing[1]<=BoosterItem_UseTime[cnt2]/60)
{
lpPlayInfo->dwStaminaBooster_SaveCode = sinBC1+lpGameSaveInfo->wStaminaBoosterUsing[0]; // µ¥¹ÌÁö ºÎ½ºÅÍ ÄÚµå
lpPlayInfo->dwStaminaBooster_SaveTime = dwPlayServTime+lpGameSaveInfo->wStaminaBoosterUsing[1]*60*1000; // µ¥¹ÌÁö ºÎ½ºÅÍ »ç¿ëÈÄ ³²Àº ½Ã°£ º¹±¸
lpPlayInfo->dwStaminaBooster_SaveData = BoosterItem_DataPercent[2]; // ºÎ½ºÅÍ ¾ÆÀÌÅÛ °¡ÁßÆÛ¼¾Æ®
}
}
// À庰 - ½ºÅ³ µô·¹ÀÌ
if ( lpGameSaveInfo->wSkillDelayUsing[0] && lpGameSaveInfo->wSkillDelayUsing[1] )
{
cnt2 = lpGameSaveInfo->wSkillDelayUsing[0]>>8; // sin27 -> 27 / sin28 -> 28 / sin29 -> 29
if(lpGameSaveInfo->wSkillDelayUsing[0]>=sin26) // sin26ºÎÅÍ´Â -16À» »©Áà¾ß ¿Ç¹Ù¸¥ Á¤¼ö°¡ ³ª¿Â´Ù.
{
cnt2 -= 16;
}
cnt2 -= 27;
if (lpGameSaveInfo->wSkillDelayUsing[1]<=nSkillDelay_UseTime[cnt2-3]/60)
{
lpPlayInfo->dwSkillDelay_SaveCode = sinBC1+lpGameSaveInfo->wSkillDelayUsing[0];
lpPlayInfo->dwSkillDelay_SaveTime = dwPlayServTime+lpGameSaveInfo->wSkillDelayUsing[1]*60*1000;
// lpPlayInfo->dwSkillDelay_SaveData = BoosterItem_DataPercent[2];
}
}
//ºô¸µ¿ë ¾ÆÀÌÅÛ À¯È¿±â°£ ¼³Á¤
if ( lpGameSaveInfo->dwTime_PrimeItem_X2>(DWORD)tServerTime )
lpPlayInfo->dwTime_PrimeItem_X2 = lpGameSaveInfo->dwTime_PrimeItem_X2;
else
lpPlayInfo->dwTime_PrimeItem_X2 = 0;
if ( lpGameSaveInfo->dwTime_PrimeItem_ExpUp>(DWORD)tServerTime )
lpPlayInfo->dwTime_PrimeItem_ExpUp = lpGameSaveInfo->dwTime_PrimeItem_ExpUp;
else
lpPlayInfo->dwTime_PrimeItem_ExpUp = 0;
if ( lpPlayInfo->dwTime_PrimeItem_X2 || lpGameSaveInfo->dwTime_PrimeItem_ExpUp ) {
lpPlayInfo->dwPrimeItem_PackageCode = lpGameSaveInfo->dwPrimeItem_PackageCode; //ÆÐŰÁö ÀúÀå º¹±¸
}
if ( lpGameSaveInfo->dwTime_PrimeItem_VampCuspid>(DWORD)tServerTime )
lpPlayInfo->dwTime_PrimeItem_VampCuspid = lpGameSaveInfo->dwTime_PrimeItem_VampCuspid;
else
lpPlayInfo->dwTime_PrimeItem_VampCuspid = 0;
// À庰 - ¹ìÇǸ¯ Ä¿½ºÇÍ EX
if ( lpGameSaveInfo->dwTime_PrimeItem_VampCuspid_EX>(DWORD)tServerTime )
lpPlayInfo->dwTime_PrimeItem_VampCuspid_EX = lpGameSaveInfo->dwTime_PrimeItem_VampCuspid_EX;
else
lpPlayInfo->dwTime_PrimeItem_VampCuspid_EX = 0;
if ( lpGameSaveInfo->dwTime_PrimeItem_ManaRecharg>(DWORD)tServerTime )
lpPlayInfo->dwTime_PrimeItem_ManaRecharg = lpGameSaveInfo->dwTime_PrimeItem_ManaRecharg;
else
lpPlayInfo->dwTime_PrimeItem_ManaRecharg = 0;
if( lpGameSaveInfo->dwTime_PrimeItem_ManaReduce > (DWORD)tServerTime ) // pluto ¸¶³ª ¸®µà½º Æ÷¼Ç
{
lpPlayInfo->dwTime_PrimeItem_ManaReduce = lpGameSaveInfo->dwTime_PrimeItem_ManaReduce;
}
else
{
lpPlayInfo->dwTime_PrimeItem_ManaReduce = 0;
}
if( lpGameSaveInfo->dwTime_PrimeItem_MightofAwell > (DWORD)tServerTime ) // pluto ¸¶ÀÌÆ® ¿Àºê ¾ÆÀ£
{
lpPlayInfo->dwTime_PrimeItem_MightofAwell = lpGameSaveInfo->dwTime_PrimeItem_MightofAwell;
}
else
{
lpPlayInfo->dwTime_PrimeItem_MightofAwell = 0;
}
if( lpGameSaveInfo->dwTime_PrimeItem_MightofAwell2 > (DWORD)tServerTime ) // pluto ¸¶ÀÌÆ® ¿Àºê ¾ÆÀ£2
{
lpPlayInfo->dwTime_PrimeItem_MightofAwell2 = lpGameSaveInfo->dwTime_PrimeItem_MightofAwell2;
}
else
{
lpPlayInfo->dwTime_PrimeItem_MightofAwell2 = 0;
}
if( lpGameSaveInfo->dwTime_PrimeItem_PhenixPet > (DWORD)tServerTime ) // pluto Æê(ÇØ¿Ü) ¼öÁ¤
{
lpPlayInfo->dwTime_PrimeItem_PhenixPet = lpGameSaveInfo->dwTime_PrimeItem_PhenixPet;
}
else
{
lpPlayInfo->dwTime_PrimeItem_PhenixPet = 0;
cPCBANGPet.ClosePet();
}
// ¹ÚÀç¿ø - ºô¸µ µµ¿ì¹Ì Æê Ãß°¡
if( lpGameSaveInfo->dwTime_PrimeItem_HelpPet > (DWORD)tServerTime )
{
lpPlayInfo->dwTime_PrimeItem_HelpPet = lpGameSaveInfo->dwTime_PrimeItem_HelpPet;
}
else
{
lpPlayInfo->smCharInfo.GravityScroolCheck[1] = 0;
lpPlayInfo->dwTime_PrimeItem_HelpPet = 0;
cHelpPet.ClosePet(); // ¹ÚÀç¿ø - µµ¿ì¹Ì Æê Àç»ç¿ë ¿À·ù ¼öÁ¤
}
// ¹ÚÀç¿ø - ±Ù·Â ¸®µà½º Æ÷¼Ç
if( lpGameSaveInfo->dwTime_PrimeItem_StaminaReduce > (DWORD)tServerTime )
{
lpPlayInfo->dwTime_PrimeItem_StaminaReduce = lpGameSaveInfo->dwTime_PrimeItem_StaminaReduce;
}
else
{
lpPlayInfo->dwTime_PrimeItem_StaminaReduce = 0;
}
return TRUE;
}
//Æ÷½º¿Àºê »ç¿ë ÀúÀå
int rsSaveServerForce( rsPLAYINFO *lpPlayInfo , sGAME_SAVE_INFO *lpGameSaveInfo )
{
int sec;
int LifeBooster_sec; // ¹ÚÀç¿ø - ºÎ½ºÅÍ ¾ÆÀÌÅÛ(»ý¸í·Â)
int ManaBooster_sec; // ¹ÚÀç¿ø - ºÎ½ºÅÍ ¾ÆÀÌÅÛ(±â·Â)
int StaminaBooster_sec; // ¹ÚÀç¿ø - ºÎ½ºÅÍ ¾ÆÀÌÅÛ(±Ù·Â)
int nSkillDelay_sec; // À庰 - ½ºÅ³ µô·¹ÀÌ
sec = (lpPlayInfo->dwForceOrb_SaveTime-dwPlayServTime)/1000;
LifeBooster_sec = (lpPlayInfo->dwLifeBooster_SaveTime - dwPlayServTime)/1000/60; // ¹ÚÀç¿ø - ºÎ½ºÅÍ ¾ÆÀÌÅÛ(»ý¸í·Â)»ç¿ë ÈÄ ³²Àº ½Ã°£ ÀúÀå
ManaBooster_sec = (lpPlayInfo->dwManaBooster_SaveTime - dwPlayServTime)/1000/60; // ¹ÚÀç¿ø - ºÎ½ºÅÍ ¾ÆÀÌÅÛ(±â·Â)»ç¿ë ÈÄ ³²Àº ½Ã°£ ÀúÀå
StaminaBooster_sec = (lpPlayInfo->dwStaminaBooster_SaveTime - dwPlayServTime)/1000/60; // ¹ÚÀç¿ø - ºÎ½ºÅÍ ¾ÆÀÌÅÛ(±Ù·Â)»ç¿ë ÈÄ ³²Àº ½Ã°£ ÀúÀå
nSkillDelay_sec = (lpPlayInfo->dwSkillDelay_SaveTime - dwPlayServTime)/1000/60; // À庰 - ½ºÅ³ µô·¹ÀÌ
//Æ÷½º ÀúÀå
if ( lpPlayInfo->dwForceOrb_SaveTime && lpPlayInfo->dwForceOrb_SaveTime>dwPlayServTime ) {
lpGameSaveInfo->wForceOrbUsing[0] = (WORD)(lpPlayInfo->dwForceOrb_SaveCode&sinITEM_MASK3);
lpGameSaveInfo->wForceOrbUsing[1] = (WORD)sec;
}
else {
lpGameSaveInfo->wForceOrbUsing[0] = 0;
lpGameSaveInfo->wForceOrbUsing[1] = 0;
}
// ¹ÚÀç¿ø - ºÎ½ºÅÍ ¾ÆÀÌÅÛ(»ý¸í·Â) »ç¿ë ÈÄ ³²Àº ½Ã°£ ÀúÀå
if ( lpPlayInfo->dwLifeBooster_SaveTime && lpPlayInfo->dwLifeBooster_SaveTime>dwPlayServTime )
{
lpGameSaveInfo->wLifeBoosterUsing[0] = (WORD)(lpPlayInfo->dwLifeBooster_SaveCode&sinITEM_MASK3);
lpGameSaveInfo->wLifeBoosterUsing[1] = (WORD)LifeBooster_sec;
}
else {
lpGameSaveInfo->wLifeBoosterUsing[0] = 0;
lpGameSaveInfo->wLifeBoosterUsing[1] = 0;
}
// ¹ÚÀç¿ø - ºÎ½ºÅÍ ¾ÆÀÌÅÛ(±â·Â) »ç¿ë ÈÄ ³²Àº ½Ã°£ ÀúÀå
if ( lpPlayInfo->dwManaBooster_SaveTime && lpPlayInfo->dwManaBooster_SaveTime>dwPlayServTime )
{
lpGameSaveInfo->wManaBoosterUsing[0] = (WORD)(lpPlayInfo->dwManaBooster_SaveCode&sinITEM_MASK3);
lpGameSaveInfo->wManaBoosterUsing[1] = (WORD)ManaBooster_sec;
}
else {
lpGameSaveInfo->wManaBoosterUsing[0] = 0;
lpGameSaveInfo->wManaBoosterUsing[1] = 0;
}
// ¹ÚÀç¿ø - ºÎ½ºÅÍ ¾ÆÀÌÅÛ(±Ù·Â) »ç¿ë ÈÄ ³²Àº ½Ã°£ ÀúÀå
if ( lpPlayInfo->dwStaminaBooster_SaveTime && lpPlayInfo->dwStaminaBooster_SaveTime>dwPlayServTime )
{
lpGameSaveInfo->wStaminaBoosterUsing[0] = (WORD)(lpPlayInfo->dwStaminaBooster_SaveCode&sinITEM_MASK3);
lpGameSaveInfo->wStaminaBoosterUsing[1] = (WORD)StaminaBooster_sec;
}
else {
lpGameSaveInfo->wStaminaBoosterUsing[0] = 0;
lpGameSaveInfo->wStaminaBoosterUsing[1] = 0;
}
// À庰 - ½ºÅ³ µô·¹ÀÌ
if ( lpPlayInfo->dwSkillDelay_SaveTime && lpPlayInfo->dwSkillDelay_SaveTime>dwPlayServTime )
{
lpGameSaveInfo->wSkillDelayUsing[0] = (WORD)(lpPlayInfo->dwSkillDelay_SaveCode&sinITEM_MASK3);
lpGameSaveInfo->wSkillDelayUsing[1] = (WORD)nSkillDelay_sec;
}
else {
lpGameSaveInfo->wSkillDelayUsing[0] = 0;
lpGameSaveInfo->wSkillDelayUsing[1] = 0;
}
//ºô¸µ¿ë ¾ÆÀÌÅÛ À¯È¿±â°£ ¼³Á¤
if ( lpPlayInfo->dwTime_PrimeItem_X2>(DWORD)tServerTime )
lpGameSaveInfo->dwTime_PrimeItem_X2 = lpPlayInfo->dwTime_PrimeItem_X2;
else
lpGameSaveInfo->dwTime_PrimeItem_X2 = 0;
if ( lpPlayInfo->dwTime_PrimeItem_ExpUp>(DWORD)tServerTime )
lpGameSaveInfo->dwTime_PrimeItem_ExpUp = lpPlayInfo->dwTime_PrimeItem_ExpUp;
else
lpGameSaveInfo->dwTime_PrimeItem_ExpUp = 0;
if ( lpPlayInfo->dwTime_PrimeItem_X2 || lpGameSaveInfo->dwTime_PrimeItem_ExpUp ) {
lpGameSaveInfo->dwPrimeItem_PackageCode = lpPlayInfo->dwPrimeItem_PackageCode; //ÆÐŰÁö ÀúÀå
}
if ( lpPlayInfo->dwTime_PrimeItem_VampCuspid>(DWORD)tServerTime )
lpGameSaveInfo->dwTime_PrimeItem_VampCuspid = lpPlayInfo->dwTime_PrimeItem_VampCuspid;
else
lpGameSaveInfo->dwTime_PrimeItem_VampCuspid = 0;
// À庰 - ¹ìÇǸ¯ Ä¿½ºÇÍ EX
if ( lpPlayInfo->dwTime_PrimeItem_VampCuspid_EX>(DWORD)tServerTime )
lpGameSaveInfo->dwTime_PrimeItem_VampCuspid_EX = lpPlayInfo->dwTime_PrimeItem_VampCuspid_EX;
else
lpGameSaveInfo->dwTime_PrimeItem_VampCuspid_EX = 0;
if ( lpPlayInfo->dwTime_PrimeItem_ManaRecharg>(DWORD)tServerTime )
lpGameSaveInfo->dwTime_PrimeItem_ManaRecharg = lpPlayInfo->dwTime_PrimeItem_ManaRecharg;
else
lpGameSaveInfo->dwTime_PrimeItem_ManaRecharg = 0;
if( lpPlayInfo->dwTime_PrimeItem_ManaReduce > (DWORD)tServerTime ) // pluto ¸¶³ª ¸®µà½º Æ÷¼Ç
{
lpGameSaveInfo->dwTime_PrimeItem_ManaReduce = lpPlayInfo->dwTime_PrimeItem_ManaReduce;
}
else
{
lpGameSaveInfo->dwTime_PrimeItem_ManaReduce = 0;
}
if( lpPlayInfo->dwTime_PrimeItem_MightofAwell > (DWORD)tServerTime ) // pluto ¸¶ÀÌÆ® ¿Àºê ¾ÆÀ£
{
lpGameSaveInfo->dwTime_PrimeItem_MightofAwell = lpPlayInfo->dwTime_PrimeItem_MightofAwell;
}
else
{
lpGameSaveInfo->dwTime_PrimeItem_MightofAwell = 0;
}
if( lpPlayInfo->dwTime_PrimeItem_MightofAwell2 > (DWORD)tServerTime ) // pluto ¸¶ÀÌÆ® ¿Àºê ¾ÆÀ£2
{
lpGameSaveInfo->dwTime_PrimeItem_MightofAwell2 = lpPlayInfo->dwTime_PrimeItem_MightofAwell2;
}
else
{
lpGameSaveInfo->dwTime_PrimeItem_MightofAwell2 = 0;
}
if( lpPlayInfo->dwTime_PrimeItem_PhenixPet > (DWORD)tServerTime ) // pluto Æê(ÇØ¿Ü)
{
lpGameSaveInfo->dwTime_PrimeItem_PhenixPet = lpPlayInfo->dwTime_PrimeItem_PhenixPet;
}
else
{
lpGameSaveInfo->dwTime_PrimeItem_PhenixPet = 0;
cPCBANGPet.ClosePet();
}
// ¹ÚÀç¿ø - ºô¸µ µµ¿ì¹Ì Æê Ãß°¡ »ç¿ë ½Ã°£, Æê Á¾·ù ÀúÀå
if( lpPlayInfo->dwTime_PrimeItem_HelpPet > (DWORD)tServerTime )
{
lpGameSaveInfo->dwTime_PrimeItem_HelpPet = lpPlayInfo->dwTime_PrimeItem_HelpPet;
}
else
{
lpPlayInfo->smCharInfo.GravityScroolCheck[1] = 0;
lpGameSaveInfo->dwTime_PrimeItem_HelpPet = 0;
cHelpPet.ClosePet(); // ¹ÚÀç¿ø - µµ¿ì¹Ì Æê Àç»ç¿ë ¿À·ù ¼öÁ¤
}
// ¹ÚÀç¿ø - ±Ù·Â ¸®µà½º Æ÷¼Ç
if( lpPlayInfo->dwTime_PrimeItem_StaminaReduce > (DWORD)tServerTime )
{
lpGameSaveInfo->dwTime_PrimeItem_StaminaReduce = lpPlayInfo->dwTime_PrimeItem_StaminaReduce;
}
else
{
lpGameSaveInfo->dwTime_PrimeItem_StaminaReduce = 0;
}
return TRUE;
}
//¼¹ö Æ÷¼Ç ÀúÀå
int rsSaveServerPotion( rsPLAYINFO *lpPlayInfo , sGAME_SAVE_INFO *lpGameSaveInfo )
{
int cnt1,cnt2;
if ( rsServerConfig.PotionMonitor && lpPlayInfo->AdminOperMode==0 ) {
lpGameSaveInfo->sPotionUpdate[0] = rsServerConfig.PotionMonitor;
lpGameSaveInfo->sPotionUpdate[1] = 0;
for(cnt1=0;cnt1<3;cnt1++)
for(cnt2=0;cnt2<4;cnt2++) {
lpGameSaveInfo->sPotionCount[cnt1][cnt2] = (short)lpPlayInfo->ServerPotion[cnt1][cnt2];
}
}
else {
lpGameSaveInfo->sPotionUpdate[0] = 0;
lpGameSaveInfo->sPotionUpdate[1] = 0;
}
return TRUE;
}
//¹°¾à º¸À¯·® ºñ±³
int rsCompareServerPotion( rsPLAYINFO *lpPlayInfo , sGAME_SAVE_INFO *lpGameSaveInfo )
{
int cnt1,cnt2,pot;
int OverPotion[3][4];
int OverPotion2[3] = { 0,0,0 };
int ErrFlag;
smTRANS_COMMAND smTransCommand;
if ( rsServerConfig.PotionMonitor &&
lpGameSaveInfo->sPotionUpdate[0] && lpGameSaveInfo->sPotionUpdate[0]==lpGameSaveInfo->sPotionUpdate[1] ) {
ErrFlag = 0;
for(cnt1=0;cnt1<3;cnt1++) {
for(cnt2=0;cnt2<4;cnt2++) {
if ( ((int)lpGameSaveInfo->sPotionCount[cnt1][cnt2])<lpPlayInfo->ServerPotion[cnt1][cnt2]) {
pot = lpPlayInfo->ServerPotion[cnt1][cnt2]-lpGameSaveInfo->sPotionCount[cnt1][cnt2];
OverPotion[cnt1][cnt2] = pot;
OverPotion2[cnt1]+=pot;
ErrFlag++;
}
else
OverPotion[cnt1][cnt2] = 0;
}
}
if ( ErrFlag ) {
//¿À·ù ó¸®
smTransCommand.WParam = 8800;
smTransCommand.LParam = OverPotion2[0];
smTransCommand.SParam = OverPotion2[1];
smTransCommand.EParam = OverPotion2[2];
RecordHackLogFile( lpPlayInfo , &smTransCommand );
//¹°¾à°¹¼ö ´Ù½Ã º¸Á¤ ( º¹»ç¹æÁö )
for(cnt1=0;cnt1<3;cnt1++) {
for(cnt2=0;cnt2<4;cnt2++) {
lpPlayInfo->ServerPotion[cnt1][cnt2] = lpGameSaveInfo->sPotionCount[cnt1][cnt2];
if ( lpPlayInfo->ServerPotion[cnt1][cnt2]<0 ) lpPlayInfo->ServerPotion[cnt1][cnt2] = 0;
}
}
}
}
return TRUE;
}
//´Ù¸¥ ¼¹ö¿¡¼ ÆÄÀÏÀ» ºÒ·¯¿Í ÀúÀå
int ImportTTServerUser( char *szID , char *szServerID )
{
char szRealID[32];
char szTTServerPath[128];
sPLAY_USER_DATA sPlayUserData;
char szFile[256];
char szFile2[256];
TRANS_RECORD_DATA TransRecordData;
char szName[64];
int size;
int cnt;
FILE *fp;
GetTT_ServerPath( szServerID , szTTServerPath );
GetRealID( szID , szRealID );
GetUserInfoFile2( szID , szFile , szServerID );
ZeroMemory( &sPlayUserData , sizeof( sPLAY_USER_DATA ) );
fp = fopen( szFile , "rb" );
if ( !fp ) return FALSE;
fread( &sPlayUserData , sizeof( sPLAY_USER_DATA ) , 1, fp );
fclose(fp);
for(int cnt=0;cnt<sPLAY_CHAR_MAX;cnt++) {
if ( sPlayUserData.szCharName[cnt][0] ) {
//ij¸¯ÅÍ ÆÄÀÏ¿¡¼ µ¥ÀÌŸ ÀÔ¼ö
GetUserDataFile2( sPlayUserData.szCharName[cnt] , szFile2 , szServerID );
wsprintf( szName , "%s@%s" , sPlayUserData.szCharName[cnt] , szServerID );
lstrcpy( sPlayUserData.szCharName[cnt] , szName );
ZeroMemory( &TransRecordData , sizeof(TRANS_RECORD_DATA) );
fp = fopen( szFile2 , "rb" );
if ( fp ) {
fread( &TransRecordData , sizeof(TRANS_RECORD_DATA) , 1 , fp );
fclose(fp);
}
if ( TransRecordData.size>0 ) {
GetUserDataFile( sPlayUserData.szCharName[cnt] , szFile2 );
lstrcpy( TransRecordData.smCharInfo.szName , szName );
lstrcpy( TransRecordData.GameSaveInfo.szMasterID , szID );
size = TransRecordData.size;
if ( size<16384 ) size = 16384;
fp = fopen( szFile2 , "wb" );
if ( fp ) {
fwrite( &TransRecordData , size , 1 , fp );
fclose(fp);
}
}
}
}
GetUserInfoFile( szID , szFile );
lstrcpy( sPlayUserData.szID , szID );
fp = fopen( szFile , "wb" );
if ( fp ) {
fwrite( &sPlayUserData , sizeof( sPLAY_USER_DATA ) , 1 , fp );
fclose(fp);
}
return TRUE;
}
////////////////////////// ¾²·¹µå¸¦ ÅëÇÑ ÀúÀå ////////////////////////
//°ÔÀÓ µ¥ÀÌŸ¸¦ ÀúÀå½ÃŰ´Â ¾²·¹µå
DWORD WINAPI RecDataThreadProc( void *pInfo )
{
HANDLE hThread;
int cnt;
int size;
FILE *fp;
sREC_DATABUFF *recDataBuff;
int recDataBuffCount;
recDataBuff = new sREC_DATABUFF[REC_DATABUFF_MAX];
hThread = GetCurrentThread();
dwLastRecDataTime = GetCurrentTime();
while(1) {
SuspendThread(hThread);
if ( sRecDataBuffCount==0 ) {
dwLastRecDataTime = GetCurrentTime();
continue;
}
//ÀúÀåÇÒ µ¥ÀÌŸ°¡ ÀÖ´Â ¸Þ¸ð¸® ºí·°À» º¹»çÇØ ¿Â´Ù
//Å©¸®Æ¼Ä® ¼½¼Ç ¼±¾ð
EnterCriticalSection( &cRecDataSection );
recDataBuffCount = sRecDataBuffCount;
memcpy( recDataBuff , sRecDataBuff , sizeof(sREC_DATABUFF)*sRecDataBuffCount );
sRecDataBuffCount = 0;
dwLastRecDataTime = GetCurrentTime();
//Å©¸®Æ¼Ä® ¼½¼Ç ÇØÁ¦
LeaveCriticalSection( &cRecDataSection );
//º¹»çµÈ µ¥ÀÌŸ¸¦ Çϵåµð½ºÅ©¿¡ ÀúÀåÇÑ´Ù
//Å©¸®Æ¼Ä® ¼½¼Ç ¼±¾ð
EnterCriticalSection( &cSaveDataSection );
for(int cnt=0;cnt<recDataBuffCount;cnt++ ) {
//ÀúÀåÇÒ ±æÀÌ º¸Á¤
size = recDataBuff[cnt].TransRecData.size;
if ( size<16000 ) size=16000;
CopyFile( recDataBuff[cnt].szFileName , recDataBuff[cnt].szBackupFileName , FALSE ); //ÆÄÀϹé¾÷
fp = fopen( recDataBuff[cnt].szFileName , "wb" );
if ( fp ) {
fwrite( &recDataBuff[cnt].TransRecData , size , 1, fp );
fclose( fp );
}
}
//Å©¸®Æ¼Ä® ¼½¼Ç ÇØÁ¦
LeaveCriticalSection( &cSaveDataSection );
}
ExitThread( TRUE );
return TRUE;
}
//¼¹öDBÇÔ¼ö ÃʱâÈ
int rsInitDataBase()
{
//Å©¸®Æ¼Ä® ¼½¼Ç ÃʱâÈ
InitializeCriticalSection( &cRecDataSection );
//Å©¸®Æ¼Ä® ¼½¼Ç ÃʱâÈ
InitializeCriticalSection( &cSaveDataSection );
if ( !sRecDataBuff ) {
sRecDataBuff = new sREC_DATABUFF[REC_DATABUFF_MAX];
if ( !sRecDataBuff ) return FALSE;
}
if ( !hRecThread ) {
hRecThread = CreateThread( NULL , 0, RecDataThreadProc , 0 , 0, &dwRecThreadId );
if ( !hRecThread ) {
delete sRecDataBuff;
sRecDataBuff = 0;
return FALSE;
}
}
sRecDataBuffCount = 0;
return TRUE;
}
//¼¹öDBÇÔ¼ö ¸»±âÈ
int rsCloseDataBase()
{
if ( sRecDataBuff ) {
delete sRecDataBuff;
sRecDataBuff = 0;
}
return TRUE;
}
//¼¹öDB¿¡ µ¥ÀÌŸ ÀúÀå¿ä±¸
int rsSaveRecData( TRANS_RECORD_DATA *lpTransRecordData , rsPLAYINFO *lpPlayInfo ,
char *szFileName , char *szBackupFileName )
{
if ( sRecDataBuff && hRecThread ) {
if ( sRecDataBuffCount>=REC_DATABUFF_MAX ) return FALSE;
if ( sRecDataBuffCount>=REC_DATABUFF_LIMIT ) ResumeThread( hRecThread );
EnterCriticalSection( &cRecDataSection ); //Å©¸®Æ¼Ä® ¼½¼Ç ¼±¾ð
sRecDataBuff[sRecDataBuffCount].lpPlayInfo = lpPlayInfo;
if ( lpPlayInfo ) {
sRecDataBuff[sRecDataBuffCount].dwConnectCount = lpPlayInfo->dwConnectCount;
}
else {
sRecDataBuff[sRecDataBuffCount].dwConnectCount = 0;
}
lstrcpy( sRecDataBuff[sRecDataBuffCount].szName , lpTransRecordData->smCharInfo.szName );
lstrcpy( sRecDataBuff[sRecDataBuffCount].szFileName , szFileName );
lstrcpy( sRecDataBuff[sRecDataBuffCount].szBackupFileName , szBackupFileName );
memcpy( &sRecDataBuff[sRecDataBuffCount].TransRecData , lpTransRecordData , lpTransRecordData->size );
sRecDataBuffCount++;
LeaveCriticalSection( &cRecDataSection ); //Å©¸®Æ¼Ä® ¼½¼Ç ÇØÁ¦
return TRUE;
}
return FALSE;
}
//ÀúÀå ´ë±âÁßÀÎ µ¥ÀÌŸ ÀÖ´ÂÁö È®ÀÎ
int CheckRecWaitData( char *szName )
{
return FALSE;
}
//½Ã°£ È®ÀÎÇÏ¿© ÀúÀå½Ãµµ
int rsTimeRecData()
{
DWORD dwTime;
dwTime = GetCurrentTime();
if ( hRecThread && (dwTime-dwLastRecDataTime)>5000 ) { //ÀúÀå½ÃµµÇÑÁö 5ÃÊ Áö³²
ResumeThread( hRecThread ); //ÀúÀå ¾²·¹µå Ȱ¼ºÈ
return TRUE;
}
return FALSE;
}
/////////////////////////////// ¿ìÆíÇÔ °ü¸® ////////////////////////////////
//¾ÆÀÌÅÛ ¿ìÆí ·Îµå
int rsLoadPostBox( rsPLAYINFO *lpPlayInfo )
{
rsPOST_BOX_ITEM *lpPostBox;
_POST_BOX_ITEM *lpPostItem;
char szFileName[64];
FILE *fp;
char *p;
char *pb;
char szLine[512];
char strBuff[512];
int cnt;
if ( !lpPlayInfo->szID[0] ) return FALSE;
if ( lpPlayInfo->lpPostBoxItem ) return TRUE;
GetPostBoxFile( lpPlayInfo->szID , szFileName );
fp = fopen( szFileName , "rb" );
if ( !fp ) return FALSE;
lpPlayInfo->lpPostBoxItem = new rsPOST_BOX_ITEM;
if ( !lpPlayInfo->lpPostBoxItem ) {
fclose(fp);
return FALSE;
}
ZeroMemory( lpPlayInfo->lpPostBoxItem , sizeof(rsPOST_BOX_ITEM) );
lpPostBox = lpPlayInfo->lpPostBoxItem;
while( !feof( fp ) )// feof: file end±îÁö Àоî¶ó
{
if( fgets( szLine, 500, fp ) == NULL) break;
if ( lpPostBox->ItemCounter>=POST_ITEM_MAX ) break;
szLine[500] = 0;
lpPostItem = &lpPostBox->PostItem[ lpPostBox->ItemCounter ];
if ( szLine[0] ) {
p = szLine;
pb=p;p=GetWord(strBuff,p);if(strBuff[0]==34)p=GetString(strBuff,pb); //¹ÞÀ» ij¸¯ÅÍ À̸§
if ( strBuff[0] ) {
strBuff[31] = 0;
lstrcpy( lpPostItem->szCharName , strBuff );
}
pb=p;p=GetWord(strBuff,p);if(strBuff[0]==34)p=GetString(strBuff,pb); //¾ÆÀÌÅÛ ÄÚµå
if ( strBuff[0] ) {
strBuff[31] = 0;
lstrcpy( lpPostItem->szItemCode , strBuff );
if ( lstrcmpi( strBuff , "MONEY" )==0 ) { //µ·
lpPostItem->dwItemCode = sinGG1|sin01;
}
if ( lstrcmpi( strBuff , "EXP" )==0 ) { //°æÇèÄ¡
lpPostItem->dwItemCode = sinGG1|sin02;
}
if ( !lpPostItem->dwItemCode ) {
for(cnt=0;cnt<MAX_ITEM;cnt++) {
if ( lstrcmpi( sItem[cnt].LastCategory , strBuff )==0 ) {
lpPostItem->dwItemCode = sItem[cnt].CODE;
break;
}
}
}
}
pb=p;p=GetWord(strBuff,p);if(strBuff[0]==34)p=GetString(strBuff,pb); //Æ¯È ÄÚµå ( Á÷¾÷ ÄÚµå )
if ( strBuff[0] ) {
strBuff[31] = 0;
lstrcpy( lpPostItem->szSpeJob , strBuff );
lpPostItem->dwJobCode = atoi( strBuff );
}
pb=p;p=GetWord(strBuff,p);if(strBuff[0]==34)p=GetString(strBuff,pb); //¼³¸í
if ( strBuff[0] ) {
strBuff[127] = 0;
lstrcpy( lpPostItem->szDoc , strBuff );
}
pb=p;p=GetWord(strBuff,p);if(strBuff[0]==34)p=GetString(strBuff,pb); //ÀÎÁõÄÚµå
if ( strBuff[0] ) {
strBuff[63] = 0;
lstrcpy( lpPostItem->szFormCode , strBuff );
lpPostItem->dwFormCode = atoi(strBuff);
}
pb=p;p=GetWord(strBuff,p);if(strBuff[0]==34)p=GetString(strBuff,pb); //¾ÏÈ£ÄÚµå
if ( strBuff[0] ) {
strBuff[16] = 0;
lstrcpy( lpPostItem->szPassCode , strBuff );
lpPostItem->dwPassCode = GetSpeedSum( strBuff );
lpPostItem->dwParam[0] = TRUE;
}
lpPostItem->Flag ++;
lpPostBox->ItemCounter++;
}
}
fclose(fp);
DeleteFile( szFileName ); //ÆÄÀÏ Á¦°Å
return TRUE;
}
//¾ÆÀÌÅÛ ¿ìÆí ÀúÀå
int rsSavePostBox( rsPLAYINFO *lpPlayInfo )
{
char szFileName[64];
char strBuff[512];
int cnt;
HANDLE hFile;
DWORD dwAcess;
DWORD FileLength;
if ( !lpPlayInfo->szID[0] ) return FALSE;
if ( !lpPlayInfo->lpPostBoxItem ) return FALSE;
GetPostBoxFile( lpPlayInfo->szID , szFileName );
hFile = CreateFile( szFileName , GENERIC_WRITE , FILE_SHARE_READ|FILE_SHARE_WRITE, NULL, OPEN_ALWAYS , FILE_ATTRIBUTE_NORMAL , NULL );
if ( hFile==INVALID_HANDLE_VALUE ) {
return FALSE;
}
FileLength = GetFileSize( hFile , NULL );
SetFilePointer( hFile , FileLength , NULL , FILE_BEGIN );
for(cnt=0;cnt<lpPlayInfo->lpPostBoxItem->ItemCounter;cnt++) {
if ( lpPlayInfo->lpPostBoxItem->PostItem[cnt].Flag ) {
wsprintf( strBuff , "%s %s %s \"%s\" %s %s\r\n",
lpPlayInfo->lpPostBoxItem->PostItem[cnt].szCharName,
lpPlayInfo->lpPostBoxItem->PostItem[cnt].szItemCode,
lpPlayInfo->lpPostBoxItem->PostItem[cnt].szSpeJob,
lpPlayInfo->lpPostBoxItem->PostItem[cnt].szDoc ,
lpPlayInfo->lpPostBoxItem->PostItem[cnt].szFormCode,
lpPlayInfo->lpPostBoxItem->PostItem[cnt].szPassCode );
WriteFile( hFile , strBuff , lstrlen(strBuff) , &dwAcess , NULL );
}
}
CloseHandle( hFile );
return TRUE;
}
//¾ÆÀÌÅÛ¼±¹° ¿ìÆí ÀúÀå
int rsAddPostBox_Present( rsPLAYINFO *lpPlayInfo )
{
char szFileName[64];
int len;
HANDLE hFile;
DWORD dwAcess;
DWORD FileLength;
char strBuff[16384];
if ( !lpPlayInfo->szID[0] ) return FALSE;
hFile = CreateFile( "Present.dat" , GENERIC_READ , FILE_SHARE_READ, NULL ,
OPEN_ALWAYS, FILE_ATTRIBUTE_NORMAL , NULL );
if ( hFile ==INVALID_HANDLE_VALUE ) return FALSE;
len = GetFileSize( hFile,NULL );
if ( len>16384 ) return FALSE;
ReadFile( hFile , strBuff, len , &dwAcess , NULL );
CloseHandle( hFile );
GetPostBoxFile( lpPlayInfo->szID , szFileName );
hFile = CreateFile( szFileName , GENERIC_WRITE , FILE_SHARE_READ|FILE_SHARE_WRITE, NULL, OPEN_ALWAYS , FILE_ATTRIBUTE_NORMAL , NULL );
if ( hFile==INVALID_HANDLE_VALUE ) {
return FALSE;
}
FileLength = GetFileSize( hFile , NULL );
SetFilePointer( hFile , FileLength , NULL , FILE_BEGIN );
WriteFile( hFile , strBuff , len , &dwAcess , NULL );
CloseHandle( hFile );
return TRUE;
}
//º° Æ÷ÀÎÆ® À̺¥Æ® ƼÄÏ ¹ß»ý ¼³Á¤
int OpenStarPointEvent( rsPLAYINFO *lpPlayInfo , smCHAR_INFO *lpCharInfo )
{
int cnt;
if ( !lpCharInfo ) {
if ( lpPlayInfo->CharLevelMax<rsServerConfig.Event_StarPointTicket ) {
if ( !lpPlayInfo->CharLevelMax ) {
lpPlayInfo->Event_StarTicketLevel = 3+(rand()%6);
}
else {
cnt = (lpPlayInfo->CharLevelMax/10)+1;
cnt = cnt*10;
lpPlayInfo->Event_StarTicketLevel = cnt+ ( rand()%10 );
}
}
return TRUE;
}
//º° »óǰ±Ç ¹ß»ý½Ã۱â
if ( lpPlayInfo->CharLevelMax<rsServerConfig.Event_StarPointTicket &&
lpCharInfo->Level>=lpPlayInfo->CharLevelMax ) { //ÃÖ´ë ·¹º§ÀÌ È®ÀÎÇÏ¿© Àû¿ë
if ( lpCharInfo->sEventParam[0]==CHAR_EVENT_STARPOINT ) {
}
else {
lpCharInfo->sEventParam[0] = CHAR_EVENT_STARPOINT;
lpCharInfo->sEventParam[1] = 0;
}
cnt = (lpCharInfo->Level/10)+1;
cnt = cnt*10;
if ( lpCharInfo->Level>lpCharInfo->sEventParam[1] ) {
//»óǰ±ÇÀ» ¹ß»ý½Ãų ·¹º§
lpCharInfo->sEventParam[1] = cnt+ ( rand()%10 );
}
lpPlayInfo->Event_StarTicketLevel = lpCharInfo->sEventParam[1];
}
return TRUE;
}
//º° Æ÷ÀÎÆ® À̺¥Æ® ƼÄÏ ¹ß»ý ÀúÀå
int CloseStarPointEvent( rsPLAYINFO *lpPlayInfo , smCHAR_INFO *lpCharInfo )
{
if ( lpPlayInfo->Event_StarTicketLevel ) {
lpCharInfo->sEventParam[0] = CHAR_EVENT_STARPOINT;
lpCharInfo->sEventParam[1] = lpPlayInfo->Event_StarTicketLevel;
}
return TRUE;
}
//º° Æ÷ÀÎÆ® À̺¥Æ® ƼÄÏ ¹ß»ý ¼³Á¤
int OpenStarPointTicket( rsPLAYINFO *lpPlayInfo )
{
int cnt;
int Price;
if ( lpPlayInfo->Event_StarTicketLevel &&
lpPlayInfo->Event_StarTicketLevel<rsServerConfig.Event_StarPointTicket &&
lpPlayInfo->smCharInfo.Level>=lpPlayInfo->Event_StarTicketLevel ) {
cnt = (lpPlayInfo->smCharInfo.Level/10)+1;
cnt = cnt*10;
lpPlayInfo->Event_StarTicketLevel = cnt+ ( rand()%10 );
Price = 100000;
switch( cnt ) {
case 10:
Price = 200000;
break;
case 20:
Price = 300000;
break;
case 30:
Price = 500000;
break;
case 40:
Price = 1000000;
break;
}
#ifdef _TEST_SERVER
//Å×½ºÆ® ¼¹ö¿¡¼´Â °ü¸®ÀÚ¸¸ ¾ÆÀÌÅÛ ¹ß»ý
if ( !lpPlayInfo->AdminMode )
return TRUE;
#endif
//Æ÷ÀÎÆ® ƼÄÏ ¾ÆÀÌÅÛ Æ¯Á¤ À¯ÀúÀÇ Àκ¥Å丮º¸³¿
rsPutItem_PointTicket( lpPlayInfo , Price );
}
return TRUE;
}
//////////////////////////////////////////////////////////////////////////////
//#define _CONV_CLOSE_USER
//#define _CHECK_HACK_USER
////////////////////// À¯Àú ±â·Ï Åë°è / º¯È¯ /////////////////////////////
//±â·Ï ÀúÀå
int SaveCloseUserRecord( char *szUserName , int Level , int Exp , int Money )
{
HANDLE hFile;
DWORD dwAcess;
DWORD FileLength;
char szFileName[128];
char szBuff[256];
int TotalMoney = 0;
wsprintf( szFileName , "UserRecord.txt" );
wsprintf( szBuff , "%s ·¹º§(%d) °æÇèÄ¡(%d) µ·(%d)\r\n",szUserName , Level , Exp , Money );
hFile = CreateFile( szFileName , GENERIC_WRITE , FILE_SHARE_READ|FILE_SHARE_WRITE, NULL, OPEN_ALWAYS , FILE_ATTRIBUTE_NORMAL , NULL );
if ( hFile==INVALID_HANDLE_VALUE ) return FALSE;
FileLength = GetFileSize( hFile , NULL );
SetFilePointer( hFile , FileLength , NULL , FILE_BEGIN );
WriteFile( hFile , szBuff , lstrlen(szBuff) , &dwAcess , NULL );
CloseHandle( hFile );
return TRUE;
}
//â°í µ· ±â·Ï
int SaveWareHouseRecord( char *szUserName , int Money , int Weight1,int Weight2 )
{
HANDLE hFile;
DWORD dwAcess;
DWORD FileLength;
char szFileName[128];
char szBuff[256];
int TotalMoney = 0;
wsprintf( szFileName , "UserRecord.txt" );
wsprintf( szBuff , "ID( %s ) â°íµ·(%d) ¹«°Ô( %d/%d )\r\n",szUserName , Money , Weight1 ,Weight2 );
hFile = CreateFile( szFileName , GENERIC_WRITE , FILE_SHARE_READ|FILE_SHARE_WRITE, NULL, OPEN_ALWAYS , FILE_ATTRIBUTE_NORMAL , NULL );
if ( hFile==INVALID_HANDLE_VALUE ) return FALSE;
FileLength = GetFileSize( hFile , NULL );
SetFilePointer( hFile , FileLength , NULL , FILE_BEGIN );
WriteFile( hFile , szBuff , lstrlen(szBuff) , &dwAcess , NULL );
CloseHandle( hFile );
return TRUE;
}
/*
/////////////////////////////////////////// º¸Á¤ ///////////////////////////////////////////
static int TempNewCharacterInit[4][6] =
{
//JodCode, Strentch, Sprit, Talent, Defence, Health
{2, 24, 8, 25, 18, 24}, //Mech
{1, 28, 6, 21, 17, 27}, //Fighter
{4, 26, 9, 20, 19, 25}, //PikeMan
{3, 17, 11, 21, 27, 23} //Archer
};
int TotalMoney =0; //µ· ±Ý¾× * 1000¿ø
//ÀúÀåÇÒ µ¥ÀÌŸ¸¦ ºÐÇÒÇÏ¿© Ŭ¶óÀÌ¾ðÆ®·Î Àü¼Û
int ConvertInitGameBetaData( char *szName )
{
int cnt;
char *lpData;
char szFile[64];
FILE *fp;
int level;
int recFlag = 0;
TRANS_RECORD_DATA TransRecordData;
TRANS_RECORD_DATA *lpTransRecord;
lpData = (char *)&TransRecordData;
lpTransRecord = &TransRecordData;
//ÆÄÀϺҷ¯¿À±â
wsprintf( szFile , "userdata\\%s.dat" , szName );
//GetUserDataFile( szName , szFile );
fp = fopen( szFile , "rb" );
if ( fp ) {
fread( lpTransRecord , sizeof(TRANS_RECORD_DATA) , 1, fp );
fclose( fp );
}
else
return FALSE;
if ( lpTransRecord->smCharInfo.Level>=60 ||
lpTransRecord->smCharInfo.Money>=10000000 ) {
//µ¥ÀÌŸ ±â·Ï
SaveCloseUserRecord( szName , lpTransRecord->smCharInfo.Level , lpTransRecord->smCharInfo.Exp , lpTransRecord->smCharInfo.Money );
}
//·¹º§ 20% ´Ù¿î
level = ( lpTransRecord->smCharInfo.Level * 80 )/100;
if ( ((lpTransRecord->smCharInfo.Level * 80 )%100)>0 ) level ++; //³ª¸ÓÁö º¸Á¤
lpTransRecord->smCharInfo.Level = level;
TotalMoney += lpTransRecord->smCharInfo.Money; //µ· ´©Àû ÇÕ°è
lpTransRecord->smCharInfo.Money = level * 1000; //µ· ·¹º§ * 1000
//´ÙÀ½ °æÇèÄ¡ º¸Á¤
lpTransRecord->smCharInfo.Next_Exp = GetNextExp( lpTransRecord->smCharInfo.Level );
lpTransRecord->smCharInfo.Exp = GetNextExp( lpTransRecord->smCharInfo.Level-1 );
switch( lpTransRecord->smCharInfo.JOB_CODE ) {
case 1:
lstrcpy( lpTransRecord->smCharInfo.szModelName , "char\\tmABCD\\B001.ini" );
break;
case 2:
lstrcpy( lpTransRecord->smCharInfo.szModelName , "char\\tmABCD\\A001.ini" );
break;
case 3:
lstrcpy( lpTransRecord->smCharInfo.szModelName , "char\\tmABCD\\D001.ini" );
break;
case 4:
lstrcpy( lpTransRecord->smCharInfo.szModelName , "char\\tmABCD\\C001.ini" );
break;
}
//´É·ÂÄ¡ ÃʱâÈ
for(int cnt=0;cnt<4;cnt++ ) {
if ( TempNewCharacterInit[ cnt ][0]==(int)lpTransRecord->smCharInfo.JOB_CODE ) {
lpTransRecord->smCharInfo.Strength = TempNewCharacterInit[ cnt ][1];
lpTransRecord->smCharInfo.Spirit = TempNewCharacterInit[ cnt ][2];
lpTransRecord->smCharInfo.Talent = TempNewCharacterInit[ cnt ][3];
lpTransRecord->smCharInfo.Dexterity = TempNewCharacterInit[ cnt ][4];
lpTransRecord->smCharInfo.Health = TempNewCharacterInit[ cnt ][5];
break;
}
}
//ij¸¯ÅÍ ½ºÅ×ÀÌÆ® °ªÀ» »õ·Ó°Ô º¸Á¤ÇÑ´Ù
ReformCharStatePoint( &lpTransRecord->smCharInfo );
//ij¸¯ÅÍ Á¤º¸ ÀÎÁõ
ReformCharForm( &lpTransRecord->smCharInfo );
if ( lpTransRecord->GameSaveInfo.Head<dwRecordVersion &&
lstrcmp( lpTransRecord->szHeader , szRecordHeader )!=0 ) {
//±¸¹öÀü µ¥ÀÌŸ ¹ß°ß ij¸¯ÅÍ Á¤º¸ ÄÚµå »ý¼º ±â·Ï
lpTransRecord->GameSaveInfo.dwChkSum_CharInfo = GetCharInfoCode( &lpTransRecord->smCharInfo );
}
//½ºÅ³ ÃʱâÈ
ZeroMemory( &lpTransRecord->GameSaveInfo.SkillInfo , sizeof( RECORD_SKILL ) );
lpTransRecord->ItemCount = 0;
lpTransRecord->DataSize = 0;
lpTransRecord->GameSaveInfo.LastMoeny = 0;
lpTransRecord->ThrowItemCount = 0;
GetUserDataFile( szName , szFile );
lpTransRecord->size = sizeof(TRANS_RECORD_DATA)-(sizeof(sRECORD_ITEM)*RECORD_ITEM_MAX);
fp = fopen( szFile , "wb" );
if ( fp ) {
fwrite( lpTransRecord , lpTransRecord->size , 1, fp );
fclose( fp );
}
return TRUE;
}
int InitBetaUserData()
{
HANDLE hFindHandle;
WIN32_FIND_DATA fd;
char szFindPath[64];
char szUserName[64];
int cnt,len;
lstrcpy( szFindPath , "UserData\\*.dat" );
hFindHandle = FindFirstFile( szFindPath , &fd );
if ( hFindHandle!=INVALID_HANDLE_VALUE ) {
while(1) {
lstrcpy( szUserName , fd.cFileName );
len = lstrlen( szUserName );
for(int cnt=0;cnt<len;cnt++ ) {
if ( szUserName[cnt]=='.' ) {
szUserName[cnt] = 0;
break;
}
}
//ÀúÀåÇÒ µ¥ÀÌŸ¸¦ ºÐÇÒÇÏ¿© Ŭ¶óÀÌ¾ðÆ®·Î Àü¼Û
ConvertInitGameBetaData( szUserName );
//´ÙÀ½ ÆÄÀÏ Ã£À½
if ( FindNextFile( hFindHandle , &fd )==FALSE ) break;
}
}
FindClose( hFindHandle );
return TRUE;
}
int InitBetaUserInfo()
{
HANDLE hFindHandle;
WIN32_FIND_DATA fd;
char szFindPath[64];
char szUserName[64];
char szSrcFile[128];
char szConvertFile[128];
int cnt,len;
lstrcpy( szFindPath , "UserInfo\\*.dat" );
hFindHandle = FindFirstFile( szFindPath , &fd );
if ( hFindHandle!=INVALID_HANDLE_VALUE ) {
while(1) {
lstrcpy( szUserName , fd.cFileName );
len = lstrlen( szUserName );
for(int cnt=0;cnt<len;cnt++ ) {
if ( szUserName[cnt]=='.' ) {
szUserName[cnt] = 0;
break;
}
}
//ÀúÀåÇÒ µ¥ÀÌŸ¸¦ ºÐÇÒÇÏ¿© Ŭ¶óÀÌ¾ðÆ®·Î Àü¼Û
//ConvertInitGameBetaData( szUserName );
GetUserInfoFile( szUserName , szConvertFile );
wsprintf( szSrcFile , "UserInfo\\%s" , fd.cFileName );
CopyFile( szSrcFile , szConvertFile , FALSE );
//´ÙÀ½ ÆÄÀÏ Ã£À½
if ( FindNextFile( hFindHandle , &fd )==FALSE ) break;
}
}
FindClose( hFindHandle );
return TRUE;
}
//ÀúÀåÇÒ µ¥ÀÌŸ¸¦ ºÐÇÒÇÏ¿© Ŭ¶óÀÌ¾ðÆ®·Î Àü¼Û
//int ConvertInitGameBetaData( char *szName )
//Ŭ·ÎÁî º£Å¸ Å×½ºÅÍ ÃʱâÈ
int InitCloseBetaUser()
{
//µ¥ÀÌŸ ÀúÀå¼¹ö µð·ºÅ丮 »ý¼º
CreateDataServerDirectory();
InitBetaUserData();
InitBetaUserInfo();
return TRUE;
}
*/
int PeekMonMsg();
int MonQuit = 0;
HWND hDialog;
HWND hWndMon;
extern HINSTANCE hinst; // current instance
//¸Þ½ÅÀú ¾÷±×·¹ÀÌµå ÆÄÀÏ ¹Þ´Ââ ÇÁ·Î½ÃÀú
LONG APIENTRY DialogProc( HWND hWnd,UINT messg,WPARAM wParam,LPARAM lParam );
LONG APIENTRY MonitorProc( HWND hWnd,UINT messg,WPARAM wParam,LPARAM lParam );
#define RECORD_MONEY_LIMIT 100000
int CheckUserData( char *szName )
{
char *lpData;
char szFile[256];
FILE *fp;
int recFlag = 0;
TRANS_RECORD_DATA TransRecordData;
TRANS_RECORD_DATA *lpTransRecord;
lpData = (char *)&TransRecordData;
lpTransRecord = &TransRecordData;
GetUserDataFile( szName , szFile );
fp = fopen( szFile , "rb" );
if ( fp ) {
fread( lpTransRecord , sizeof(TRANS_RECORD_DATA) , 1, fp );
fclose( fp );
}
else
return FALSE;
if ( lpTransRecord->smCharInfo.Level>=70 ||
lpTransRecord->smCharInfo.Money>=RECORD_MONEY_LIMIT ) {
//µ¥ÀÌŸ ±â·Ï
SaveCloseUserRecord( szName , lpTransRecord->smCharInfo.Level , lpTransRecord->smCharInfo.Exp , lpTransRecord->smCharInfo.Money );
}
/*
fp = fopen( szFile , "wb" );
if ( fp ) {
fwrite( lpTransRecord , lpTransRecord->size , 1, fp );
fclose( fp );
}
*/
return TRUE;
}
int CheckWareHouseData( char *szFile )
{
TRANS_WAREHOUSE TransWareHouse;
sWAREHOUSE WareHouse;
FILE *fp;
int cnt,len;
char szName[256];
fp = fopen( szFile , "rb" );
if ( fp ) {
fread( &TransWareHouse , sizeof(TRANS_WAREHOUSE) , 1, fp );
fclose( fp );
}
else
return FALSE;
DecodeCompress( (BYTE *)&TransWareHouse.Data , (BYTE *)&WareHouse );
if ( WareHouse.Weight[0]>WareHouse.Weight[1] || WareHouse.Money>=RECORD_MONEY_LIMIT ) {
lstrcpy( szName , szFile );
len = lstrlen( szName );
for(int cnt=0;cnt<len;cnt++ ) {
if ( szName[cnt]=='.' ) {
szName[cnt] = 0;
break;
}
}
for( cnt=cnt;cnt>=0;cnt-- ) {
if ( szName[cnt]=='\\' ) {
cnt++;
break;
}
}
SaveWareHouseRecord( szName+cnt , WareHouse.Money , WareHouse.Weight[0],WareHouse.Weight[1]);
}
return TRUE;
}
int CheckUserDataFull()
{
HANDLE hFindHandle;
WIN32_FIND_DATA fd;
char szFindPath[64];
char szUserName[64];
char szMsgBuff[256];
int cnt,len;
int UserCnt;
int CharCount = 0;
for( UserCnt=0;UserCnt<256;UserCnt++ ) {
wsprintf( szFindPath , "DataServer\\UserData\\%d\\*.dat" ,UserCnt );
wsprintf( szMsgBuff , "ij¸¯ÅÍ È®ÀÎÁß ( %d/255 ) - %d", UserCnt,CharCount );
SetWindowText(GetDlgItem( hDialog , IDC_EDIT1 ) , szMsgBuff );
hFindHandle = FindFirstFile( szFindPath , &fd );
if ( hFindHandle!=INVALID_HANDLE_VALUE ) {
while(1) {
lstrcpy( szUserName , fd.cFileName );
len = lstrlen( szUserName );
for(int cnt=0;cnt<len;cnt++ ) {
if ( szUserName[cnt]=='.' ) {
szUserName[cnt] = 0;
break;
}
}
CheckUserData( szUserName );
CharCount++;
PeekMonMsg(); //¸Þ¼¼Áö Áß°£ ó¸®
//´ÙÀ½ ÆÄÀÏ Ã£À½
if ( FindNextFile( hFindHandle , &fd )==FALSE ) break;
if ( MonQuit ) break;
}
}
FindClose( hFindHandle );
}
return TRUE;
}
int CheckWareHouseDataFull()
{
HANDLE hFindHandle;
WIN32_FIND_DATA fd;
char szFindPath[64];
char szUserName[64];
char szUserPath[64];
char szMsgBuff[256];
int cnt,len;
int UserCnt;
int CharCount = 0;
for( UserCnt=0;UserCnt<256;UserCnt++ ) {
wsprintf( szFindPath , "DataServer\\WareHouse\\%d\\*.war",UserCnt );
wsprintf( szMsgBuff , "¾ÆÀÌÅÛº¸°ü¼Ò È®ÀÎÁß ( %d/255 ) - %d", UserCnt , CharCount );
SetWindowText(GetDlgItem( hDialog , IDC_EDIT1 ) , szMsgBuff );
hFindHandle = FindFirstFile( szFindPath , &fd );
if ( hFindHandle!=INVALID_HANDLE_VALUE ) {
while(1) {
lstrcpy( szUserName , fd.cFileName );
len = lstrlen( szUserName );
for(int cnt=0;cnt<len;cnt++ ) {
if ( szUserName[cnt]=='.' ) {
szUserName[cnt] = 0;
break;
}
}
wsprintf( szUserPath , "DataServer\\WareHouse\\%d\\%s" ,UserCnt, fd.cFileName );
CheckWareHouseData( szUserPath );
CharCount++;
PeekMonMsg(); //¸Þ¼¼Áö Áß°£ ó¸®
//´ÙÀ½ ÆÄÀÏ Ã£À½
if ( FindNextFile( hFindHandle , &fd )==FALSE ) break;
if ( MonQuit ) break;
}
}
FindClose( hFindHandle );
}
return TRUE;
}
// ÆÄÀÏ ¼ö½Åâ â ¸¸µë
HWND CreateDialogWnd();
//¼¹ö¿¡ ±â·ÏµÈ Àüü µ¥ÀÌŸ¸¦ È®ÀÎÇÏ¿© Àǽɰ¡´Â À¯Àú¸¦ ã´Â´Ù
int CheckServerRecordData()
{
DeleteFile( "UserRecord.txt" );
CreateDialogWnd();
CheckUserDataFull();
if ( MonQuit ) return FALSE;
CheckWareHouseDataFull();
if ( MonQuit ) return FALSE;
return TRUE;
}
// ÆÄÀÏ ¼ö½Åâ â ¸¸µë
HWND CreateDialogWnd()
{
char *szAppName = "ÇÁ¸®½ºÅæÅ×ÀÏ - ¸ð´ÏÅÍ";
WNDCLASS wndclass;
wndclass.style = CS_HREDRAW|CS_VREDRAW|CS_DBLCLKS;
wndclass.lpfnWndProc = MonitorProc;
wndclass.cbClsExtra = 0;
wndclass.cbWndExtra = 0;
wndclass.hInstance = hinst;
wndclass.hIcon = NULL;
wndclass.hCursor = LoadCursor(NULL,IDC_ARROW);
wndclass.hbrBackground = (HBRUSH)GetStockObject(BLACK_BRUSH);
wndclass.lpszMenuName = NULL;
wndclass.lpszClassName = szAppName;
RegisterClass(&wndclass);
hWndMon=CreateWindow(szAppName,szAppName,
WS_OVERLAPPEDWINDOW| WS_POPUP|WS_EX_TOPMOST,CW_USEDEFAULT,
CW_USEDEFAULT,320,240,NULL,NULL,
hinst,NULL);
ShowWindow(hWndMon,SW_HIDE);
UpdateWindow(hWndMon);
hDialog = CreateDialog( hinst, "IDD_DIALOG", hWndMon, (DLGPROC)DialogProc );
/*
int x,y;
x = (GetSystemMetrics( SM_CXSCREEN )/2) - 128;
y = (GetSystemMetrics( SM_CYSCREEN )/2) - 90 ;
SetWindowPos( hDialog , 0, x, y, 0, 0, SWP_NOSIZE|SWP_NOZORDER );
*/
ShowWindow( hDialog,SW_SHOW);
UpdateWindow( hDialog );
return hDialog;
}
//¸Þ½ÅÀú ¾÷±×·¹ÀÌµå ÆÄÀÏ ¹Þ´Ââ ÇÁ·Î½ÃÀú
LONG APIENTRY DialogProc( HWND hWnd,UINT messg,WPARAM wParam,LPARAM lParam )
{
//char szTemp[128];
switch (messg)
{
case WM_INITDIALOG:
break;
case WM_CLOSE:
DestroyWindow( hWnd );
break;
case WM_PAINT:
break;
case WM_COMMAND:
switch( LOWORD(wParam) ) {
case IDOK:
SendMessage( hWnd , WM_CLOSE , 0, 0 );
MonQuit = TRUE;
break;
}
break;
default:
return FALSE;
break;
}
return FALSE;
}
LONG APIENTRY MonitorProc( HWND hWnd,UINT messg,WPARAM wParam,LPARAM lParam )
{
//char szTemp[128];
switch (messg)
{
case WM_CREATE:
break;
default:
return DefWindowProc(hWnd,messg,wParam,lParam);
break;
}
return FALSE;
}
int PeekMonMsg()
{
MSG msg;
while (1) {
if (PeekMessage(&msg, 0, 0, 0, PM_REMOVE))
{
TranslateMessage(&msg);
DispatchMessage(&msg);
}
else
break;
}
return TRUE;
}
///////////////////// ij¸¯ÅÍ ¹é¾÷ µ¥ÀÌŸ·Î º¹±¸ //////////////////////
static char decode[512];
static char line[512];
static char *GetWord(char *q , char *p)
{
while ( (*p == 32) || (*p == 9) ) // SPACE or TAB or ':'´Â Á¦¿Ü ½ÃÅ´
{
p++;
}
while ( (*p != 32) && (*p != 9) ) // SPACE or TAB
{
if ( *p == '\n' || *p=='\r' ) break;
*q++ = *p++;
}
*q++ = 0; // end of one string, put Null character
return p;
}
/*
static int GetUserInfoFile( char *szID , char *szFileName )
{
//wsprintf( szFileName , "%s\\%s.dat" , szRecordUserInfoDir , szID );
if ( szID[4]==0 && szID[3]>='0' && szID[3]<='9' && (
((szID[0]=='c' || szID[0]=='C') && (szID[1]=='o' || szID[1]=='O') && (szID[2]=='m' || szID[2]=='M')) ||
((szID[0]=='l' || szID[0]=='L') && (szID[1]=='p' || szID[1]=='P') && (szID[2]=='t' || szID[2]=='T')) )
) {
wsprintf( szFileName , "DataServer\\££%s\\%d\\%s.dat" , szRecordUserInfoDir , GetUserCode(szID) , szID );
return TRUE;
}
if ( szID[3]==0 &&
((szID[0]=='p' || szID[0]=='P') && (szID[1]=='r' || szID[1]=='R') && (szID[2]=='n' || szID[2]=='N')) ||
((szID[0]=='c' || szID[0]=='C') && (szID[1]=='o' || szID[1]=='O') && (szID[2]=='n' || szID[2]=='N'))
) {
wsprintf( szFileName , "DataServer\\££%s\\%d\\%s.dat" , szRecordUserInfoDir , GetUserCode(szID) , szID );
return TRUE;
}
wsprintf( szFileName , "DataServer\\%s\\%d\\%s.dat" , szRecordUserInfoDir , GetUserCode(szID) , szID );
return TRUE;
}
static int GetUserDataFile( char *szName , char *szFileName )
{
//wsprintf( szFileName , "%s\\%s.dat" , szRecordUserDataDir , szName );
wsprintf( szFileName , "DataServer\\%s\\%d\\%s.dat" , szRecordUserDataDir , GetUserCode(szName) , szName );
return TRUE;
}
*/
//ij¸¯ÅÍ Á¤º¸ ÆÄÀÏ¿¡¼ ÇØµ¶ÇÏ¿© ¼³Á¤ÇÑ´Ù
int RestoreBackupData( char *szListFile , char *BackupPath )
{
FILE *fp , *fp2 , *fp3;
char strBuff[256];
char *p;
WIN32_FIND_DATA ffd;
HANDLE hFind;
sPLAY_USER_DATA sPlayUserData;
int cnt;
int flag;
char szInfoFile[256];
char szSrcDataFile[256];
char szDestDataFile[256];
char szLogBuff[256];
char szFile[256];
fp = fopen( szListFile , "rb" );
if ( fp==NULL ) return FALSE;
fp3 = fopen( "BackupData.log" , "wb" );
if ( fp3==NULL ) {
fclose(fp);
return FALSE;
}
CreateDirectory( "BackupUser" , 0 );
while( !feof( fp ) )// feof: file end±îÁö Àоî¶ó
{
if( fgets( line, 255, fp ) == NULL) break;
p = GetWord( decode , line);
///////////////// À̸§ ///////////////////////
if ( decode[0] ) {
p=GetWord(strBuff,p);
if ( strBuff[0] ) {
///////////////// °æ·Î ¼³Á¤ ///////////////////
GetUserInfoFile( decode , szInfoFile );
GetUserDataFile( strBuff , szDestDataFile );
lstrcpy( szSrcDataFile , BackupPath );
lstrcat( szSrcDataFile , szDestDataFile );
///////////////////////////////////////////////
flag = TRUE;
hFind = FindFirstFile( szSrcDataFile , &ffd );
FindClose( hFind );
if ( hFind!=INVALID_HANDLE_VALUE ) {
//¼Ò½º µ¥ÀÌŸ ÆÄÀÏ Á¸Àç
fp2 = fopen( szInfoFile , "rb" );
if ( fp2 ) {
fread( &sPlayUserData , sizeof( sPLAY_USER_DATA ) , 1, fp2 );
fclose(fp2);
for(int cnt=0;cnt<sPLAY_CHAR_MAX;cnt++) {
if ( sPlayUserData.szCharName[cnt][0] ) {
if ( lstrcmpi( sPlayUserData.szCharName[cnt] , strBuff )==0 ) {
break;
}
}
}
if ( cnt>=sPLAY_CHAR_MAX ) {
//°èÁ¤¾È¿¡ ij¸¯ÀÌ ¾ø´Ù
hFind = FindFirstFile( szDestDataFile , &ffd );
FindClose( hFind );
if ( hFind==INVALID_HANDLE_VALUE ) {
//¸¸µé ij¸¯ÀÌ Á¸Àç ÇÏÁö ¾Ê´Â´Ù . °èÁ¤¿¡ ij¸¯ »ðÀÔ
for(int cnt=0;cnt<sPLAY_CHAR_MAX;cnt++) {
if ( !sPlayUserData.szCharName[cnt][0] ) {
lstrcpy( sPlayUserData.szCharName[cnt] , strBuff );
fp2 = fopen( szInfoFile , "wb" );
if ( fp2 ) {
fwrite( &sPlayUserData , sizeof( sPLAY_USER_DATA ) , 1, fp2 );
fclose(fp2);
}
break;
}
}
}
else {
flag = FALSE;
wsprintf( szLogBuff , "%s (%s) -> ½ÇÆÐ ( ½Å±Ôij¸¯ÀÌÁ¸Àç )\r\n", decode , strBuff );
fwrite( szLogBuff , lstrlen( szLogBuff ) , 1, fp3 );
}
}
if ( flag ) {
//ÆÄÀÏ º¹»ç
wsprintf( szFile , "BackupUser\\%s.dat" ,strBuff );
CopyFile( szDestDataFile , szFile , TRUE );
CopyFile( szSrcDataFile , szDestDataFile , FALSE );
wsprintf( szLogBuff , "%s (%s) -> ¼º°ø\r\n", decode , strBuff );
fwrite( szLogBuff , lstrlen( szLogBuff ) , 1, fp3 );
}
}
else {
wsprintf( szLogBuff , "%s (%s) -> ½ÇÆÐ ( °èÁ¤À̾øÀ½ )\r\n", decode , strBuff );
fwrite( szLogBuff , lstrlen( szLogBuff ) , 1, fp3 );
}
}
else {
wsprintf( szLogBuff , "%s (%s) -> ½ÇÆÐ ( ¼Ò½ºÆÄÀϾøÀ½ )\r\n", decode , strBuff );
fwrite( szLogBuff , lstrlen( szLogBuff ) , 1, fp3 );
}
}
}
}
fclose(fp3);
fclose(fp);
return TRUE;
}
/*
DWORD dwLoginServerIP; //·Î±×ÀÎÇÑ ¼¹öÀÇ IP
DWORD dwLoginServerSafeKey; //·Î±×ÀÎÇÑ ¼¹ö¿¡¼ º¸³½ º¸¾ÈŰ
*/
#ifdef _W_SERVER
#ifdef _LANGUAGE_ENGLISH
#ifndef _LANGUAGE_PHILIPIN
#define LOGIN_SERVER_KEY 0x512234a5 //¿µ¹®
#define LOGIN_SERVER_SHIFT 6
#else
#define LOGIN_SERVER_KEY 0x542634c3
#define LOGIN_SERVER_SHIFT 4
#endif
#endif
//Áß±¹
#ifdef _LANGUAGE_CHINESE
#define LOGIN_SERVER_KEY 0x512234a5
#define LOGIN_SERVER_SHIFT 6
#endif
#ifdef _LANGUAGE_BRAZIL
#define LOGIN_SERVER_KEY 0x532254a5
#define LOGIN_SERVER_SHIFT 5
#endif
#ifdef _LANGUAGE_ARGENTINA //¾Æ¸£ÇîÆ¼³ª (ºê¶óÁú ¼¼ÆÃ°ª Àӽà Àû¿ë)
#define LOGIN_SERVER_KEY 0x532254a5
#define LOGIN_SERVER_SHIFT 5
#endif
#ifdef _LANGUAGE_VEITNAM
#define LOGIN_SERVER_KEY 0x442934c3
#define LOGIN_SERVER_SHIFT 3
#endif
#ifdef _LANGUAGE_JAPANESE
#define LOGIN_SERVER_KEY 0x542634c5
#define LOGIN_SERVER_SHIFT 6
/*
#define LOGIN_SERVER_KEY 0x542634c3
#define LOGIN_SERVER_SHIFT 4
*/
#endif
#ifdef _LANGUAGE_THAI
#define LOGIN_SERVER_KEY 0x533734c3
#define LOGIN_SERVER_SHIFT 7
#endif
//·Î±×ÀÎ ¼¹ö º¸¾È Ű »ý¼º
DWORD rsGetLoginSafeKey( smCHAR_INFO *lpCharInfo , DWORD dwSpdSumCode )
{
DWORD dwCode = dwSpdSumCode;
DWORD dwCode2 = lpCharInfo->dwObjectSerial ^ LOGIN_SERVER_KEY;
if ( !dwCode )
dwCode = GetSpeedSum( lpCharInfo->szName );
dwCode = dwCode * ((dwCode2>>LOGIN_SERVER_SHIFT)|(dwCode2<<LOGIN_SERVER_SHIFT));
return dwCode;
}
//·Î±×ÀÎ ¼¹ö º¸¾ÈŰ ¼³Á¤
int rsSet_LoginServerSafeKey( smCHAR_INFO *lpCharInfo )
{
lpCharInfo->dwLoginServerSafeKey = rsGetLoginSafeKey( lpCharInfo );
return TRUE;
}
//·Î±×ÀÎ ¼¹ö º¸¾ÈŰ È®ÀÎ
int rsCheck_LoginServerSafeKey( smCHAR_INFO *lpCharInfo , DWORD dwSpdSumCode )
{
if ( lpCharInfo->dwLoginServerSafeKey==rsGetLoginSafeKey( lpCharInfo , dwSpdSumCode ) )
return TRUE;
return FALSE;
}
#else
DWORD rsGetLoginSafeKey( smCHAR_INFO *lpCharInfo , DWORD dwSpdSumCode )
{
return TRUE;
}
int rsSet_LoginServerSafeKey( smCHAR_INFO *lpCharInfo )
{
return TRUE;
}
int rsCheck_LoginServerSafeKey( smCHAR_INFO *lpCharInfo , DWORD dwSpdSumCode )
{
return TRUE;
}
#endif
| rafaellincoln/Source-Priston-Tale | J_Server/record.cpp | C++ | mit | 174,259 |
{% extends "browser/base.html" %}
{% load static from staticfiles %}
{% block js2 %}
<script language="JavaScript" src="{% static 'browser/js/pie.js' %}"></script>
<script type="text/JavaScript">
<!--
var array = [[344.017094017, "{% url 'topic' '{orientación,_comunicación,_presión}' %}", "{orientación,_comunicación,_presión}"], [232.905982906, "{% url 'topic' '{supervisor,_excel,_word}' %}", "{supervisor,_excel,_word}"], [177.35042735, "{% url 'topic' '{sistemas,_analista,_programador}' %}", "{sistemas,_analista,_programador}"], [10.6837606838, "{% url 'topic' '{coordinar,_supervisar,_controlar}' %}", "{coordinar,_supervisar,_controlar}"], [10.6837606838, "{% url 'topic' '{calidad,_control,_productos}' %}", "{calidad,_control,_productos}"], [10.6837606838, "{% url 'topic' '{procesos,_gestión,_proyectos}' %}", "{procesos,_gestión,_proyectos}"], [10.6837606838, "{% url 'topic' '{seguridad,_gestión,_ambiental}' %}", "{seguridad,_gestión,_ambiental}"], [10.6837606838, "{% url 'topic' '{asistente,_administración,_industrial}' %}", "{asistente,_administración,_industrial}"], [10.6837606838, "{% url 'topic' '{información,_seguimiento,_elaborar}' %}", "{información,_seguimiento,_elaborar}"], [10.6837606838, "{% url 'topic' '{desarrollo,_sistemas,_implementación}' %}", "{desarrollo,_sistemas,_implementación}"], [10.6837606838, "{% url 'topic' '{operaciones,_office,_mantenimiento}' %}", "{operaciones,_office,_mantenimiento}"], [10.6837606838, "{% url 'topic' '{cliente,_atención,_servicio}' %}", "{cliente,_atención,_servicio}"], [10.6837606838, "{% url 'topic' '{personas,_docente,_informática}' %}", "{personas,_docente,_informática}"], [10.6837606838, "{% url 'topic' '{logística,_almacén,_administración}' %}", "{logística,_almacén,_administración}"], [10.6837606838, "{% url 'topic' '{administración,_analista,_contabilidad}' %}", "{administración,_analista,_contabilidad}"], [10.6837606838, "{% url 'topic' '{mantenimiento,_supervisor,_planta}' %}", "{mantenimiento,_supervisor,_planta}"], [10.6837606838, "{% url 'topic' '{jefe,_industrial,_administración}' %}", "{jefe,_industrial,_administración}"], [10.6837606838, "{% url 'topic' '{ventas,_negocio,_vendedor}' %}", "{ventas,_negocio,_vendedor}"], [10.6837606838, "{% url 'topic' '{proactivo,_responsable,_presión}' %}", "{proactivo,_responsable,_presión}"], [10.6837606838, "{% url 'topic' '{proyectos,_obra,_obras}' %}", "{proyectos,_obra,_obras}"], [10.6837606838, "{% url 'topic' '{seguridad,_industrial,_riesgos}' %}", "{seguridad,_industrial,_riesgos}"], [10.6837606838, "{% url 'topic' '{eléctricos,_mantenimiento,_instalación}' %}", "{eléctricos,_mantenimiento,_instalación}"], [10.6837606838, "{% url 'topic' '{sistemas,_informática,_computación}' %}", "{sistemas,_informática,_computación}"], [10.6837606838, "{% url 'topic' '{ventas,_comercial,_marketing}' %}", "{ventas,_comercial,_marketing}"], [10.6837606838, "{% url 'topic' '{análisis,_elaboración,_gestión}' %}", "{análisis,_elaboración,_gestión}"], [10.6837606838, "{% url 'topic' '{mecánica,_mantenimiento,_mecánico}' %}", "{mecánica,_mantenimiento,_mecánico}"]];
var elements = generate_pie_elements(array);
var piec = null;
function init() {
browser_adjust();
// create pie chart
piec = new PieChart(elements);
piec.initialize();
}
function highlight(i) {
piec.highlight(i);
}
function unhighlight() {
piec.unhighlight();
}
//-->
</script>
{% endblock %}
{% block content %}
<body onLoad="init()">
<div id="navigation">
<hr noshade>
<table><tr>
<td class="navtext">Browse ▸</td>
<td class="linked"><a>Topics</a>
<ul>
<li><a href="{% url 'topic-list' %}">List of Terms</a></li>
<li><a href="{% url 'topic-graph' %}">Term Distributions</a></li>
<li><a href="{% url 'topic-presence' %}">Relative Presence</a></li>
</ul>
</td>
<td class="linked"><a>Documents</a>
<ul>
<li><a href="{% url 'doc-graph' %}">Topic Distributions</a></li>
</ul>
</td>
<td class="linked"><a>Terms</a>
<ul>
<li><a href="{% url 'term-list' %}">List by Frequency</a></li>
<li><a href="{% url 'term-graph' %}">Topic Distributions</a></li>
</ul>
</td>
<td class="linked"><a>About</a>
<ul>
<li><a href="http://www.cs.princeton.edu/~blei/lda-c/">LDA</a></li>
</ul>
</td>
</td>
<td></td>
<td class="searchbar"> Search ▸</td>
<td class="searchbar"><input type="text" name="search" size="20" onkeypress="handleKeyPress(event)"><span onclick="doSearch()"></span></td>
</tr></table>
</div>
<div id="top"></div>
<h1 id="header">
<table><tr>
<td id="title">doc1469</td>
</tr></table>
<hr noshade>
</h1>
<div id="main">
<table><tr>
<td width="210px">
<table class="dark">
<tr><td><canvas id="canvas" width="200" height="200"></canvas></td></tr>
<tr class="title">
<td>related topics</td>
</tr>
<tr class="list"><td id="{orientación,_comunicación,_presión}" onmouseover="highlight(0)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{orientación,_comunicación,_presión}'">{orientación, comunicación, presión}</td></tr>
<tr class="list"><td id="{supervisor,_excel,_word}" onmouseover="highlight(1)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{supervisor,_excel,_word}'">{supervisor, excel, word}</td></tr>
<tr class="list"><td id="{sistemas,_analista,_programador}" onmouseover="highlight(2)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{sistemas,_analista,_programador}'">{sistemas, analista, programador}</td></tr>
<tr class="list"><td id="{asistente,_administración,_industrial}" onmouseover="highlight(3)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{asistente,_administración,_industrial}'">{asistente, administración, industrial}</td></tr>
<tr class="list"><td id="{información,_seguimiento,_elaborar}" onmouseover="highlight(4)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{información,_seguimiento,_elaborar}'">{información, seguimiento, elaborar}</td></tr>
<tr class="list"><td id="{calidad,_control,_productos}" onmouseover="highlight(5)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{calidad,_control,_productos}'">{calidad, control, productos}</td></tr>
<tr class="list"><td id="{operaciones,_office,_mantenimiento}" onmouseover="highlight(6)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{operaciones,_office,_mantenimiento}'">{operaciones, office, mantenimiento}</td></tr>
<tr class="list"><td id="{cliente,_atención,_servicio}" onmouseover="highlight(7)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{cliente,_atención,_servicio}'">{cliente, atención, servicio}</td></tr>
<tr class="list"><td id="{personas,_docente,_informática}" onmouseover="highlight(8)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{personas,_docente,_informática}'">{personas, docente, informática}</td></tr>
<tr class="list"><td id="{logística,_almacén,_administración}" onmouseover="highlight(9)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{logística,_almacén,_administración}'">{logística, almacén, administración}</td></tr>
<tr class="list"><td id="{administración,_analista,_contabilidad}" onmouseover="highlight(10)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{administración,_analista,_contabilidad}'">{administración, analista, contabilidad}</td></tr>
<tr class="list"><td id="{mantenimiento,_supervisor,_planta}" onmouseover="highlight(11)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{mantenimiento,_supervisor,_planta}'">{mantenimiento, supervisor, planta}</td></tr>
<tr class="list"><td id="{ventas,_negocio,_vendedor}" onmouseover="highlight(12)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{ventas,_negocio,_vendedor}'">{ventas, negocio, vendedor}</td></tr>
<tr class="list"><td id="{jefe,_industrial,_administración}" onmouseover="highlight(13)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{jefe,_industrial,_administración}'">{jefe, industrial, administración}</td></tr>
<tr class="list"><td id="{proyectos,_obra,_obras}" onmouseover="highlight(14)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{proyectos,_obra,_obras}'">{proyectos, obra, obras}</td></tr>
<tr class="list"><td id="{seguridad,_industrial,_riesgos}" onmouseover="highlight(15)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{seguridad,_industrial,_riesgos}'">{seguridad, industrial, riesgos}</td></tr>
<tr class="list"><td id="{eléctricos,_mantenimiento,_instalación}" onmouseover="highlight(16)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{eléctricos,_mantenimiento,_instalación}'">{eléctricos, mantenimiento, instalación}</td></tr>
<tr class="list"><td id="{sistemas,_informática,_computación}" onmouseover="highlight(17)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{sistemas,_informática,_computación}'">{sistemas, informática, computación}</td></tr>
<tr class="list"><td id="{ventas,_comercial,_marketing}" onmouseover="highlight(18)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{ventas,_comercial,_marketing}'">{ventas, comercial, marketing}</td></tr>
<tr class="list"><td id="{procesos,_gestión,_proyectos}" onmouseover="highlight(19)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{procesos,_gestión,_proyectos}'">{procesos, gestión, proyectos}</td></tr>
<tr class="list"><td id="{coordinar,_supervisar,_controlar}" onmouseover="highlight(20)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{coordinar,_supervisar,_controlar}'">{coordinar, supervisar, controlar}</td></tr>
<tr class="list"><td id="{mecánica,_mantenimiento,_mecánico}" onmouseover="highlight(21)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{mecánica,_mantenimiento,_mecánico}'">{mecánica, mantenimiento, mecánico}</td></tr>
<tr class="list"><td id="{proactivo,_responsable,_presión}" onmouseover="highlight(22)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{proactivo,_responsable,_presión}'">{proactivo, responsable, presión}</td></tr>
<tr class="list"><td id="{análisis,_elaboración,_gestión}" onmouseover="highlight(23)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{análisis,_elaboración,_gestión}'">{análisis, elaboración, gestión}</td></tr>
<tr class="list"><td id="{seguridad,_gestión,_ambiental}" onmouseover="highlight(24)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{seguridad,_gestión,_ambiental}'">{seguridad, gestión, ambiental}</td></tr>
<tr class="list"><td id="{desarrollo,_sistemas,_implementación}" onmouseover="highlight(25)" onmouseout="unhighlight()" onclick="window.location.href='/peru/browser/topics/{desarrollo,_sistemas,_implementación}'">{desarrollo, sistemas, implementación}</td></tr>
</table>
</td>
<td>
<table class="light">
<tr class="doc"><td>
<p>Técnico <RARE>
técnico informática sistemas <RARE>
instalación
herramientas propias
medición
<RARE>
Técnico
Años de Experiencia : <SINGLE_DIGIT>
Idiomas : Español
Disponibilidad de Viajar : Si
Disponibilidad de Cambio de Residencia : No
</p>
</td></tr>
</table>
</td>
<td width="25%">
<table class="dark">
<tr class="title">
<td>related documents</td>
</tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc40433'">analista gestion iniciativas</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc4196'">operadores datacente</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc25276'">disenador mecanico industrial</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc63948'">soporte tecnico telefono trujillo</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc24718'">inspector alimentos alimentarios callao</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc10381'">coordinador capacitacion</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc41538'">coordinador costos presupuestos callao</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc55737'">auxilia</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc33155'">gerente planeamiento comercial</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc21062'">experiencia calculo estructural</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc32537'">programador abap experiencia hcm comprob</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc63934'">tecnico mantenimiento mecanico arequipa </td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc42051'">telecomunicaciones</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc39854'">soporte tecnico huancayo</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc14333'">computacion informatica administracion c</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc11522'">achiller mecanica</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc62036'">administrador agencia moyobamba</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc18374'">practicante negocio banca empresarial</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc6038'">practicante asuntos ambientales</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc48326'">promotor ventas movistar arequipa</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc11843'">practicante</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc8360'">asistente recursos humanos</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc6362'">asistente tecnologia informacion</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc62264'">atencion cliente experiencia</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc54967'">ejecutivo ventas servicios piura</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc2300'">geologo experiencia puno</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc11464'">sanitario para proyectos proteccion cont</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc18414'">gps instalado</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc55658'">disenado</td></tr>
<tr class="list"><td onclick="window.location.href='/peru/browser/docs/doc58200'">asistente recursos humanos</td></tr>
</table>
</td>
</tr></table>
</div>
<div id="footer">
<br>
<hr noshade>
</div>
</body>
{% endblock %} | ronaldahmed/labor-market-demand-analysis | topic-browser/NE_ene_ing/job/docs/doc1469.html | HTML | mit | 16,391 |
<!--Start Breadcrumb-->
<div class="row">
<div id="breadcrumb" class="col-xs-12">
<a href="#" class="show-sidebar">
<i class="fa fa-bars"></i>
</a>
<ol class="breadcrumb pull-left">
<li><a href="main-menu">Home</a></li>
<li><a href="#">Asignar perfil</a></li>
</ol>
</div>
</div>
<div class="row">
<div class="col-xs-12 col-sm-8">
<div class="box">
<div class="box-header">
<div class="box-name">
<i class="fa fa-users"></i>
<span>Asignar perfil de usuario</span>
</div>
<div class="box-icons">
<a class="collapse-link">
<i class="fa fa-chevron-up"></i>
</a>
<a class="expand-link">
<i class="fa fa-expand"></i>
</a>
<a class="close-link">
<i class="fa fa-times"></i>
</a>
</div>
<div class="no-move"></div>
</div>
<div class="box-content">
<!--<form id="defaultForm" method="post" action="" class="form-horizontal">-->
<?php
$attr = array("class" => "form-horizontal", "id" => "defaultForm", "role" => "form");
echo form_open("", $attr);
?>
<fieldset>
<legend>Seleccione usuario</legend>
<div class="form-group">
<label class="col-sm-3 control-label">Usuario</label>
<div class="col-sm-6">
<select class="populate placeholder" name="country" id="s_usuarios">
<option value="subzero">-- Seleccione usuario --</option>
<?php
foreach ($user as $v):
?>
<option value="<?php echo $v['id'] . '|' . $v['username'] ?>">
<?php echo $v['lastname'] . ', ' . $v['firstname'] . ' - ' . $v['username'] ?></option>
<?php
endforeach;
?>
</select>
</div>
</div>
<div class="form-group">
<label class="col-sm-3 control-label">Perfil</label>
<div class="col-sm-5">
<select class="populate placeholder" name="country" id="s_niveles">
<option value="subzero">-- Seleccione un nivel --</option>
<option value="1">Administrador</option>
<option value="2">Vicerector</option>
<option value="3">Director de área</option>
<option value="4">Decano</option>
<option value="5">Director de Carrera</option>
<option value="6">Coordinador de Curso</option>
</select>
</div>
</div>
<div class="form-group adm">
<label class="col-sm-3 control-label">Ciudad</label>
<div class="col-sm-5">
<select class="populate placeholder" multiple name="country" id="s_ciudad">
<option value="LI">-- Lima Centro --</option>
<option value="LN">-- Lima Norte --</option>
<option value="CH">-- Chiclayo --</option>
<option value="AQ">-- Arequipa --</option>
</select>
</div>
</div>
<div class="form-group adm">
<label class="col-sm-3 control-label">Programa</label>
<div class="col-sm-5">
<select class="populate placeholder" multiple name="country" id="s_programas">
</select>
</div>
</div>
</fieldset>
<!--</form>-->
<?php echo form_close(); ?>
</div>
</div>
</div>
<div class="col-xs-12 col-sm-8 hiddenxs 1">
<div class="box">
<div class="box-header">
<div class="box-name">
<i class="fa fa-pencil-square-o"></i>
<span>Administrador</span>
</div>
<div class="box-icons">
<a class="collapse-link">
<i class="fa fa-chevron-up"></i>
</a>
<a class="expand-link">
<i class="fa fa-expand"></i>
</a>
<a class="close-link">
<i class="fa fa-times"></i>
</a>
</div>
<div class="no-move"></div>
</div>
<div class="box-content">
<fieldset>
<legend>Asignar administrador</legend>
<div class="clearfix"></div>
<div class="form-group">
<div class="col-sm-9 col-sm-offset-3">
<button type="button" class="btn btn-primary">Asignar</button>
</div>
</div>
</fieldset>
</div>
</div>
</div>
<div class="col-xs-12 col-sm-8 hiddenxs 2">
<div class="box">
<div class="box-header">
<div class="box-name">
<i class="fa fa-pencil-square-o"></i>
<span>Vicerector</span>
</div>
<div class="box-icons">
<a class="collapse-link">
<i class="fa fa-chevron-up"></i>
</a>
<a class="expand-link">
<i class="fa fa-expand"></i>
</a>
<a class="close-link">
<i class="fa fa-times"></i>
</a>
</div>
<div class="no-move"></div>
</div>
<div class="box-content">
<fieldset>
<legend>Asignar</legend>
<div class="clearfix"></div>
<div class="form-group">
<div class="col-sm-9 col-sm-offset-3">
<button type="button" class="btn btn-primary">Asignar</button>
</div>
</div>
</fieldset>
</div>
</div>
</div>
<div class="col-xs-12 col-sm-8 hiddenxs 3">
<div class="box">
<div class="box-header">
<div class="box-name">
<i class="fa fa-dashboard"></i>
<span>Áreas</span>
</div>
<div class="box-icons">
<a class="collapse-link">
<i class="fa fa-chevron-up"></i>
</a>
<a class="expand-link">
<i class="fa fa-expand"></i>
</a>
<a class="close-link">
<i class="fa fa-times"></i>
</a>
</div>
<div class="no-move"></div>
</div>
<div class="box-content">
<fieldset>
<legend>Seleccione área</legend>
<div class="form-group">
<label class="col-sm-3 control-label">Áreas</label>
<div class="col-sm-5">
<select class="populate placeholder" multiple name="country" id="s_areas">
<option value="zubsero">-- Seleccione --</option>
</select>
</div>
</div>
<div class="clearfix"></div>
<div class="form-group">
<div class="col-sm-9 col-sm-offset-3">
<button type="button" class="btn btn-primary">Asignar</button>
</div>
</div>
</fieldset>
</div>
</div>
</div>
<div class="col-xs-12 col-sm-8 hiddenxs 4">
<div class="box">
<div class="box-header">
<div class="box-name">
<i class="fa fa-bar-chart-o"></i>
<span>Facultades</span>
</div>
<div class="box-icons">
<a class="collapse-link">
<i class="fa fa-chevron-up"></i>
</a>
<a class="expand-link">
<i class="fa fa-expand"></i>
</a>
<a class="close-link">
<i class="fa fa-times"></i>
</a>
</div>
<div class="no-move"></div>
</div>
<div class="box-content">
<fieldset>
<legend>Seleccione facultad</legend>
<div class="form-group">
<label class="col-sm-3 control-label">Facultades</label>
<div class="col-sm-5">
<select class="populate placeholder" multiple name="country" id="s_facultades">
<option value="zubsero">-- Seleccione --</option>
</select>
</div>
</div>
<div class="clearfix"></div>
<div class="form-group">
<div class="col-sm-9 col-sm-offset-3">
<button type="button" class="btn btn-primary">Asignar</button>
</div>
</div>
</fieldset>
</div>
</div>
</div>
<div class="col-xs-12 col-sm-8 hiddenxs 5">
<div class="box">
<div class="box-header">
<div class="box-name">
<i class="fa fa-table"></i>
<span>Carreras</span>
</div>
<div class="box-icons">
<a class="collapse-link">
<i class="fa fa-chevron-up"></i>
</a>
<a class="expand-link">
<i class="fa fa-expand"></i>
</a>
<a class="close-link">
<i class="fa fa-times"></i>
</a>
</div>
<div class="no-move"></div>
</div>
<div class="box-content">
<fieldset>
<legend>Seleccione carrera</legend>
<div class="form-group">
<label class="col-sm-3 control-label">Facultades</label>
<div class="col-sm-5">
<select class="populate placeholder" name="country" id="s_facultadesaux">
<option value="zubsero">-- Seleccione --</option>
</select>
</div>
</div>
<div class="clearfix"></div>
<div class="form-group">
<label class="col-sm-3 control-label">Carreras</label>
<div class="col-sm-5">
<select class="populate placeholder" multiple name="country" id="s_carreras">
<option value="zubsero">-- Seleccione --</option>
</select>
</div>
</div>
<div class="clearfix"></div>
<div class="form-group">
<div class="col-sm-9 col-sm-offset-3">
<button type="button" class="btn btn-primary">Asignar</button>
</div>
</div>
</fieldset>
</div>
</div>
</div>
<div class="col-xs-12 col-sm-8 hiddenxs 6">
<div class="box">
<div class="box-header">
<div class="box-name">
<i class="fa fa-pencil-square-o"></i>
<span>Cursos</span>
</div>
<div class="box-icons">
<a class="collapse-link">
<i class="fa fa-chevron-up"></i>
</a>
<a class="expand-link">
<i class="fa fa-expand"></i>
</a>
<a class="close-link">
<i class="fa fa-times"></i>
</a>
</div>
<div class="no-move"></div>
</div>
<div class="box-content">
<fieldset>
<legend>Seleccione curso</legend>
<div class="form-group">
<label class="col-sm-3 control-label">Cursos</label>
<div class="col-sm-8">
<select class="populate placeholder" multiple name="country" id="s_cursos">
<option value="zubsero">-- Seleccione --</option>
</select>
</div>
</div>
<div class="clearfix"></div>
<div class="form-group">
<div class="col-sm-9 col-sm-offset-3">
<button type="button" class="btn btn-primary">Asignar</button>
</div>
</div>
</fieldset>
</div>
</div>
</div>
</div>
<script type="text/javascript">
var nivel = 0;
$(document).ready(function () {
$('.hiddenxs').css({
'display': 'none'
});
$('select').select2({
placeholder: '-- Seleccione --'
});
$('#s_niveles').change(function () {
var item = $(this).val();
$('.' + item).removeAttr('style');
$('.adm').removeAttr('style');
(item == '1' || item == '2') && $('.adm').css({'display': 'none'});
nivel = item;
$('.hiddenxs')
.not('.' + item)
.css({
'display': 'none'
});
});
cargar_select('s_areas', 'users-get_areas');
cargar_select('s_facultades', 'users-get_facultades');
cargar_select('s_facultadesaux', 'users-get_facultades');
cargar_select('s_cursos', 'users-get_cursos');
cargar_select('s_programas', 'users-get_category');
$('#s_facultadesaux').change(function () {
var facultad = {
'facultad': $(this).val()
}
$('#s_carreras')
.html(null)
.append('<option value="0">-- Seleccione --</option>');
cargar_select('s_carreras', 'users-get_carreras', facultad);
})
var btn = document.getElementsByClassName('btn-primary');
for (var i = 0; i < btn.length; i++) {
btn.item(i).addEventListener("click", function () {
var nivel = document.getElementById('s_niveles').value;
if (nivel != '1' && nivel != '2') {
$('#s_usuarios, #s_niveles, #s_programas').validate({
required: true,
message: {
required: 'Requerido'
}
});
} else {
$.isValid = true;
}
if ($.isValid) {
asignar();
}
});
}
});
function asignar() {
var id_user = document.getElementById('s_usuarios').value.split('|');
$.post('users-review', {
'<?php echo $this->security->get_csrf_token_name(); ?>':'<?php echo $this->security->get_csrf_hash(); ?>',
'username' : id_user[1],
'type' : 'sign'
})
.done(function(e){
if(e){
var dialog = new BootstrapDialog({
title : 'Confirmar !!',
message: 'Este usuario ya tiene asignado un perfil diferente, desea continuar y actualizar al perfil seleccionado?',
tabindex: 50,
cssClass : 'alert',
buttons: [
{
id: 'btn-ok',
label: 'Aceptar',
cssClass: 'btn-primary',
autospin: false,
action: function(dialogRef){
dialogRef.close();
$.post('users-save_assignment', {
'<?php echo $this->security->get_csrf_token_name(); ?>':'<?php echo $this->security->get_csrf_hash(); ?>',
'usuario' : id_user[0],
'usern' : id_user[1],
'niveles' : document.getElementById('s_niveles').value,
'program' : $('#s_programas').val(),
'areas' : (nivel == 3) ? $('#s_areas').val() : '',
'facultad' : (nivel == 4) ? $('#s_facultades').val() : '',
'facultadx' : (nivel == 5) ? $('#s_facultadesaux').val() : '',
'carreras' : (nivel == 5) ? $('#s_carreras').val() : '',
'cursos' : (nivel == 6) ? $('#s_cursos').val() : '',
'ciudad' : $('#s_ciudad').val()
})
.done(function(e){
var alertconfirm = new BootstrapDialog({
title : 'Aviso',
cssClass : 'alert',
message : 'Usuario asignado correctamente',
buttons : [
{
label : 'Aceptar',
cssClass : 'btn-primary',
action : function(dialogRef){
$('select').each(function(){
var attribute = $(this).attr('multiple');
if(typeof attribute === 'undefined'){
$(this).select2('val', 'subzero');
} else {
$(this).select2('val', null);
}
});
$('.hiddenxs').css({'display': 'none'});
dialogRef.close();
}
}
]
});
alertconfirm.open();
});
}
},
{
id : 'btn-cancel',
label : 'Cancelar',
cssClass : 'btn-danger',
autospin : false,
action: function(dialogRef){
dialogRef.close();
}
}
]
});
dialog.open();
} else {
$.post('users-save_assignment', {
'<?php echo $this->security->get_csrf_token_name(); ?>':'<?php echo $this->security->get_csrf_hash(); ?>',
'usuario': id_user[0],
'usern' : id_user[1],
'niveles': document.getElementById('s_niveles').value,
'program': $('#s_programas').val(),
'areas': $('#s_areas').val(),
'facultad': $('#s_facultades').val(),
'facultadx': $('#s_facultadesaux').val(),
'carreras': $('#s_carreras').val(),
'cursos': $('#s_cursos').val(),
'ciudad': $('#s_ciudad').val()
})
.done(function(e){
var alert = new BootstrapDialog({
title : 'Aviso',
cssClass : 'alert',
message : 'Usuario asignado correctamente',
buttons : [
{
label : 'Aceptar',
cssClass : 'btn-primary',
action : function(dialogRef){
$('select').each(function(){
var attribute = $(this).attr('multiple');
if(typeof attribute === 'undefined'){
$(this).select2('val', 'subzero');
} else {
$(this).select2('val', null);
}
});
$('.hiddenxs').css({'display': 'none'});
dialogRef.close();
}
}
]
});
alert.open();
});
}
})
}
</script> | Cristian9/InformesNimbus | application/views/user/asignar_usuario.php | PHP | mit | 23,289 |
using System;
namespace Pizza_Calories
{
public class Topping
{
private string type;
private double weight;
public Topping(string type, double weight)
{
this.Type = type;
this.Weight = weight;
}
private string Type
{
set
{
if (!value.Equals("meat") && !value.Equals("veggies") && !value.Equals("cheese") && !value.Equals("sauce"))
{
throw new ArgumentException($"Cannot place {value} on top of your pizza.");
};
this.type = value;
}
}
private double Weight
{
set
{
if (value < 1 || 50 < value)
{
throw new ArgumentException($"{this.type} weight should be in the range [1..50].");
};
this.weight = value;
}
}
public double TotalCalories()
{
var modifier = 0d;
if (this.type.Equals("meat"))
{
modifier = 1.2;
}
else if (this.type.Equals("veggies"))
{
modifier = 0.8;
}
else if (this.type.Equals("cheese"))
{
modifier = 1.1;
}
else
{
modifier = 0.9;
}
return this.weight * 2 * modifier;
}
}
}
| BlueDress/School | C# OOP Basics/Encapsulation Exercises/Pizza Calories/Topping.cs | C# | mit | 1,524 |
package angel.zhuoxiu.library.emoji;
public class Emoji {
public static String[][] EMOJIS = new String[][] {
{ "😄", "😃", "😀", "😊", "😉", "😍", "😘", "😚", "😗", "😙", "😜", "😝", "😛", "😳", "😁", "😔", "😌", "😒", "😞", "😣", "😢", "😂", "😭", "😪",
"😥", "😰", "😅", "😓", "😩", "😫", "😨", "😱", "😠", "😡", "😤", "😖", "😆", "😋", "😷", "😎", "😴", "😵", "😲", "😟", "😦", "😧", "😈",
"👿", "😮", "😬", "😐", "😕", "😯", "😶", "😇", "😏", "😑", "👲", "👳", "👮", "👷", "💂", "👶", "👦", "👧", "👨", "👩", "👴", "👵", "👱",
"👼", "👸" },
{ "😺", "😸", "😻", "😽", "😼", "🙀", "😿", "😹", "😾", "👹", "👺", "🙈", "🙉", "🙊", "💀", "👽", "💩" },
{ "🔥", "✨", "🌟", "💫", "💥", "💢", "💦", "💧", "💤", "💨", "👂", "👀", "👃", "👅", "👄", "👍", "👎", "👌", "👊", "✊", "✌", "👋", "✋", "👐", "👆",
"👇", "👉", "👈", "🙌", "🙏", "☝", "👏", "💪", "🚶", "🏃", "💃", "👫", "👪", "👬", "👭", "💏", "💑", "👯", "🙆", "🙅", "💁", "🙋", "💆",
"💇", "💅", "👰", "🙎", "🙍", "🙇" },
{ "🎩", "👑", "👒", "👟", "👞", "👡", "👠", "👢", "👕", "👔", "👚", "👗", "🎽", "👖", "👘", "👙", "💼", "👜", "👝", "👛", "👓", "🎀", "🌂", "💄" },
{ "💛", "💙", "💜", "💚", "❤", "💔", "💗", "💓", "💕", "💖", "💞", "💘", "💌", "💋", "💍", "💎", "👤", "👥", "💬", "👣", "💭" },
{ "🐶", "🐺", "🐱", "🐭", "🐹", "🐰", "🐸", "🐯", "🐨", "🐻", "🐷", "🐽", "🐮", "🐗", "🐵", "🐒", "🐴", "🐑", "🐘", "🐼", "🐧", "🐦", "🐤", "🐥",
"🐣", "🐔", "🐍", "🐢", "🐛", "🐝", "🐜", "🐞", "🐌", "🐙", "🐚", "🐠", "🐟", "🐬", "🐳", "🐋", "🐄", "🐏", "🐀", "🐃", "🐅", "🐇", "🐉",
"🐎", "🐐", "🐓", "🐕", "🐖", "🐁", "🐂", "🐲", "🐡", "🐊", "🐫", "🐪", "🐆", "🐈", "🐩", "🐾" },
{ "💐", "🌸", "🌷", "🍀", "🌹", "🌻", "🌺", "🍁", "🍃", "🍂", "🌿", "🌾", "🍄", "🌵", "🌴", "🌲", "🌳", "🌰", "🌱", "🌼" },
{ "🌐", "🌞", "🌝", "🌚", "🌑", "🌒", "🌓", "🌔", "🌕", "🌖", "🌗", "🌘", "🌜", "🌛", "🌙", "🌍", "🌎", "🌏", "🌋", "🌌", "🌠", "⭐", "☀", "⛅", "☁",
"⚡", "☔", "❄", "⛄", "🌀", "🌁", "🌈", "🌊" },
{ "🎍", "💝", "🎎", "🎒", "🎓", "🎏", "🎆", "🎇", "🎐", "🎑", "🎃", "👻", "🎅", "🎄", "🎁", "🎋", "🎉", "🎊", "🎈", "🎌", "🔮", "🎥", "📷", "📹",
"📼", "💿", "📀", "💽", "💾", "💻", "📱", "☎", "📞", "📟", "📠", "📡", "📺", "📻", "🔊", "🔉", "🔈", "🔇", "🔔", "🔕", "📢", "📣", "⏳",
"⌛", "⏰", "⌚", "🔓", "🔒", "🔏", "🔐", "🔑", "🔎", "💡", "🔦", "🔆", "🔅", "🔌", "🔋", "🔍", "🛁", "🛀", "🚿", "🚽", "🔧", "🔩", "🔨",
"🚪", "🚬", "💣", "🔫", "🔪", "💊", "💉", "💰", "💴", "💵", "💷", "💶", "💳", "💸", "📲" },
{ "📧", "📥", "📤", "✉", "📩", "📨", "📯", "📫", "📪", "📬", "📭", "📮", "📦", "📝", "📄", "📃", "📑", "📊", "📈", "📉", "📜", "📋", "📅", "📆",
"📇", "📁", "📂", "✂", "📌", "📎", "✒", "✏", "📏", "📐", "📕", "📗", "📘", "📙", "📓", "📔", "📒", "📚", "📖", "🔖", "📛", "🔬", "🔭", "📰" },
{ "🎨", "🎬", "🎤", "🎧", "🎼", "🎵", "🎶", "🎹", "🎻", "🎺", "🎷", "🎸" },
{ "👾", "🎮", "🃏", "🎴", "🀄", "🎲", "🎯", "🏈", "🏀", "⚽", "⚾", "🎾", "🎱", "🏉", "🎳", "⛳", "🚵", "🚴", "🏁", "🏇", "🏆", "🎿", "🏂", "🏊",
"🏄", "🎣" },
{ "☕", "🍵", "🍶", "🍼", "🍺", "🍻", "🍸", "🍹", "🍷", "🍴", "🍕", "🍔", "🍟", "🍗", "🍖", "🍝", "🍛", "🍤", "🍱", "🍣", "🍥", "🍙", "🍘", "🍚",
"🍜", "🍲", "🍢", "🍡", "🍳", "🍞", "🍩", "🍮", "🍦", "🍨", "🍧", "🎂", "🍰", "🍪", "🍫", "🍬", "🍭", "🍯" },
{ "🍎", "🍏", "🍊", "🍋", "🍒", "🍇", "🍉", "🍓", "🍑", "🍈", "🍌", "🍐", "🍍", "🍠", "🍆", "🍅", "🌽" },
{ "🏠", "🏡", "🏫", "🏢", "🏣", "🏥", "🏦", "🏪", "🏩", "🏨", "💒", "⛪", "🏬", "🏤", "🌇", "🌆", "🏯", "🏰", "⛺", "🏭", "🗼", "🗾", "🗻", "🌄",
"🌅", "🌃", "🗽", "🌉", "🎠", "🎡", "⛲", "🎢", "🚢" },
{ "⛵", "🚤", "🚣", "⚓", "🚀", "✈", "💺", "🚁", "🚂", "🚊", "🚉", "🚞", "🚆", "🚄", "🚅", "🚈", "🚇", "🚝", "🚋", "🚃", "🚎", "🚌", "🚍", "🚙",
"🚘", "🚗", "🚕", "🚖", "🚛", "🚚", "🚨", "🚓", "🚔", "🚒", "🚑", "🚐", "🚲", "🚡", "🚟", "🚠", "🚜", "💈", "🚏", "🎫", "🚦", "🚥", "⚠",
"🚧", "🔰", "⛽", "🏮", "🎰", "♨", "🗿", "🎪", "🎭", "📍", "🚩" },
{ "🇩🇪", "🇰🇷", "🇨🇳", "🇺🇸", "🇫🇷", "🇪🇸", "🇮🇹", "🇷🇺", "🇬🇧", "🇯🇵" },
{ "1⃣", "2⃣", "3⃣", "4⃣", "5⃣", "6⃣", "7⃣", "8⃣", "9⃣", "0⃣", "🔟", "🔢", "#⃣", "🔣", "⬆", "⬇", "⬅", "➡", "🔠", "🔡", "🔤", "↗", "↖", "↘", "↙",
"↔", "↕", "🔄", "◀", "▶", "🔼", "🔽", "↩", "↪", "ℹ", "⏪", "⏩", "⏫", "⏬", "⤵", "⤴" },
{ "🆗", "🔀", "🔁", "🔂", "🆕", "🆙", "🆒", "🆓", "🆖", "📶", "🎦", "🈁", "🈯", "🈳", "🈵", "🈴", "🈲", "🉐", "🈹", "🈺", "🈶", "🈚", "🚻", "🚹",
"🚺", "🚼", "🚾", "🚰", "🚮", "🅿", "♿", "🚭", "🈷", "🈸", "🈂", "Ⓜ", "🛂", "🛄", "🛅", "🛃", "🉑", "㊙", "㊗", "🆑", "🆘", "🆔", "🚫", "🔞",
"📵", "🚯", "🚱", "🚳", "🚷", "🚸", "⛔", "✳", "❇", "❎", "✅", "✴", "💟", "🆚", "📳", "📴", "🅰", "🅱", "🆎", "🅾", "💠", "➿", "♻" },
{ "♈", "♉", "♊", "♋", "♌", "♍", "♎", "♏", "♐", "♑", "♒", "♓", "⛎", "🔯", "🏧", "💹", "💲", "💱", "©", "®", "™", "❌", "‼", "⁉", "❗", "❓", "❕", "❔",
"⭕", "🔝", "🔚", "🔙", "🔛", "🔜", "🔃", "🕛", "🕧", "🕐", "🕜", "🕑", "🕝", "🕒", "🕞", "🕓", "🕟", "🕔", "🕠", "🕕", "🕖", "🕗", "🕘",
"🕙", "🕚", "🕡", "🕢", "🕣", "🕤", "🕥", "🕦", "✖", "➕", "➖", "➗", "♠", "♥", "♣", "♦", "💮", "💯", "✔", "☑", "🔘", "🔗", "➰", "〰", "〽",
"🔱", "◼", "◻", "◾", "◽", "▪", "▫", "🔺", "🔲", "🔳", "⚫", "⚪", "🔴", "🔵", "🔻", "⬜", "⬛", "🔶", "🔷", "🔸", "🔹" } };
}
| xiuzhuo/MyAndroidLib | AngelsLibrary/src/angel/zhuoxiu/library/emoji/Emoji.java | Java | mit | 7,045 |
<!-- Page text -->
{% set page_question = 'Have the episodes been controlled since your pacemaker was fitted?' %}
<!-- Condition ID -->
{% set q_id = 'H' %}
{% set q_no = '9' %}
<!-- Page routing -->
{% set go_yes = '/heart/agree-to-conditions' %}
{% set go_no = 'pacemaker-fitted-after-episode' %}
{% set go_no_2 = '/application-summary' %}
{% set go_next_pm = '/heart/agree-to-conditions' %}
{% set go_no = 'pacemaker-fitted-after-episode' %}
{% set go_no_2 = '/application-summary' %}
{% set current_page = '/heart/pacemaker/episodes-controlled' %}
{% set replay_yes = 'You have confirmed that the episodes of sudden and disabling dizziness or fainting <strong>have</strong> been controlled since your pacemaker was fitted?' %}
{% set replay_no = 'You have confirmed that the episodes of sudden and disabling dizziness or fainting have <strong>not</strong> been controlled since your pacemaker was fitted?' %}
{% extends "layout.html" %}
{% block page_title %}{% if page_title %} {{ page_title | safe }} {% else %} {{ page_question | safe }} {% endif %}{% endblock %}
{% block head %}
{% include "includes/head.html" %}
{% include "includes/scripts.html" %}
{% endblock %}
{% block after_header %}
{{ banner.input() }}
{% endblock %}
{% block content %}
<main id="content" role="main" tabindex="-1">
<div class="grid-row">
{% include "_standard_radio_form.html" %}
{% include "includes/widgets/need-help.html" %}
</div>
</main>
{% endblock %}
{% block body_end %}
<script type="text/javascript">
$(document).ready(function() {
$(window).load(function() {
deleteResponsesH9();
});
});
function validate() {
var question = "{{ page_question }}";
var value = $('input[name={{ page_id }}]:checked').val();
if (value == 'Y') {
addResponse("{{ q_id }}", "{{ q_no }}", question, "Y", "{{ replay_yes | safe }}", '{{ current_page }}');
if (getCurrentConditionID() === "H") {
go("{{ go_no }}");
} else if (getCurrentConditionID() === "PM") {
// ✔︎✔︎✔︎ CHECKED
if ((H2 === "0") || ((H3 === "N") && (H8 === "N"))) {
go('/heart/agree-to-conditions');
} else {
go('pacemaker-fitted-after-episode');
}
}
} else if (value == 'N') {
addResponse("{{ q_id }}", "{{ q_no }}", question, "N", "{{ replay_no | safe }}", '{{ current_page }}');
if (getCurrentConditionID() === "H") {
go("{{ go_yes }}");
} else if (getCurrentConditionID() === "PM") {
// ✔︎✔︎✔︎ CHECKED
go('/heart/agree-to-conditions');
}
} else {
showErrors();
}
}
</script>
{% endblock %} | wayneddgu/fit2drive-ux | app/views/heart/_old/pacemaker/episodes-controlled.html | HTML | mit | 3,045 |
import { expect } from "chai";
import { VariableDeclaration, VariableDeclarationKind, VariableDeclarationList } from "../../../../compiler";
import { VariableDeclarationStructure, OptionalKind } from "../../../../structures";
import { getInfoFromText } from "../../testHelpers";
describe(nameof(VariableDeclarationList), () => {
describe(nameof<VariableDeclarationList>(d => d.getDeclarationKind), () => {
function doTest(code: string, expectedType: VariableDeclarationKind) {
const { firstChild } = getInfoFromText<VariableDeclarationList>(code);
expect(firstChild.getDeclarationKind()).to.equal(expectedType);
}
it("should get var for a var variable", () => {
doTest("var myVar;", VariableDeclarationKind.Var);
});
it("should get let for a let variable", () => {
doTest("let myVar;", VariableDeclarationKind.Let);
});
it("should get const for a const variable", () => {
doTest("const myVar = 3;", VariableDeclarationKind.Const);
});
});
describe(nameof<VariableDeclarationList>(d => d.getDeclarationKindKeyword), () => {
function doTest(code: string, expectedType: VariableDeclarationKind) {
const { firstChild } = getInfoFromText<VariableDeclarationList>(code);
expect(firstChild.getDeclarationKindKeyword().getText()).to.equal(expectedType);
}
it("should get var for a var variable", () => {
doTest("var myVar;", VariableDeclarationKind.Var);
});
it("should get let for a let variable", () => {
doTest("let myVar;", VariableDeclarationKind.Let);
});
it("should get const for a const variable", () => {
doTest("const myVar = 3;", VariableDeclarationKind.Const);
});
});
describe(nameof<VariableDeclarationList>(d => d.setDeclarationKind), () => {
function doTest(code: string, newType: VariableDeclarationKind, expectedCode: string) {
const { firstChild, sourceFile } = getInfoFromText<VariableDeclarationList>(code);
firstChild.setDeclarationKind(newType);
expect(sourceFile.getFullText()).to.equal(expectedCode);
}
it("should not change the type when it is the same", () => {
doTest("var myVar;", VariableDeclarationKind.Var, "var myVar;");
});
it("should change to let", () => {
doTest("var myVar;", VariableDeclarationKind.Let, "let myVar;");
});
it("should change to const", () => {
doTest("var myVar;", VariableDeclarationKind.Const, "const myVar;");
});
it("should change to var", () => {
doTest("let myVar;", VariableDeclarationKind.Var, "var myVar;");
});
});
describe(nameof<VariableDeclarationList>(d => d.insertDeclarations), () => {
function doTest(startText: string, index: number, structures: OptionalKind<VariableDeclarationStructure>[], expectedText: string) {
const { firstChild, sourceFile } = getInfoFromText<VariableDeclarationList>(startText);
const result = firstChild.insertDeclarations(index, structures);
expect(result.length).to.equal(structures.length);
expect(sourceFile.getFullText()).to.equal(expectedText);
}
it("should insert declarations at the beginning", () => {
doTest("export var v4;", 0, [{ name: "v1" }, { name: "v2", type: "string" }, { name: "v3", initializer: "5" }],
"export var v1, v2: string, v3 = 5, v4;");
});
it("should insert declarations in the middle", () => {
doTest("var v1, v4;", 1, [{ name: "v2" }, { name: "v3", type: "number", initializer: "5" }],
"var v1, v2, v3: number = 5, v4;");
});
it("should insert declarations at the end", () => {
doTest("var v1;", 1, [{ name: "v2" }, { name: "v3" }],
"var v1, v2, v3;");
});
});
describe(nameof<VariableDeclarationList>(d => d.insertDeclaration), () => {
function doTest(startText: string, index: number, structure: OptionalKind<VariableDeclarationStructure>, expectedText: string) {
const { firstChild, sourceFile } = getInfoFromText<VariableDeclarationList>(startText);
const result = firstChild.insertDeclaration(index, structure);
expect(result).to.be.instanceOf(VariableDeclaration);
expect(sourceFile.getFullText()).to.equal(expectedText);
}
it("should insert a declaration", () => {
doTest("var v1, v3;", 1, { name: "v2" }, "var v1, v2, v3;");
});
});
describe(nameof<VariableDeclarationList>(d => d.addDeclarations), () => {
function doTest(startText: string, structures: OptionalKind<VariableDeclarationStructure>[], expectedText: string) {
const { firstChild, sourceFile } = getInfoFromText<VariableDeclarationList>(startText);
const result = firstChild.addDeclarations(structures);
expect(result.length).to.equal(structures.length);
expect(sourceFile.getFullText()).to.equal(expectedText);
}
it("should add declarations", () => {
doTest("var v1;", [{ name: "v2" }, { name: "v3" }], "var v1, v2, v3;");
});
});
describe(nameof<VariableDeclarationList>(d => d.addDeclaration), () => {
function doTest(startText: string, structure: OptionalKind<VariableDeclarationStructure>, expectedText: string) {
const { firstChild, sourceFile } = getInfoFromText<VariableDeclarationList>(startText);
const result = firstChild.addDeclaration(structure);
expect(result).to.be.instanceOf(VariableDeclaration);
expect(sourceFile.getFullText()).to.equal(expectedText);
}
it("should add a declaration", () => {
doTest("var v1;", { name: "v2" }, "var v1, v2;");
});
});
});
| dsherret/ts-simple-ast | src/tests/compiler/ast/statement/variableDeclarationListTests.ts | TypeScript | mit | 6,031 |
// --------------------------------------------------------------------------------------------------------------------
// <copyright file="DataConversionTargetResolverMetadata.cs" company="Kephas Software SRL">
// Copyright (c) Kephas Software SRL. All rights reserved.
// Licensed under the MIT license. See LICENSE file in the project root for full license information.
// </copyright>
// <summary>
// Implements the data conversion target resolver metadata class.
// </summary>
// --------------------------------------------------------------------------------------------------------------------
namespace Kephas.Data.Conversion.Composition
{
using System;
using System.Collections.Generic;
using Kephas.Collections;
using Kephas.Services.Composition;
/// <summary>
/// A data conversion target resolver metadata.
/// </summary>
public class DataConversionTargetResolverMetadata : AppServiceMetadata
{
/// <summary>
/// Initializes a new instance of the <see cref="DataConversionTargetResolverMetadata"/> class.
/// </summary>
/// <param name="metadata">The metadata.</param>
public DataConversionTargetResolverMetadata(IDictionary<string, object?> metadata)
: base(metadata)
{
if (metadata == null)
{
return;
}
this.SourceType = (Type)metadata.TryGetValue(nameof(this.SourceType));
this.TargetType = (Type)metadata.TryGetValue(nameof(this.TargetType));
}
/// <summary>
/// Initializes a new instance of the <see cref="DataConversionTargetResolverMetadata"/>
/// class.
/// </summary>
/// <param name="sourceType">The type of the source.</param>
/// <param name="targetType">The type of the target.</param>
/// <param name="processingPriority">Optional. The processing priority.</param>
/// <param name="overridePriority">Optional. The override priority.</param>
public DataConversionTargetResolverMetadata(Type sourceType, Type targetType, int processingPriority = 0, int overridePriority = 0)
: base(processingPriority, overridePriority)
{
this.SourceType = sourceType;
this.TargetType = targetType;
}
/// <summary>
/// Gets the type of the source.
/// </summary>
/// <value>
/// The type of the source.
/// </value>
public Type SourceType { get; }
/// <summary>
/// Gets the type of the target.
/// </summary>
/// <value>
/// The type of the target.
/// </value>
public Type TargetType { get; }
}
} | quartz-software/kephas | src/Kephas.Data/Conversion/Composition/DataConversionTargetResolverMetadata.cs | C# | mit | 2,744 |
#include "Application.h"
#include "Director.h"
using namespace WineX;
Application* _instance = nullptr;
Application::Application()
{
}
Application::~Application()
{
}
Application* Application::Excute()
{
if (_instance == nullptr)
{
_instance = new Application();
}
return _instance;
}
bool Application::Initialize(const std::wstring& title, const int width, const int height)
{
_winApp = new WinApp();
_d3dApp = new D3DApp();
if (_winApp != nullptr &&
_d3dApp != nullptr)
{
if (!_winApp->Init(title, width, height))
{
return false;
}
if (!_d3dApp->Init(_winApp->GetWnd()))
{
return false;
}
}
else
{
return false;
}
_device = _d3dApp->GetDevice();
return true;
}
void Application::Run()
{
_winApp->Loop(_d3dApp->GetDevice());
}
void Application::Destroy()
{
Director::getInstance()->Destroy();
SAFE_DELETE(_d3dApp);
SAFE_DELETE(_winApp);
SAFE_DELETE(_instance);
}
void Application::SetStartScene(Scene* scene)
{
_curScene = scene;
}
void Application::ReplaceScene(Scene* scene)
{
_curScene->Release();
SAFE_DELETE(_curScene);
_curScene = scene;
_curScene->Init();
} | MKachi/WineX | WineX/Application.cpp | C++ | mit | 1,130 |
/*
* Copyright (c) 2008-2012 the MansOS team. 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.
* 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 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 "stdmansos.h"
#include "average.h"
#include "random.h"
#include "stdev.h"
#include "algo.h"
void appMain(void) {
uint8_t coeffs[10] = {1, 2, 3, 4, 5, 6, 7, 8, 9, 10};
// Init with coefficients
Average_t avg1 = avgInitWithCoeffs(10, coeffs);
// Init with window 5
Average_t avg2 = avgInit(10);
// Init with infinite window
Average_t avg3 = avgInit(0);
while (true) {
uint16_t temp = randomNumber();
addAverage(&avg1, &temp);
addAverage(&avg2, &temp);
addAverage(&avg3, &temp);
PRINTF("%u %u %u %u %u\n", temp,getAverageValue(&avg1),
getAverageValue(&avg2), getAverageValue(&avg3),
intSqrt(temp));
// change the default LED status
ledToggle();
// wait for 1000 milliseconds
mdelay(1000);
}
}
| IECS/MansOS | apps/tests/DataProcessingTests/AverageTest/main.c | C | mit | 2,232 |
package testSurvey;
import java.io.InputStreamReader;
import java.util.ArrayList;
import java.util.Scanner;
public class MultipleChoice extends Question{
private ArrayList<String> options;
private String _answer;
private String userAnswer;
private Output output;
public MultipleChoice(String questionString, ArrayList<String> options, String answer, String type) {
// TODO Auto-generated constructor stub
super(questionString,type);
this.setOptions(options);
this.setAnswer(answer);
this.output = new Output();
}
public MultipleChoice()
{
super();
}
public ArrayList<String> getOptions() {
return options;
}
public void setOptions(ArrayList<String> options) {
this.options = options;
}
public void setAnswer(String answer) {
this._answer = answer;
}
/*
sample:
{"question": "Which number is largest?", "answer": "20", "type": "multipleChoice", "answers": [
{"answer": "20"},
{"answer": "10"},
{"answer": "3"},
{"answer": "4"}
]
}
*/
public String toString(){
//question
String string = "{\"question\":\"";
string = string + this.getQuestion() + "\",";
//answer
string = string + "\"answer\": \""+ this.getAnswer().get(0) +"\",";
//type
string = string + "\"type\": \"multipleChoice\",";
//answers
string = string + "\"answers\": [";
for(int i = 0;i<options.size();i++){
if(i <options.size()-1){
string = string + "{\"answer\": \""+options.get(i)+"\"},";
} else{ //meaning this is the last one
string = string + "{\"answer\": \""+options.get(i)+"\"}";
}
}
string = string + "]}";
return string;
}
public String toStringSurvey(){
//question
String string = "{\"question\":\"";
string = string + this.getQuestion() + "\",";
//answer
//string = string + "\"answer\": \""+ this.getAnswer() +"\",";
//type
string = string + "\"type\": \"multipleChoice\",";
//answers
string = string + "\"answers\": [";
for(int i = 0;i<options.size();i++){
if(i <options.size()-1){
string = string + "{\"answer\": \""+options.get(i)+"\"},";
} else{ //meaning this is the last one
string = string + "{\"answer\": \""+options.get(i)+"\"}";
}
}
string = string + "]}";
return string;
}
public void display(){
this.output.println(this.getQuestion() + " Multiple choice");
for(int i = 0;i<options.size();i++){
this.output.println(options.get(i));
}
}
public String optionsToString()
{
String optionString = new String();
for(int i = 0; i< this.options.size();i++)
{
optionString = optionString + i + ") " + this.options.get(i) + "\n";
}
return optionString;
}
private void changeAnswer()
{
for(int i = 0; i < options.size();i++)
{
this.output.println(i + ": " + options.get(i));
}
String response = this.getResponse(new Scanner(new InputStreamReader(System.in)),"Enter number corresponding correct answer to multiple choice");
try
{
int num = Integer.parseInt(response);
if(num < options.size() && num >=0)
{
// we now have all the values needed if we're in here
this.setAnswer(options.get(num));
}
else
{
this.output.println("Invalid number: "+ num +" doesn't fit in parameters given above");
this.changeAnswer();
}
}
catch (NumberFormatException e)
{
this.output.println("Invalid: Enter number please");
}
}
private void changeOptions()
{
Boolean valid = true;
ArrayList<String> options = new ArrayList<String>();
do
{ //ensures that atleast one option is prevalent
String option = this.getResponse(new Scanner(new InputStreamReader(System.in)),"Add option:");
options.add(option);
option = this.getResponse(new Scanner(new InputStreamReader(System.in)),"Add another option? 1 for yes, anything else for no");
if(!option.equals("1"))
{
valid = false;
}
} while(valid == true);
this.options = options;
}
@Override
public void modifyExam()
{
// can run modify survey since if options are changed answer must be changed
// change answer
this.output.println("Prompt: " + this.getQuestion());
String answer = this.getResponse(new Scanner(new InputStreamReader(System.in)),"Would you like to change the prompt that is above? 1 for yes, anything else for no");
if(answer.equals("1"))
{
this.changePrompt();;
}
// change options
this.output.println(this.optionsToString());
answer = this.getResponse(new Scanner(new InputStreamReader(System.in)),"Would you like to change the options that are above? 1 for yes, anything else for no");
if(answer.equals("1"))
{
this.changeOptions();
//change answer
this.changeAnswer();
}
else
{
// check if wants to change answer
this.output.println("Answer: " + this._answer);
String option = answer = this.getResponse(new Scanner(new InputStreamReader(System.in)),"Would you like to change the answer? 1 for yes, anything else for no.");
// if yes change
if(option.equals("1"))
{
this.changeAnswer();
}
}
}
@Override
public void modifySurvey()
{
// change prompt
this.output.println("Prompt: " + this.getQuestion());
String answer = this.getResponse(new Scanner(new InputStreamReader(System.in)),"Would you like to change the prompt that is above? 1 for yes, anything else for no");
if(answer.equals("1"))
{
this.changePrompt();
}
// change options
this.output.println(this.optionsToString());
answer = this.getResponse(new Scanner(new InputStreamReader(System.in)),"Would you like to change the options that are above? 1 for yes, anything else for no");
if(answer.equals("1"))
{
this.changeOptions();
}
}
private void changePrompt()
{
this.setQuestion(this.getResponse(new Scanner(new InputStreamReader(System.in)),"Enter new question:"));
}
@Override
public void makeExamQuestion()
{
this.changePrompt();
this.changeOptions();
this.changeAnswer();
this.setType("multipleChoice");
}
@Override
public void makeSurveyQuestion()
{
// TODO Auto-generated method stub
this.changePrompt();
this.changeOptions();
this._answer = null;
this.setType("multipleChoice");
}
@Override
public String toStringUserAnswers()
{
//question
String string = "{\"question\":\"";
string = string + this.getQuestion() + "\",";
//answer
string = string + "\"answer\": \""+ this._answer +"\",";
//user answer
string = string + "\"user_answer\": \""+ this.userAnswer +"\",";
//type
string = string + "\"type\": \"multipleChoice\"}";
return string;
}
@Override
public void setUserAnswer(ArrayList<String> x)
{
this.userAnswer = x.get(0);
}
@Override
public ArrayList<String> getUserAnswer() {
ArrayList<String> ans = new ArrayList<String>();
ans.add(this.userAnswer);
return ans;
}
@Override
public double grade()
{
if(this.userAnswer.equals(this._answer))
{
return 10;
}
return 0;
}
@Override
public void askForUserAnswer()
{
this.output.println(this.getQuestion());
this.output.println(this.optionsToString());
String response = this.getResponse(new Scanner(new InputStreamReader(System.in)),"Enter number corresponding correct answer to multiple choice");
try
{
int num = Integer.parseInt(response);
if(num < options.size() && num >=0)
{
// we now have all the values needed if we're in here
this.userAnswer = options.get(num);
}
else
{
this.output.println("Invalid number: "+ num +" doesn't fit in parameters given above");
this.askForUserAnswer();
}
}
catch (NumberFormatException e)
{
this.output.println("Invalid: Enter number please");
this.askForUserAnswer();
}
}
@Override
public String toStringSurveyUserAnswers()
{
//question
String string = "{\"question\":\"";
string = string + this.getQuestion() + "\",";
//user answer
string = string + "\"user_answer\": \""+ this.userAnswer +"\",";
//type
string = string + "\"type\": \"multipleChoice\"}";
return string;
}
@Override
public Question copy()
{
Question example = new MultipleChoice(this.getQuestion(),this.options,this._answer, this.getType());
ArrayList<String> arr = new ArrayList<String>();
arr.add(this.userAnswer);
example.setUserAnswer(arr);
example.setQuestion(this.getQuestion());
return example;
}
@Override
public ArrayList<String> getAnswer()
{
ArrayList<String> blam = new ArrayList<String>();
blam.add(this._answer);
return blam;
}
@Override
public Question copySurvey() {
Question example = new MultipleChoice(this.getQuestion(),this.options,this._answer, this.getType());
ArrayList<String> arr = new ArrayList<String>();
arr.add(this.userAnswer);
example.setUserAnswer(arr);
example.setQuestion(this.getQuestion());
return example;
}
}
| bi3mer/surveyExamProject | src/testSurvey/MultipleChoice.java | Java | mit | 8,756 |
package env
import (
"os"
"reflect"
"testing"
)
type envReaderTestCases struct {
setup map[string]string
test []string
expected []string
}
func SetupEnvironmentWithMap(envMap map[string]string) {
for key, val := range envMap {
os.Setenv(key, val)
}
}
func ClearEnvironmentWithMap(envMap map[string]string) {
for key := range envMap {
os.Unsetenv(key)
}
}
func RunTestCasesWithEnvReader(t *testing.T, testCases []envReaderTestCases, reader EnvReader) {
RunTestCasesWithEnvReaderWithPostEnvSetup(t, testCases, reader, nil)
}
func RunTestCasesWithEnvReaderWithPostEnvSetup(t *testing.T, testCases []envReaderTestCases, reader EnvReader, postEnvSetup func()) {
for _, testCase := range testCases {
SetupEnvironmentWithMap(testCase.setup)
if postEnvSetup != nil {
postEnvSetup()
}
if ok, actual := IsEqual(reader, testCase.test, testCase.expected); ok {
t.Logf("Success [%v]: key %v does equal expected value %v", reflect.TypeOf(reader), testCase.test, testCase.expected)
} else {
t.Errorf("Failure [%v]: key %v does not equal expected value %v; actual %v", reflect.TypeOf(reader), testCase.test, testCase.expected, actual)
}
ClearEnvironmentWithMap(testCase.setup)
}
}
func IsEqual(reader EnvReader, keys []string, test []string) (bool, string) {
if len(keys) != len(test) {
return false, ""
}
for i := range keys {
if reader.Getenv(keys[i]) != test[i] {
return false, reader.Getenv(keys[i])
}
}
return true, ""
}
| mkboudreau/env | runner_test.go | GO | mit | 1,483 |
<?php
/*
* This file is part of the Symfony package.
*
* (c) Fabien Potencier <fabien@symfony.com>
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Form\Extension\Validator\ViolationMapper;
use Symfony\Component\Form\Exception\OutOfBoundsException;
use Symfony\Component\PropertyAccess\PropertyPath;
use Symfony\Component\PropertyAccess\PropertyPathInterface;
/**
* @author Bernhard Schussek <bschussek@gmail.com>
*/
class ViolationPath implements \IteratorAggregate, PropertyPathInterface
{
/**
* @var array
*/
private $elements = array();
/**
* @var array
*/
private $isIndex = array();
/**
* @var array
*/
private $mapsForm = array();
/**
* @var string
*/
private $pathAsString = '';
/**
* @var integer
*/
private $length = 0;
/**
* Creates a new violation path from a string.
*
* @param string $violationPath The property path of a {@link ConstraintViolation}
* object.
*/
public function __construct($violationPath)
{
$path = new PropertyPath($violationPath);
$elements = $path->getElements();
$data = false;
for ($i = 0, $l = count($elements); $i < $l; ++$i) {
if (!$data) {
// The element "data" has not yet been passed
if ('children' === $elements[$i] && $path->isProperty($i)) {
// Skip element "children"
++$i;
// Next element must exist and must be an index
// Otherwise consider this the end of the path
if ($i >= $l || !$path->isIndex($i)) {
break;
}
$this->elements[] = $elements[$i];
$this->isIndex[] = true;
$this->mapsForm[] = true;
} elseif ('data' === $elements[$i] && $path->isProperty($i)) {
// Skip element "data"
++$i;
// End of path
if ($i >= $l) {
break;
}
$this->elements[] = $elements[$i];
$this->isIndex[] = $path->isIndex($i);
$this->mapsForm[] = false;
$data = true;
} else {
// Neither "children" nor "data" property found
// Consider this the end of the path
break;
}
} else {
// Already after the "data" element
// Pick everything as is
$this->elements[] = $elements[$i];
$this->isIndex[] = $path->isIndex($i);
$this->mapsForm[] = false;
}
}
$this->length = count($this->elements);
$this->buildString();
}
/**
* {@inheritdoc}
*/
public function __toString()
{
return $this->pathAsString;
}
/**
* {@inheritdoc}
*/
public function getLength()
{
return $this->length;
}
/**
* {@inheritdoc}
*/
public function getParent()
{
if ($this->length <= 1) {
return null;
}
$parent = clone $this;
--$parent->length;
array_pop($parent->elements);
array_pop($parent->isIndex);
array_pop($parent->mapsForm);
$parent->buildString();
return $parent;
}
/**
* {@inheritdoc}
*/
public function getElements()
{
return $this->elements;
}
/**
* {@inheritdoc}
*/
public function getElement($index)
{
if (!isset($this->elements[$index])) {
throw new OutOfBoundsException(sprintf('The index %s is not within the violation path', $index));
}
return $this->elements[$index];
}
/**
* {@inheritdoc}
*/
public function isProperty($index)
{
if (!isset($this->isIndex[$index])) {
throw new OutOfBoundsException(sprintf('The index %s is not within the violation path', $index));
}
return !$this->isIndex[$index];
}
/**
* {@inheritdoc}
*/
public function isIndex($index)
{
if (!isset($this->isIndex[$index])) {
throw new OutOfBoundsException(sprintf('The index %s is not within the violation path', $index));
}
return $this->isIndex[$index];
}
/**
* Returns whether an element maps directly to a form.
*
* Consider the following violation path:
*
* <code>
* children[address].children[office].data.street
* </code>
*
* In this example, "address" and "office" map to forms, while
* "street does not.
*
* @param integer $index The element index.
*
* @return Boolean Whether the element maps to a form.
*
* @throws OutOfBoundsException If the offset is invalid.
*/
public function mapsForm($index)
{
if (!isset($this->mapsForm[$index])) {
throw new OutOfBoundsException(sprintf('The index %s is not within the violation path', $index));
}
return $this->mapsForm[$index];
}
/**
* Returns a new iterator for this path
*
* @return ViolationPathIterator
*/
public function getIterator()
{
return new ViolationPathIterator($this);
}
/**
* Builds the string representation from the elements.
*/
private function buildString()
{
$this->pathAsString = '';
$data = false;
foreach ($this->elements as $index => $element) {
if ($this->mapsForm[$index]) {
$this->pathAsString .= ".children[$element]";
} elseif (!$data) {
$this->pathAsString .= '.data'.($this->isIndex[$index] ? "[$element]" : ".$element");
$data = true;
} else {
$this->pathAsString .= $this->isIndex[$index] ? "[$element]" : ".$element";
}
}
if ('' !== $this->pathAsString) {
// remove leading dot
$this->pathAsString = substr($this->pathAsString, 1);
}
}
}
| CalyphoZz/HopitalAQP | vendor/symfony/symfony/src/Symfony/Component/Form/Extension/Validator/ViolationMapper/ViolationPath.php | PHP | mit | 6,433 |
(function(e){var t=function(){return!1===e.support.boxModel&&e.support.objectAll&&e.support.leadingWhitespace}();e.jGrowl=function(t,i){0==e("#jGrowl").size()&&e('<div id="jGrowl"></div>').addClass(i&&i.position?i.position:e.jGrowl.defaults.position).appendTo("body"),e("#jGrowl").jGrowl(t,i)},e.fn.jGrowl=function(t,i){if(e.isFunction(this.each)){var o=arguments;return this.each(function(){void 0==e(this).data("jGrowl.instance")&&(e(this).data("jGrowl.instance",e.extend(new e.fn.jGrowl,{notifications:[],element:null,interval:null})),e(this).data("jGrowl.instance").startup(this)),e.isFunction(e(this).data("jGrowl.instance")[t])?e(this).data("jGrowl.instance")[t].apply(e(this).data("jGrowl.instance"),e.makeArray(o).slice(1)):e(this).data("jGrowl.instance").create(t,i)})}},e.extend(e.fn.jGrowl.prototype,{defaults:{pool:0,header:"",group:"",sticky:!1,position:"top-right",glue:"after",theme:"default",themeState:"highlight",corners:"10px",check:250,life:3e3,closeDuration:"normal",openDuration:"normal",easing:"swing",closer:!0,closeTemplate:"×",closerTemplate:"<div>[ close all ]</div>",log:function(){},beforeOpen:function(){},afterOpen:function(){},open:function(){},beforeClose:function(){},close:function(){},animateOpen:{opacity:"show"},animateClose:{opacity:"hide"}},notifications:[],element:null,interval:null,create:function(t,i){var i=e.extend({},this.defaults,i);i.speed!==void 0&&(i.openDuration=i.speed,i.closeDuration=i.speed),this.notifications.push({message:t,options:i}),i.log.apply(this.element,[this.element,t,i])},render:function(t){var i=this,o=t.message,n=t.options;n.themeState=""==n.themeState?"":"ui-state-"+n.themeState;var t=e("<div/>").addClass("jGrowl-notification "+n.themeState+" ui-corner-all"+(void 0!=n.group&&""!=n.group?" "+n.group:"")).append(e("<div/>").addClass("jGrowl-close").html(n.closeTemplate)).append(e("<div/>").addClass("jGrowl-header").html(n.header)).append(e("<div/>").addClass("jGrowl-message").html(o)).data("jGrowl",n).addClass(n.theme).children("div.jGrowl-close").bind("click.jGrowl",function(){e(this).parent().trigger("jGrowl.beforeClose")}).parent();e(t).bind("mouseover.jGrowl",function(){e("div.jGrowl-notification",i.element).data("jGrowl.pause",!0)}).bind("mouseout.jGrowl",function(){e("div.jGrowl-notification",i.element).data("jGrowl.pause",!1)}).bind("jGrowl.beforeOpen",function(){n.beforeOpen.apply(t,[t,o,n,i.element])!==!1&&e(this).trigger("jGrowl.open")}).bind("jGrowl.open",function(){n.open.apply(t,[t,o,n,i.element])!==!1&&("after"==n.glue?e("div.jGrowl-notification:last",i.element).after(t):e("div.jGrowl-notification:first",i.element).before(t),e(this).animate(n.animateOpen,n.openDuration,n.easing,function(){e.support.opacity===!1&&this.style.removeAttribute("filter"),null!==e(this).data("jGrowl")&&(e(this).data("jGrowl").created=new Date),e(this).trigger("jGrowl.afterOpen")}))}).bind("jGrowl.afterOpen",function(){n.afterOpen.apply(t,[t,o,n,i.element])}).bind("jGrowl.beforeClose",function(){n.beforeClose.apply(t,[t,o,n,i.element])!==!1&&e(this).trigger("jGrowl.close")}).bind("jGrowl.close",function(){e(this).data("jGrowl.pause",!0),e(this).animate(n.animateClose,n.closeDuration,n.easing,function(){e.isFunction(n.close)?n.close.apply(t,[t,o,n,i.element])!==!1&&e(this).remove():e(this).remove()})}).trigger("jGrowl.beforeOpen"),""!=n.corners&&void 0!=e.fn.corner&&e(t).corner(n.corners),e("div.jGrowl-notification:parent",i.element).size()>1&&0==e("div.jGrowl-closer",i.element).size()&&this.defaults.closer!==!1&&e(this.defaults.closerTemplate).addClass("jGrowl-closer "+this.defaults.themeState+" ui-corner-all").addClass(this.defaults.theme).appendTo(i.element).animate(this.defaults.animateOpen,this.defaults.speed,this.defaults.easing).bind("click.jGrowl",function(){e(this).siblings().trigger("jGrowl.beforeClose"),e.isFunction(i.defaults.closer)&&i.defaults.closer.apply(e(this).parent()[0],[e(this).parent()[0]])})},update:function(){e(this.element).find("div.jGrowl-notification:parent").each(function(){void 0!=e(this).data("jGrowl")&&void 0!==e(this).data("jGrowl").created&&e(this).data("jGrowl").created.getTime()+parseInt(e(this).data("jGrowl").life)<(new Date).getTime()&&e(this).data("jGrowl").sticky!==!0&&(void 0==e(this).data("jGrowl.pause")||e(this).data("jGrowl.pause")!==!0)&&e(this).trigger("jGrowl.beforeClose")}),this.notifications.length>0&&(0==this.defaults.pool||e(this.element).find("div.jGrowl-notification:parent").size()<this.defaults.pool)&&this.render(this.notifications.shift()),2>e(this.element).find("div.jGrowl-notification:parent").size()&&e(this.element).find("div.jGrowl-closer").animate(this.defaults.animateClose,this.defaults.speed,this.defaults.easing,function(){e(this).remove()})},startup:function(i){this.element=e(i).addClass("jGrowl").append('<div class="jGrowl-notification"></div>'),this.interval=setInterval(function(){e(i).data("jGrowl.instance").update()},parseInt(this.defaults.check)),t&&e(this.element).addClass("ie6")},shutdown:function(){e(this.element).removeClass("jGrowl").find("div.jGrowl-notification").trigger("jGrowl.close").parent().empty()},close:function(){e(this.element).find("div.jGrowl-notification").each(function(){e(this).trigger("jGrowl.beforeClose")})}}),e.jGrowl.defaults=e.fn.jGrowl.prototype.defaults})(jQuery);
/*
//@ sourceMappingURL=jquery.jgrowl.map
*/ | alexmojaki/cdnjs | ajax/libs/jquery-jgrowl/1.2.12/jquery.jgrowl.min.js | JavaScript | mit | 5,340 |
/* This is a compiled file, you should be editing the file in the templates directory */
.pace {
-webkit-pointer-events: none;
pointer-events: none;
-webkit-user-select: none;
-moz-user-select: none;
user-select: none;
}
.pace-inactive {
display: none;
}
.pace .pace-progress {
background: #2299dd;
position: fixed;
z-index: 2000;
top: 0;
left: 0;
height: 2px;
-webkit-transition: width 1s;
-moz-transition: width 1s;
-o-transition: width 1s;
transition: width 1s;
}
.pace .pace-progress-inner {
display: block;
position: absolute;
right: 0px;
width: 100px;
height: 100%;
box-shadow: 0 0 10px #2299dd, 0 0 5px #2299dd;
opacity: 1.0;
-webkit-transform: rotate(3deg) translate(0px, -4px);
-moz-transform: rotate(3deg) translate(0px, -4px);
-ms-transform: rotate(3deg) translate(0px, -4px);
-o-transform: rotate(3deg) translate(0px, -4px);
transform: rotate(3deg) translate(0px, -4px);
}
.pace .pace-activity {
display: block;
position: fixed;
z-index: 2000;
top: 15px;
right: 15px;
width: 14px;
height: 14px;
border: solid 2px transparent;
border-top-color: #2299dd;
border-left-color: #2299dd;
border-radius: 10px;
-webkit-animation: pace-spinner 400ms linear infinite;
-moz-animation: pace-spinner 400ms linear infinite;
-ms-animation: pace-spinner 400ms linear infinite;
-o-animation: pace-spinner 400ms linear infinite;
animation: pace-spinner 400ms linear infinite;
}
@-webkit-keyframes pace-spinner {
0% { -webkit-transform: rotate(0deg); transform: rotate(0deg); }
100% { -webkit-transform: rotate(360deg); transform: rotate(360deg); }
}
@-moz-keyframes pace-spinner {
0% { -moz-transform: rotate(0deg); transform: rotate(0deg); }
100% { -moz-transform: rotate(360deg); transform: rotate(360deg); }
}
@-o-keyframes pace-spinner {
0% { -o-transform: rotate(0deg); transform: rotate(0deg); }
100% { -o-transform: rotate(360deg); transform: rotate(360deg); }
}
@-ms-keyframes pace-spinner {
0% { -ms-transform: rotate(0deg); transform: rotate(0deg); }
100% { -ms-transform: rotate(360deg); transform: rotate(360deg); }
}
@keyframes pace-spinner {
0% { transform: rotate(0deg); transform: rotate(0deg); }
100% { transform: rotate(360deg); transform: rotate(360deg); }
}
| abhi901abhi/cdnjs | ajax/libs/pace/0.5.4/themes/blue/pace-theme-flash.css | CSS | mit | 2,285 |
<?php
/*
* 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.
*
* This software consists of voluntary contributions made by many individuals
* and is licensed under the MIT license. For more information, see
* <http://www.doctrine-project.org>.
*/
namespace Doctrine\Common\Annotations;
/**
* Simple Annotation Reader.
*
* This annotation reader is intended to be used in projects where you have
* full-control over all annotations that are available.
*
* @since 2.2
* @author Johannes M. Schmitt <schmittjoh@gmail.com>
* @author Fabio B. Silva <fabio.bat.silva@gmail.com>
*/
class SimpleAnnotationReader implements Reader
{
/**
* @var DocParser
*/
private $parser;
/**
* Constructor.
*
* Initializes a new SimpleAnnotationReader.
*/
public function __construct()
{
$this->parser = new DocParser();
$this->parser->setIgnoreNotImportedAnnotations(true);
}
/**
* Adds a namespace in which we will look for annotations.
*
* @param string $namespace
*
* @return void
*/
public function addNamespace($namespace)
{
$this->parser->addNamespace($namespace);
}
/**
* {@inheritDoc}
*/
public function getClassAnnotations(\ReflectionClass $class)
{
return $this->parser->parse($class->getDocComment(), 'class '.$class->getName());
}
/**
* {@inheritDoc}
*/
public function getMethodAnnotations(\ReflectionMethod $method)
{
return $this->parser->parse($method->getDocComment(), 'method '.$method->getDeclaringClass()->name.'::'.$method->getName().'()');
}
/**
* {@inheritDoc}
*/
public function getPropertyAnnotations(\ReflectionProperty $property)
{
return $this->parser->parse($property->getDocComment(), 'property '.$property->getDeclaringClass()->name.'::$'.$property->getName());
}
/**
* {@inheritDoc}
*/
public function getClassAnnotation(\ReflectionClass $class, $annotationName)
{
foreach ($this->getClassAnnotations($class) as $annot) {
if ($annot instanceof $annotationName) {
return $annot;
}
}
return null;
}
/**
* {@inheritDoc}
*/
public function getMethodAnnotation(\ReflectionMethod $method, $annotationName)
{
foreach ($this->getMethodAnnotations($method) as $annot) {
if ($annot instanceof $annotationName) {
return $annot;
}
}
return null;
}
/**
* {@inheritDoc}
*/
public function getPropertyAnnotation(\ReflectionProperty $property, $annotationName)
{
foreach ($this->getPropertyAnnotations($property) as $annot) {
if ($annot instanceof $annotationName) {
return $annot;
}
}
return null;
}
}
| AGGOURHAFSSA/to-do-list | vendor/doctrine/annotations/lib/Doctrine/Common/Annotations/SimpleAnnotationReader.php | PHP | mit | 3,657 |
var isIterateeCall = require('../internal/isIterateeCall'),
trim = require('./trim');
/** Used to detect hexadecimal string values. */
var reHasHexPrefix = /^0[xX]/;
/* Native method references for those with the same name as other `lodash` methods. */
var nativeParseInt = global.parseInt;
/**
* Converts `string` to an integer of the specified radix. If `radix` is
* `undefined` or `0`, a `radix` of `10` is used unless `value` is a hexadecimal,
* in which case a `radix` of `16` is used.
*
* **Note:** This method aligns with the [ES5 implementation](https://es5.github.io/#E)
* of `parseInt`.
*
* @static
* @memberOf _
* @category String
* @param {string} string The string to convert.
* @param {number} [radix] The radix to interpret `value` by.
* @param- {Object} [guard] Enables use as a callback for functions like `_.map`.
* @returns {number} Returns the converted integer.
* @example
*
* _.parseInt('08');
* // => 8
*
* _.map(['6', '08', '10'], _.parseInt);
* // => [6, 8, 10]
*/
function parseInt(string, radix, guard) {
// Firefox < 21 and Opera < 15 follow ES3 for `parseInt`.
// Chrome fails to trim leading <BOM> whitespace characters.
// See https://code.google.com/p/v8/issues/detail?id=3109 for more details.
if (guard ? isIterateeCall(string, radix, guard) : radix == null) {
radix = 0;
} else if (radix) {
radix = +radix;
}
string = trim(string);
return nativeParseInt(string, radix || (reHasHexPrefix.test(string) ? 16 : 10));
}
module.exports = parseInt;
| martslizardo/resume-management | node_modules/easy-extender/node_modules/lodash/string/parseInt.js | JavaScript | mit | 1,531 |
/**
* Usage: node test.js
*/
var mime = require('./mime');
var assert = require('assert');
var path = require('path');
function eq(a, b) {
console.log('Test: ' + a + ' === ' + b);
assert.strictEqual.apply(null, arguments);
}
console.log(Object.keys(mime.extensions).length + ' types');
console.log(Object.keys(mime.types).length + ' extensions\n');
//
// Test mime lookups
//
eq('text/plain', mime.lookup('text.txt')); // normal file
eq('text/plain', mime.lookup('TEXT.TXT')); // uppercase
eq('text/plain', mime.lookup('dir/text.txt')); // dir + file
eq('text/plain', mime.lookup('.text.txt')); // hidden file
eq('text/plain', mime.lookup('.txt')); // nameless
eq('text/plain', mime.lookup('txt')); // extension-only
eq('text/plain', mime.lookup('/txt')); // extension-less ()
eq('text/plain', mime.lookup('\\txt')); // Windows, extension-less
eq('application/octet-stream', mime.lookup('text.nope')); // unrecognized
eq('fallback', mime.lookup('text.fallback', 'fallback')); // alternate default
//
// Test extensions
//
eq('txt', mime.extension(mime.types.text));
eq('html', mime.extension(mime.types.htm));
eq('bin', mime.extension('application/octet-stream'));
eq('bin', mime.extension('application/octet-stream '));
eq('html', mime.extension(' text/html; charset=UTF-8'));
eq('html', mime.extension('text/html; charset=UTF-8 '));
eq('html', mime.extension('text/html; charset=UTF-8'));
eq('html', mime.extension('text/html ; charset=UTF-8'));
eq('html', mime.extension('text/html;charset=UTF-8'));
eq('html', mime.extension('text/Html;charset=UTF-8'));
eq(undefined, mime.extension('unrecognized'));
//
// Test node.types lookups
//
eq('application/font-woff', mime.lookup('file.woff'));
eq('application/octet-stream', mime.lookup('file.buffer'));
eq('audio/mp4', mime.lookup('file.m4a'));
eq('font/opentype', mime.lookup('file.otf'));
//
// Test charsets
//
eq('UTF-8', mime.charsets.lookup('text/plain'));
eq(undefined, mime.charsets.lookup(mime.types.js));
eq('fallback', mime.charsets.lookup('application/octet-stream', 'fallback'));
//
// Test for overlaps between mime.types and node.types
//
var apacheTypes = new mime.Mime(), nodeTypes = new mime.Mime();
apacheTypes.load(path.join(__dirname, 'types/mime.types'));
nodeTypes.load(path.join(__dirname, 'types/node.types'));
var keys = [].concat(Object.keys(apacheTypes.types))
.concat(Object.keys(nodeTypes.types));
keys.sort();
for (var i = 1; i < keys.length; i++) {
if (keys[i] == keys[i-1]) {
console.warn('Warning: ' +
'node.types defines ' + keys[i] + '->' + nodeTypes.types[keys[i]] +
', mime.types defines ' + keys[i] + '->' + apacheTypes.types[keys[i]]);
}
}
console.log('\nOK');
| evinchon/OnShapeTest | node_modules/request/node_modules/form-data/node_modules/mime/test.js | JavaScript | mit | 2,748 |
<?php
namespace Victoire\Bundle\ConfigBundle\Entity;
use Doctrine\ORM\Mapping as ORM;
use Gedmo\Timestampable\Traits\TimestampableEntity;
use Symfony\Component\Validator\Constraints as Assert;
use Victoire\Bundle\ConfigBundle\Validator\Constraints\SemanticalOrganizationJsonLD;
use Victoire\Bundle\MediaBundle\Entity\Media;
/**
* GlobalConfig.
*
* @ORM\Table(name="vic_global_config")
* @ORM\Entity(repositoryClass="Victoire\Bundle\ConfigBundle\Entity\GlobalConfigRepository")
*/
class GlobalConfig
{
use TimestampableEntity;
/**
* @var int
*
* @ORM\Column(name="id", type="integer")
* @ORM\Id
* @ORM\GeneratedValue(strategy="AUTO")
*/
private $id;
/**
* @var string
*
* @ORM\Column(name="head", type="text", nullable=true)
*/
private $head;
/**
* @var string
*
* @ORM\ManyToOne(targetEntity="\Victoire\Bundle\MediaBundle\Entity\Media")
* @ORM\JoinColumn(name="logo_id", referencedColumnName="id", onDelete="SET NULL")
*/
private $logo;
/**
* @var string
* @Assert\Regex(pattern="/^#([A-Fa-f0-9]{6}|[A-Fa-f0-9]{3})$/")
* @ORM\Column(name="mainColor", type="string", length=7, nullable=true)
*/
private $mainColor;
/**
* @var string
*
* @Assert\Regex(pattern="/%page.title%/", message="victoire.config.global.metaTitlePattern.invalid")
* @ORM\Column(name="metaTitlePattern", type="string", length=255, nullable=true)
*/
private $metaTitlePattern;
/**
* @var string
* @SemanticalOrganizationJsonLD
* @ORM\Column(name="organizationJsonLD", type="text", nullable=true)
*/
private $organizationJsonLD;
/**
* Get id.
*
* @return int
*/
public function getId(): ?int
{
return $this->id;
}
/**
* Set head.
*
* @param string $head
*
* @return GlobalConfig
*/
public function setHead($head): self
{
$this->head = $head;
return $this;
}
/**
* Get head.
*
* @return string
*/
public function getHead(): ?string
{
return $this->head;
}
/**
* Set logo.
*
* @param Media $logo
*
* @return GlobalConfig
*/
public function setLogo(Media $logo): self
{
$this->logo = $logo;
return $this;
}
/**
* Get logo.
*
* @return Media
*/
public function getLogo(): ?Media
{
return $this->logo;
}
/**
* Set metaTitlePattern.
*
* @param string $metaTitlePattern
*
* @return GlobalConfig
*/
public function setMetaTitlePattern($metaTitlePattern): self
{
$this->metaTitlePattern = $metaTitlePattern;
return $this;
}
/**
* Get metaTitlePattern.
*
* @return string
*/
public function getMetaTitlePattern(): ?string
{
return $this->metaTitlePattern;
}
/**
* Set organizationJsonLD.
*
* @param string $organizationJsonLD
*
* @return GlobalConfig
*/
public function setOrganizationJsonLD($organizationJsonLD): self
{
$this->organizationJsonLD = $organizationJsonLD;
return $this;
}
/**
* Get organizationJsonLD.
*
* @return string
*/
public function getOrganizationJsonLD(): ?string
{
return $this->organizationJsonLD;
}
/**
* @return string
*/
public function getMainColor(): ?string
{
return $this->mainColor;
}
/**
* @param string $mainColor
*
* @return GlobalConfig
*/
public function setMainColor(string $mainColor): self
{
$this->mainColor = $mainColor;
return $this;
}
}
| alexislefebvre/victoire | Bundle/ConfigBundle/Entity/GlobalConfig.php | PHP | mit | 3,816 |
# 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 that you check this file into your version control system.
ActiveRecord::Schema.define(version: 20140331210317) do
create_table "users", force: true do |t|
t.string "email"
t.datetime "created_at"
t.datetime "updated_at"
t.string "password_digest"
end
add_index "users", ["email"], name: "index_users_on_email", unique: true
end
| ezzaouia/authentication_warden_based_rails_4.0.4 | db/schema.rb | Ruby | mit | 1,040 |
!function(e){"function"==typeof define&&define.amd?define(["jquery","./core"],e):e(jQuery,Formstone)}(function(a,e){"use strict";function o(){!function(){for(var e in r={unit:m.unit},u)if(u.hasOwnProperty(e))for(var t in l[e]){var n,i;l[e].hasOwnProperty(t)&&(n="Infinity"===t?1/0:parseInt(t,10),i=-1<e.indexOf("max"),l[e][t].matches&&(i?(!r[e]||n<r[e])&&(r[e]=n):(!r[e]||n>r[e])&&(r[e]=n)))}}(),n.trigger(c.mqChange,[r])}function s(e){var t=h(e.media),n=v[t],e=e.matches,i=e?c.enter:c.leave;if(n&&(n.active||!n.active&&e)){for(var r in n[i])n[i].hasOwnProperty(r)&&n[i][r].apply(n.mq);n.active=!0}}function h(e){return e.replace(/[^a-z0-9\s]/gi,"").replace(/[_\s]/g,"").replace(/^\s+|\s+$/g,"")}var t=e.Plugin("mediaquery",{utilities:{_initialize:function(e){for(var t in e=e||{},u)u.hasOwnProperty(t)&&(m[t]=e[t]?a.merge(e[t],m[t]):m[t]);for(var n in(m=a.extend(m,e)).minWidth.sort(f.sortDesc),m.maxWidth.sort(f.sortAsc),m.minHeight.sort(f.sortDesc),m.maxHeight.sort(f.sortAsc),u)if(u.hasOwnProperty(n))for(var i in l[n]={},m[n]){var r;m[n].hasOwnProperty(i)&&((r=window.matchMedia("("+u[n]+": "+(m[n][i]===1/0?1e5:m[n][i])+m.unit+")")).addListener(o),l[n][m[n][i]]=r)}o()},state:function(){return r},bind:function(e,t,n){var i,r=d.matchMedia(t),a=h(r.media);for(i in v[a]||(v[a]={mq:r,active:!0,enter:{},leave:{}},v[a].mq.addListener(s)),n)n.hasOwnProperty(i)&&v[a].hasOwnProperty(i)&&(v[a][i][e]=n[i]);var o=v[a],t=r.matches;t&&o[c.enter].hasOwnProperty(e)?(o[c.enter][e].apply(r),o.active=!0):!t&&o[c.leave].hasOwnProperty(e)&&(o[c.leave][e].apply(r),o.active=!1)},unbind:function(e,t){if(e)if(t){t=h(t);v[t]&&(v[t].enter[e]&&delete v[t].enter[e],v[t].leave[e]&&delete v[t].leave[e])}else for(var n in v)v.hasOwnProperty(n)&&(v[n].enter[e]&&delete v[n].enter[e],v[n].leave[e]&&delete v[n].leave[e])}},events:{mqChange:"mqchange"}}),m={minWidth:[0],maxWidth:[1/0],minHeight:[0],maxHeight:[1/0],unit:"px"},c=a.extend(t.events,{enter:"enter",leave:"leave"}),n=e.$window,d=n[0],f=t.functions,r=null,v=[],l={},u={minWidth:"min-width",maxWidth:"max-width",minHeight:"min-height",maxHeight:"max-height"}}); | cdnjs/cdnjs | ajax/libs/formstone/1.4.22/js/mediaquery.min.js | JavaScript | mit | 2,104 |
# See http://doc.gitlab.com/ce/development/migration_style_guide.html
# for more information on how to write migrations for GitLab.
class ScheduleEventMigrations < ActiveRecord::Migration
include Gitlab::Database::MigrationHelpers
DOWNTIME = false
BUFFER_SIZE = 1000
disable_ddl_transaction!
class Event < ActiveRecord::Base
include EachBatch
self.table_name = 'events'
end
def up
jobs = []
Event.each_batch(of: 1000) do |relation|
min, max = relation.pluck('MIN(id), MAX(id)').first
if jobs.length == BUFFER_SIZE
# We push multiple jobs at a time to reduce the time spent in
# Sidekiq/Redis operations. We're using this buffer based approach so we
# don't need to run additional queries for every range.
BackgroundMigrationWorker.perform_bulk(jobs)
jobs.clear
end
jobs << ['MigrateEventsToPushEventPayloads', [min, max]]
end
BackgroundMigrationWorker.perform_bulk(jobs) unless jobs.empty?
end
def down
end
end
| t-zuehlsdorff/gitlabhq | db/post_migrate/20170627101016_schedule_event_migrations.rb | Ruby | mit | 1,030 |
/*
* Copyright 2010-2013 Amazon.com, Inc. or its affiliates. All Rights Reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License").
* You may not use this file except in compliance with the License.
* A copy of the License is located at
*
* http://aws.amazon.com/apache2.0
*
* or in the "license" file accompanying this file. This file is distributed
* on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
* express or implied. See the License for the specific language governing
* permissions and limitations under the License.
*/
#import "SESVerifyEmailIdentityResponseUnmarshaller.h"
#ifdef AWS_MULTI_FRAMEWORK
#import <AWSRuntime/AmazonServiceExceptionUnmarshaller.h>
#else
#import "../AmazonServiceExceptionUnmarshaller.h"
#endif
@implementation SESVerifyEmailIdentityResponseUnmarshaller
-(void)parser:(NSXMLParser *)parser didStartElement:(NSString *)elementName namespaceURI:(NSString *)namespaceURI qualifiedName:(NSString *)qName attributes:(NSDictionary *)attributeDict
{
[super parser:parser didStartElement:elementName namespaceURI:namespaceURI qualifiedName:qName attributes:attributeDict];
if ([elementName isEqualToString:@"Error"]) {
[parser setDelegate:[[[AmazonServiceExceptionUnmarshaller alloc] initWithCaller:self withParentObject:self.response withSetter:@selector(setException:)] autorelease]];
}
}
-(void)parser:(NSXMLParser *)parser didEndElement:(NSString *)elementName namespaceURI:(NSString *)namespaceURI qualifiedName:(NSString *)qName
{
[super parser:parser didEndElement:elementName namespaceURI:namespaceURI qualifiedName:qName];
if ([elementName isEqualToString:@"VerifyEmailIdentityResult"]) {
if (caller != nil) {
[parser setDelegate:caller];
}
if (parentObject != nil && [parentObject respondsToSelector:parentSetter]) {
[parentObject performSelector:parentSetter withObject:self.response];
}
return;
}
}
-(SESVerifyEmailIdentityResponse *)response
{
if (nil == response) {
response = [[SESVerifyEmailIdentityResponse alloc] init];
}
return response;
}
-(void)dealloc
{
[response release];
[super dealloc];
}
@end
| morizotter/AWSCloudWatchSample | aws-ios-sdk-1.7.1/src/Amazon.SES/Model/SESVerifyEmailIdentityResponseUnmarshaller.m | Matlab | mit | 2,246 |
function openidCarouselEffect() {
var rotate = function() {
$('#next').click();
}
var speed = 5000;
var run = setInterval(rotate, speed);
var item_width = $('#slides .list .page').outerWidth();
var left_value = item_width * (-1);
$('#slides .page:first').before($('#slides .list .page:last'));
$('#slides .list').css({'left' : left_value});
$('#prev').click(function() {
var left_indent = parseInt($('#slides .list').css('left')) + item_width;
$('#slides .list:not(:animated)').animate({'left' : left_indent}, 200,function(){
$('#slides .page:first').before($('#slides .page:last'));
$('#slides .list').css({'left' : left_value});
});
return false;
});
$('#next').click(function() {
var left_indent = parseInt($('#slides .list').css('left')) - item_width;
$('#slides .list:not(:animated)').animate({'left' : left_indent}, 200, function () {
$('#slides .page:last').after($('#slides .page:first'));
$('#slides .list').css({'left' : left_value});
});
return false;
});
$('#slides').hover(
function() {
clearInterval(run);
},
function() {
run = setInterval(rotate, speed);
}
);
}
jQuery(function ($) {
var $form = $("#openid_btns");
var $input_area = $("#openid_inputarea");
var $input_username = $input_area.find("input#openid_username");
$form.find("#nojsopenid").hide();
$form.css({'background-image': 'none'});
$input_area.find("#close_openid_inputarea").click(function() {
$input_area.fadeOut();
return false;
});
$(".openid_btn").click(function(e){
var a = $(this);
if(a.attr("href").match("{user_name}")) {
$input_username.attr("data-provider", a.attr("href"));
$(".oidlabel").text(a.attr("title")+" id:");
$input_area.css({left:e.pageX-20, top:e.pageY-25});
$input_area.fadeIn();
return false;
}
return true;
});
$("#openid_inputarea_submit").click(function() {
var v = $input_username.val();
if(v) {
window.location = $input_username.attr("data-provider").replace("{user_name}",v );
}
});
openidCarouselEffect();
var intervalId = null;
$("#multiauth-menu").hover(function(){
if(intervalId)
clearTimeout(intervalId);
$(this).addClass("hovering");
}, function() {
var e = $(this);
intervalId = setTimeout(function() {
e.removeClass("hovering");
}, 1000)
})
});
| dcu/multiauth | lib/generators/templates/multiauth.js | JavaScript | mit | 2,548 |
/*
* angular-ui-bootstrap
* http://angular-ui.github.io/bootstrap/
* Version: 0.11.0 - 2014-05-01
* License: MIT
*/
angular.module("ui.bootstrap",["ui.bootstrap.tpls","ui.bootstrap.transition","ui.bootstrap.collapse","ui.bootstrap.accordion","ui.bootstrap.alert","ui.bootstrap.bindHtml","ui.bootstrap.buttons","ui.bootstrap.carousel","ui.bootstrap.position","ui.bootstrap.datepicker","ui.bootstrap.dropdownToggle","ui.bootstrap.modal","ui.bootstrap.pagination","ui.bootstrap.tooltip","ui.bootstrap.popover","ui.bootstrap.progressbar","ui.bootstrap.rating","ui.bootstrap.tabs","ui.bootstrap.timepicker","ui.bootstrap.typeahead"]),angular.module("ui.bootstrap.tpls",["template/accordion/accordion-group.html","template/accordion/accordion.html","template/alert/alert.html","template/carousel/carousel.html","template/carousel/slide.html","template/datepicker/datepicker.html","template/datepicker/popup.html","template/modal/backdrop.html","template/modal/window.html","template/pagination/pager.html","template/pagination/pagination.html","template/tooltip/tooltip-html-unsafe-popup.html","template/tooltip/tooltip-popup.html","template/popover/popover.html","template/progressbar/bar.html","template/progressbar/progress.html","template/progressbar/progressbar.html","template/rating/rating.html","template/tabs/tab.html","template/tabs/tabset.html","template/timepicker/timepicker.html","template/typeahead/typeahead-match.html","template/typeahead/typeahead-popup.html"]),angular.module("ui.bootstrap.transition",[]).factory("$transition",["$q","$timeout","$rootScope",function(a,b,c){function d(a){for(var b in a)if(void 0!==f.style[b])return a[b]}var e=function(d,f,g){g=g||{};var h=a.defer(),i=e[g.animation?"animationEndEventName":"transitionEndEventName"],j=function(){c.$apply(function(){d.unbind(i,j),h.resolve(d)})};return i&&d.bind(i,j),b(function(){angular.isString(f)?d.addClass(f):angular.isFunction(f)?f(d):angular.isObject(f)&&d.css(f),i||h.resolve(d)}),h.promise.cancel=function(){i&&d.unbind(i,j),h.reject("Transition cancelled")},h.promise},f=document.createElement("trans"),g={WebkitTransition:"webkitTransitionEnd",MozTransition:"transitionend",OTransition:"oTransitionEnd",transition:"transitionend"},h={WebkitTransition:"webkitAnimationEnd",MozTransition:"animationend",OTransition:"oAnimationEnd",transition:"animationend"};return e.transitionEndEventName=d(g),e.animationEndEventName=d(h),e}]),angular.module("ui.bootstrap.collapse",["ui.bootstrap.transition"]).directive("collapse",["$transition",function(a){return{link:function(b,c,d){function e(b){function d(){j===e&&(j=void 0)}var e=a(c,b);return j&&j.cancel(),j=e,e.then(d,d),e}function f(){k?(k=!1,g()):(c.removeClass("collapse").addClass("collapsing"),e({height:c[0].scrollHeight+"px"}).then(g))}function g(){c.removeClass("collapsing"),c.addClass("collapse in"),c.css({height:"auto"})}function h(){if(k)k=!1,i(),c.css({height:0});else{c.css({height:c[0].scrollHeight+"px"});{c[0].offsetWidth}c.removeClass("collapse in").addClass("collapsing"),e({height:0}).then(i)}}function i(){c.removeClass("collapsing"),c.addClass("collapse")}var j,k=!0;b.$watch(d.collapse,function(a){a?h():f()})}}}]),angular.module("ui.bootstrap.accordion",["ui.bootstrap.collapse"]).constant("accordionConfig",{closeOthers:!0}).controller("AccordionController",["$scope","$attrs","accordionConfig",function(a,b,c){this.groups=[],this.closeOthers=function(d){var e=angular.isDefined(b.closeOthers)?a.$eval(b.closeOthers):c.closeOthers;e&&angular.forEach(this.groups,function(a){a!==d&&(a.isOpen=!1)})},this.addGroup=function(a){var b=this;this.groups.push(a),a.$on("$destroy",function(){b.removeGroup(a)})},this.removeGroup=function(a){var b=this.groups.indexOf(a);-1!==b&&this.groups.splice(this.groups.indexOf(a),1)}}]).directive("accordion",function(){return{restrict:"EA",controller:"AccordionController",transclude:!0,replace:!1,templateUrl:"template/accordion/accordion.html"}}).directive("accordionGroup",["$parse",function(a){return{require:"^accordion",restrict:"EA",transclude:!0,replace:!0,templateUrl:"template/accordion/accordion-group.html",scope:{heading:"@"},controller:function(){this.setHeading=function(a){this.heading=a}},link:function(b,c,d,e){var f,g;e.addGroup(b),b.isOpen=!1,d.isOpen&&(f=a(d.isOpen),g=f.assign,b.$parent.$watch(f,function(a){b.isOpen=!!a})),b.$watch("isOpen",function(a){a&&e.closeOthers(b),g&&g(b.$parent,a)})}}}]).directive("accordionHeading",function(){return{restrict:"EA",transclude:!0,template:"",replace:!0,require:"^accordionGroup",compile:function(a,b,c){return function(a,b,d,e){e.setHeading(c(a,function(){}))}}}}).directive("accordionTransclude",function(){return{require:"^accordionGroup",link:function(a,b,c,d){a.$watch(function(){return d[c.accordionTransclude]},function(a){a&&(b.html(""),b.append(a))})}}}),angular.module("ui.bootstrap.alert",[]).controller("AlertController",["$scope","$attrs",function(a,b){a.closeable="close"in b}]).directive("alert",function(){return{restrict:"EA",controller:"AlertController",templateUrl:"template/alert/alert.html",transclude:!0,replace:!0,scope:{type:"=",close:"&"}}}),angular.module("ui.bootstrap.bindHtml",[]).directive("bindHtmlUnsafe",function(){return function(a,b,c){b.addClass("ng-binding").data("$binding",c.bindHtmlUnsafe),a.$watch(c.bindHtmlUnsafe,function(a){b.html(a||"")})}}),angular.module("ui.bootstrap.buttons",[]).constant("buttonConfig",{activeClass:"active",toggleEvent:"click"}).controller("ButtonsController",["buttonConfig",function(a){this.activeClass=a.activeClass||"active",this.toggleEvent=a.toggleEvent||"click"}]).directive("btnRadio",function(){return{require:["btnRadio","ngModel"],controller:"ButtonsController",link:function(a,b,c,d){var e=d[0],f=d[1];f.$render=function(){b.toggleClass(e.activeClass,angular.equals(f.$modelValue,a.$eval(c.btnRadio)))},b.bind(e.toggleEvent,function(){b.hasClass(e.activeClass)||a.$apply(function(){f.$setViewValue(a.$eval(c.btnRadio)),f.$render()})})}}}).directive("btnCheckbox",function(){return{require:["btnCheckbox","ngModel"],controller:"ButtonsController",link:function(a,b,c,d){function e(){return g(c.btnCheckboxTrue,!0)}function f(){return g(c.btnCheckboxFalse,!1)}function g(b,c){var d=a.$eval(b);return angular.isDefined(d)?d:c}var h=d[0],i=d[1];i.$render=function(){b.toggleClass(h.activeClass,angular.equals(i.$modelValue,e()))},b.bind(h.toggleEvent,function(){a.$apply(function(){i.$setViewValue(b.hasClass(h.activeClass)?f():e()),i.$render()})})}}}),angular.module("ui.bootstrap.carousel",["ui.bootstrap.transition"]).controller("CarouselController",["$scope","$timeout","$transition","$q",function(a,b,c){function d(){e();var c=+a.interval;!isNaN(c)&&c>=0&&(g=b(f,c))}function e(){g&&(b.cancel(g),g=null)}function f(){h?(a.next(),d()):a.pause()}var g,h,i=this,j=i.slides=[],k=-1;i.currentSlide=null;var l=!1;i.select=function(e,f){function g(){if(!l){if(i.currentSlide&&angular.isString(f)&&!a.noTransition&&e.$element){e.$element.addClass(f);{e.$element[0].offsetWidth}angular.forEach(j,function(a){angular.extend(a,{direction:"",entering:!1,leaving:!1,active:!1})}),angular.extend(e,{direction:f,active:!0,entering:!0}),angular.extend(i.currentSlide||{},{direction:f,leaving:!0}),a.$currentTransition=c(e.$element,{}),function(b,c){a.$currentTransition.then(function(){h(b,c)},function(){h(b,c)})}(e,i.currentSlide)}else h(e,i.currentSlide);i.currentSlide=e,k=m,d()}}function h(b,c){angular.extend(b,{direction:"",active:!0,leaving:!1,entering:!1}),angular.extend(c||{},{direction:"",active:!1,leaving:!1,entering:!1}),a.$currentTransition=null}var m=j.indexOf(e);void 0===f&&(f=m>k?"next":"prev"),e&&e!==i.currentSlide&&(a.$currentTransition?(a.$currentTransition.cancel(),b(g)):g())},a.$on("$destroy",function(){l=!0}),i.indexOfSlide=function(a){return j.indexOf(a)},a.next=function(){var b=(k+1)%j.length;return a.$currentTransition?void 0:i.select(j[b],"next")},a.prev=function(){var b=0>k-1?j.length-1:k-1;return a.$currentTransition?void 0:i.select(j[b],"prev")},a.select=function(a){i.select(a)},a.isActive=function(a){return i.currentSlide===a},a.slides=function(){return j},a.$watch("interval",d),a.$on("$destroy",e),a.play=function(){h||(h=!0,d())},a.pause=function(){a.noPause||(h=!1,e())},i.addSlide=function(b,c){b.$element=c,j.push(b),1===j.length||b.active?(i.select(j[j.length-1]),1==j.length&&a.play()):b.active=!1},i.removeSlide=function(a){var b=j.indexOf(a);j.splice(b,1),j.length>0&&a.active?b>=j.length?i.select(j[b-1]):i.select(j[b]):k>b&&k--}}]).directive("carousel",[function(){return{restrict:"EA",transclude:!0,replace:!0,controller:"CarouselController",require:"carousel",templateUrl:"template/carousel/carousel.html",scope:{interval:"=",noTransition:"=",noPause:"="}}}]).directive("slide",["$parse",function(a){return{require:"^carousel",restrict:"EA",transclude:!0,replace:!0,templateUrl:"template/carousel/slide.html",scope:{},link:function(b,c,d,e){if(d.active){var f=a(d.active),g=f.assign,h=b.active=f(b.$parent);b.$watch(function(){var a=f(b.$parent);return a!==b.active&&(a!==h?h=b.active=a:g(b.$parent,a=h=b.active)),a})}e.addSlide(b,c),b.$on("$destroy",function(){e.removeSlide(b)}),b.$watch("active",function(a){a&&e.select(b)})}}}]),angular.module("ui.bootstrap.position",[]).factory("$position",["$document","$window",function(a,b){function c(a,c){return a.currentStyle?a.currentStyle[c]:b.getComputedStyle?b.getComputedStyle(a)[c]:a.style[c]}function d(a){return"static"===(c(a,"position")||"static")}var e=function(b){for(var c=a[0],e=b.offsetParent||c;e&&e!==c&&d(e);)e=e.offsetParent;return e||c};return{position:function(b){var c=this.offset(b),d={top:0,left:0},f=e(b[0]);f!=a[0]&&(d=this.offset(angular.element(f)),d.top+=f.clientTop-f.scrollTop,d.left+=f.clientLeft-f.scrollLeft);var g=b[0].getBoundingClientRect();return{width:g.width||b.prop("offsetWidth"),height:g.height||b.prop("offsetHeight"),top:c.top-d.top,left:c.left-d.left}},offset:function(c){var d=c[0].getBoundingClientRect();return{width:d.width||c.prop("offsetWidth"),height:d.height||c.prop("offsetHeight"),top:d.top+(b.pageYOffset||a[0].body.scrollTop||a[0].documentElement.scrollTop),left:d.left+(b.pageXOffset||a[0].body.scrollLeft||a[0].documentElement.scrollLeft)}}}}]),angular.module("ui.bootstrap.datepicker",["ui.bootstrap.position"]).constant("datepickerConfig",{dayFormat:"dd",monthFormat:"MMMM",yearFormat:"yyyy",dayHeaderFormat:"EEE",dayTitleFormat:"MMMM yyyy",monthTitleFormat:"yyyy",showWeeks:!0,startingDay:0,yearRange:20,minDate:null,maxDate:null}).controller("DatepickerController",["$scope","$attrs","dateFilter","datepickerConfig",function(a,b,c,d){function e(b,c){return angular.isDefined(b)?a.$parent.$eval(b):c}function f(a,b){return new Date(a,b,0).getDate()}function g(a,b){for(var c=new Array(b),d=a,e=0;b>e;)c[e++]=new Date(d),d.setDate(d.getDate()+1);return c}function h(a,b,d,e){return{date:a,label:c(a,b),selected:!!d,secondary:!!e}}var i={day:e(b.dayFormat,d.dayFormat),month:e(b.monthFormat,d.monthFormat),year:e(b.yearFormat,d.yearFormat),dayHeader:e(b.dayHeaderFormat,d.dayHeaderFormat),dayTitle:e(b.dayTitleFormat,d.dayTitleFormat),monthTitle:e(b.monthTitleFormat,d.monthTitleFormat)},j=e(b.startingDay,d.startingDay),k=e(b.yearRange,d.yearRange);this.minDate=d.minDate?new Date(d.minDate):null,this.maxDate=d.maxDate?new Date(d.maxDate):null,this.modes=[{name:"day",getVisibleDates:function(a,b){var d=a.getFullYear(),e=a.getMonth(),k=new Date(d,e,1),l=j-k.getDay(),m=l>0?7-l:-l,n=new Date(k),o=0;m>0&&(n.setDate(-m+1),o+=m),o+=f(d,e+1),o+=(7-o%7)%7;for(var p=g(n,o),q=new Array(7),r=0;o>r;r++){var s=new Date(p[r]);p[r]=h(s,i.day,b&&b.getDate()===s.getDate()&&b.getMonth()===s.getMonth()&&b.getFullYear()===s.getFullYear(),s.getMonth()!==e)}for(var t=0;7>t;t++)q[t]=c(p[t].date,i.dayHeader);return{objects:p,title:c(a,i.dayTitle),labels:q}},compare:function(a,b){return new Date(a.getFullYear(),a.getMonth(),a.getDate())-new Date(b.getFullYear(),b.getMonth(),b.getDate())},split:7,step:{months:1}},{name:"month",getVisibleDates:function(a,b){for(var d=new Array(12),e=a.getFullYear(),f=0;12>f;f++){var g=new Date(e,f,1);d[f]=h(g,i.month,b&&b.getMonth()===f&&b.getFullYear()===e)}return{objects:d,title:c(a,i.monthTitle)}},compare:function(a,b){return new Date(a.getFullYear(),a.getMonth())-new Date(b.getFullYear(),b.getMonth())},split:3,step:{years:1}},{name:"year",getVisibleDates:function(a,b){for(var c=new Array(k),d=a.getFullYear(),e=parseInt((d-1)/k,10)*k+1,f=0;k>f;f++){var g=new Date(e+f,0,1);c[f]=h(g,i.year,b&&b.getFullYear()===g.getFullYear())}return{objects:c,title:[c[0].label,c[k-1].label].join(" - ")}},compare:function(a,b){return a.getFullYear()-b.getFullYear()},split:5,step:{years:k}}],this.isDisabled=function(b,c){var d=this.modes[c||0];return this.minDate&&d.compare(b,this.minDate)<0||this.maxDate&&d.compare(b,this.maxDate)>0||a.dateDisabled&&a.dateDisabled({date:b,mode:d.name})}}]).directive("datepicker",["dateFilter","$parse","datepickerConfig","$log",function(a,b,c,d){return{restrict:"EA",replace:!0,templateUrl:"template/datepicker/datepicker.html",scope:{dateDisabled:"&"},require:["datepicker","?^ngModel"],controller:"DatepickerController",link:function(a,e,f,g){function h(){a.showWeekNumbers=0===o&&q}function i(a,b){for(var c=[];a.length>0;)c.push(a.splice(0,b));return c}function j(b){var c=null,e=!0;n.$modelValue&&(c=new Date(n.$modelValue),isNaN(c)?(e=!1,d.error('Datepicker directive: "ng-model" value must be a Date object, a number of milliseconds since 01.01.1970 or a string representing an RFC2822 or ISO 8601 date.')):b&&(p=c)),n.$setValidity("date",e);var f=m.modes[o],g=f.getVisibleDates(p,c);angular.forEach(g.objects,function(a){a.disabled=m.isDisabled(a.date,o)}),n.$setValidity("date-disabled",!c||!m.isDisabled(c)),a.rows=i(g.objects,f.split),a.labels=g.labels||[],a.title=g.title}function k(a){o=a,h(),j()}function l(a){var b=new Date(a);b.setDate(b.getDate()+4-(b.getDay()||7));var c=b.getTime();return b.setMonth(0),b.setDate(1),Math.floor(Math.round((c-b)/864e5)/7)+1}var m=g[0],n=g[1];if(n){var o=0,p=new Date,q=c.showWeeks;f.showWeeks?a.$parent.$watch(b(f.showWeeks),function(a){q=!!a,h()}):h(),f.min&&a.$parent.$watch(b(f.min),function(a){m.minDate=a?new Date(a):null,j()}),f.max&&a.$parent.$watch(b(f.max),function(a){m.maxDate=a?new Date(a):null,j()}),n.$render=function(){j(!0)},a.select=function(a){if(0===o){var b=n.$modelValue?new Date(n.$modelValue):new Date(0,0,0,0,0,0,0);b.setFullYear(a.getFullYear(),a.getMonth(),a.getDate()),n.$setViewValue(b),j(!0)}else p=a,k(o-1)},a.move=function(a){var b=m.modes[o].step;p.setMonth(p.getMonth()+a*(b.months||0)),p.setFullYear(p.getFullYear()+a*(b.years||0)),j()},a.toggleMode=function(){k((o+1)%m.modes.length)},a.getWeekNumber=function(b){return 0===o&&a.showWeekNumbers&&7===b.length?l(b[0].date):null}}}}}]).constant("datepickerPopupConfig",{dateFormat:"yyyy-MM-dd",currentText:"Today",toggleWeeksText:"Weeks",clearText:"Clear",closeText:"Done",closeOnDateSelection:!0,appendToBody:!1,showButtonBar:!0}).directive("datepickerPopup",["$compile","$parse","$document","$position","dateFilter","datepickerPopupConfig","datepickerConfig",function(a,b,c,d,e,f,g){return{restrict:"EA",require:"ngModel",link:function(h,i,j,k){function l(a){u?u(h,!!a):q.isOpen=!!a}function m(a){if(a){if(angular.isDate(a))return k.$setValidity("date",!0),a;if(angular.isString(a)){var b=new Date(a);return isNaN(b)?(k.$setValidity("date",!1),void 0):(k.$setValidity("date",!0),b)}return k.$setValidity("date",!1),void 0}return k.$setValidity("date",!0),null}function n(a,c,d){a&&(h.$watch(b(a),function(a){q[c]=a}),y.attr(d||c,c))}function o(){q.position=s?d.offset(i):d.position(i),q.position.top=q.position.top+i.prop("offsetHeight")}var p,q=h.$new(),r=angular.isDefined(j.closeOnDateSelection)?h.$eval(j.closeOnDateSelection):f.closeOnDateSelection,s=angular.isDefined(j.datepickerAppendToBody)?h.$eval(j.datepickerAppendToBody):f.appendToBody;j.$observe("datepickerPopup",function(a){p=a||f.dateFormat,k.$render()}),q.showButtonBar=angular.isDefined(j.showButtonBar)?h.$eval(j.showButtonBar):f.showButtonBar,h.$on("$destroy",function(){C.remove(),q.$destroy()}),j.$observe("currentText",function(a){q.currentText=angular.isDefined(a)?a:f.currentText}),j.$observe("toggleWeeksText",function(a){q.toggleWeeksText=angular.isDefined(a)?a:f.toggleWeeksText}),j.$observe("clearText",function(a){q.clearText=angular.isDefined(a)?a:f.clearText}),j.$observe("closeText",function(a){q.closeText=angular.isDefined(a)?a:f.closeText});var t,u;j.isOpen&&(t=b(j.isOpen),u=t.assign,h.$watch(t,function(a){q.isOpen=!!a})),q.isOpen=t?t(h):!1;var v=function(a){q.isOpen&&a.target!==i[0]&&q.$apply(function(){l(!1)})},w=function(){q.$apply(function(){l(!0)})},x=angular.element("<div datepicker-popup-wrap><div datepicker></div></div>");x.attr({"ng-model":"date","ng-change":"dateSelection()"});var y=angular.element(x.children()[0]),z={};j.datepickerOptions&&(z=h.$eval(j.datepickerOptions),y.attr(angular.extend({},z))),k.$parsers.unshift(m),q.dateSelection=function(a){angular.isDefined(a)&&(q.date=a),k.$setViewValue(q.date),k.$render(),r&&l(!1)},i.bind("input change keyup",function(){q.$apply(function(){q.date=k.$modelValue})}),k.$render=function(){var a=k.$viewValue?e(k.$viewValue,p):"";i.val(a),q.date=k.$modelValue},n(j.min,"min"),n(j.max,"max"),j.showWeeks?n(j.showWeeks,"showWeeks","show-weeks"):(q.showWeeks="show-weeks"in z?z["show-weeks"]:g.showWeeks,y.attr("show-weeks","showWeeks")),j.dateDisabled&&y.attr("date-disabled",j.dateDisabled);var A=!1,B=!1;q.$watch("isOpen",function(a){a?(o(),c.bind("click",v),B&&i.unbind("focus",w),i[0].focus(),A=!0):(A&&c.unbind("click",v),i.bind("focus",w),B=!0),u&&u(h,a)}),q.today=function(){q.dateSelection(new Date)},q.clear=function(){q.dateSelection(null)};var C=a(x)(q);s?c.find("body").append(C):i.after(C)}}}]).directive("datepickerPopupWrap",function(){return{restrict:"EA",replace:!0,transclude:!0,templateUrl:"template/datepicker/popup.html",link:function(a,b){b.bind("click",function(a){a.preventDefault(),a.stopPropagation()})}}}),angular.module("ui.bootstrap.dropdownToggle",[]).directive("dropdownToggle",["$document","$location",function(a){var b=null,c=angular.noop;return{restrict:"CA",link:function(d,e){d.$watch("$location.path",function(){c()}),e.parent().bind("click",function(){c()}),e.bind("click",function(d){var f=e===b;d.preventDefault(),d.stopPropagation(),b&&c(),f||e.hasClass("disabled")||e.prop("disabled")||(e.parent().addClass("open"),b=e,c=function(d){d&&(d.preventDefault(),d.stopPropagation()),a.unbind("click",c),e.parent().removeClass("open"),c=angular.noop,b=null},a.bind("click",c))})}}}]),angular.module("ui.bootstrap.modal",["ui.bootstrap.transition"]).factory("$$stackedMap",function(){return{createNew:function(){var a=[];return{add:function(b,c){a.push({key:b,value:c})},get:function(b){for(var c=0;c<a.length;c++)if(b==a[c].key)return a[c]},keys:function(){for(var b=[],c=0;c<a.length;c++)b.push(a[c].key);return b},top:function(){return a[a.length-1]},remove:function(b){for(var c=-1,d=0;d<a.length;d++)if(b==a[d].key){c=d;break}return a.splice(c,1)[0]},removeTop:function(){return a.splice(a.length-1,1)[0]},length:function(){return a.length}}}}}).directive("modalBackdrop",["$timeout",function(a){return{restrict:"EA",replace:!0,templateUrl:"template/modal/backdrop.html",link:function(b){b.animate=!1,a(function(){b.animate=!0})}}}]).directive("modalWindow",["$modalStack","$timeout",function(a,b){return{restrict:"EA",scope:{index:"@",animate:"="},replace:!0,transclude:!0,templateUrl:"template/modal/window.html",link:function(c,d,e){c.windowClass=e.windowClass||"",b(function(){c.animate=!0,d[0].focus()}),c.close=function(b){var c=a.getTop();c&&c.value.backdrop&&"static"!=c.value.backdrop&&b.target===b.currentTarget&&(b.preventDefault(),b.stopPropagation(),a.dismiss(c.key,"backdrop click"))}}}}]).factory("$modalStack",["$transition","$timeout","$document","$compile","$rootScope","$$stackedMap",function(a,b,c,d,e,f){function g(){for(var a=-1,b=n.keys(),c=0;c<b.length;c++)n.get(b[c]).value.backdrop&&(a=c);return a}function h(a){var b=c.find("body").eq(0),d=n.get(a).value;n.remove(a),j(d.modalDomEl,d.modalScope,300,i),b.toggleClass(m,n.length()>0)}function i(){if(k&&-1==g()){var a=l;j(k,l,150,function(){a.$destroy(),a=null}),k=void 0,l=void 0}}function j(c,d,e,f){function g(){g.done||(g.done=!0,c.remove(),f&&f())}d.animate=!1;var h=a.transitionEndEventName;if(h){var i=b(g,e);c.bind(h,function(){b.cancel(i),g(),d.$apply()})}else b(g,0)}var k,l,m="modal-open",n=f.createNew(),o={};return e.$watch(g,function(a){l&&(l.index=a)}),c.bind("keydown",function(a){var b;27===a.which&&(b=n.top(),b&&b.value.keyboard&&e.$apply(function(){o.dismiss(b.key)}))}),o.open=function(a,b){n.add(a,{deferred:b.deferred,modalScope:b.scope,backdrop:b.backdrop,keyboard:b.keyboard});var f=c.find("body").eq(0),h=g();h>=0&&!k&&(l=e.$new(!0),l.index=h,k=d("<div modal-backdrop></div>")(l),f.append(k));var i=angular.element("<div modal-window></div>");i.attr("window-class",b.windowClass),i.attr("index",n.length()-1),i.attr("animate","animate"),i.html(b.content);var j=d(i)(b.scope);n.top().value.modalDomEl=j,f.append(j),f.addClass(m)},o.close=function(a,b){var c=n.get(a).value;c&&(c.deferred.resolve(b),h(a))},o.dismiss=function(a,b){var c=n.get(a).value;c&&(c.deferred.reject(b),h(a))},o.dismissAll=function(a){for(var b=this.getTop();b;)this.dismiss(b.key,a),b=this.getTop()},o.getTop=function(){return n.top()},o}]).provider("$modal",function(){var a={options:{backdrop:!0,keyboard:!0},$get:["$injector","$rootScope","$q","$http","$templateCache","$controller","$modalStack",function(b,c,d,e,f,g,h){function i(a){return a.template?d.when(a.template):e.get(a.templateUrl,{cache:f}).then(function(a){return a.data})}function j(a){var c=[];return angular.forEach(a,function(a){(angular.isFunction(a)||angular.isArray(a))&&c.push(d.when(b.invoke(a)))}),c}var k={};return k.open=function(b){var e=d.defer(),f=d.defer(),k={result:e.promise,opened:f.promise,close:function(a){h.close(k,a)},dismiss:function(a){h.dismiss(k,a)}};if(b=angular.extend({},a.options,b),b.resolve=b.resolve||{},!b.template&&!b.templateUrl)throw new Error("One of template or templateUrl options is required.");var l=d.all([i(b)].concat(j(b.resolve)));return l.then(function(a){var d=(b.scope||c).$new();d.$close=k.close,d.$dismiss=k.dismiss;var f,i={},j=1;b.controller&&(i.$scope=d,i.$modalInstance=k,angular.forEach(b.resolve,function(b,c){i[c]=a[j++]}),f=g(b.controller,i)),h.open(k,{scope:d,deferred:e,content:a[0],backdrop:b.backdrop,keyboard:b.keyboard,windowClass:b.windowClass})},function(a){e.reject(a)}),l.then(function(){f.resolve(!0)},function(){f.reject(!1)}),k},k}]};return a}),angular.module("ui.bootstrap.pagination",[]).controller("PaginationController",["$scope","$attrs","$parse","$interpolate",function(a,b,c,d){var e=this,f=b.numPages?c(b.numPages).assign:angular.noop;this.init=function(d){b.itemsPerPage?a.$parent.$watch(c(b.itemsPerPage),function(b){e.itemsPerPage=parseInt(b,10),a.totalPages=e.calculateTotalPages()}):this.itemsPerPage=d},this.noPrevious=function(){return 1===this.page},this.noNext=function(){return this.page===a.totalPages},this.isActive=function(a){return this.page===a},this.calculateTotalPages=function(){var b=this.itemsPerPage<1?1:Math.ceil(a.totalItems/this.itemsPerPage);return Math.max(b||0,1)},this.getAttributeValue=function(b,c,e){return angular.isDefined(b)?e?d(b)(a.$parent):a.$parent.$eval(b):c},this.render=function(){this.page=parseInt(a.page,10)||1,this.page>0&&this.page<=a.totalPages&&(a.pages=this.getPages(this.page,a.totalPages))},a.selectPage=function(b){!e.isActive(b)&&b>0&&b<=a.totalPages&&(a.page=b,a.onSelectPage({page:b}))},a.$watch("page",function(){e.render()}),a.$watch("totalItems",function(){a.totalPages=e.calculateTotalPages()}),a.$watch("totalPages",function(b){f(a.$parent,b),e.page>b?a.selectPage(b):e.render()})}]).constant("paginationConfig",{itemsPerPage:10,boundaryLinks:!1,directionLinks:!0,firstText:"First",previousText:"Previous",nextText:"Next",lastText:"Last",rotate:!0}).directive("pagination",["$parse","paginationConfig",function(a,b){return{restrict:"EA",scope:{page:"=",totalItems:"=",onSelectPage:" &"},controller:"PaginationController",templateUrl:"template/pagination/pagination.html",replace:!0,link:function(c,d,e,f){function g(a,b,c,d){return{number:a,text:b,active:c,disabled:d}}var h,i=f.getAttributeValue(e.boundaryLinks,b.boundaryLinks),j=f.getAttributeValue(e.directionLinks,b.directionLinks),k=f.getAttributeValue(e.firstText,b.firstText,!0),l=f.getAttributeValue(e.previousText,b.previousText,!0),m=f.getAttributeValue(e.nextText,b.nextText,!0),n=f.getAttributeValue(e.lastText,b.lastText,!0),o=f.getAttributeValue(e.rotate,b.rotate);f.init(b.itemsPerPage),e.maxSize&&c.$parent.$watch(a(e.maxSize),function(a){h=parseInt(a,10),f.render()}),f.getPages=function(a,b){var c=[],d=1,e=b,p=angular.isDefined(h)&&b>h;p&&(o?(d=Math.max(a-Math.floor(h/2),1),e=d+h-1,e>b&&(e=b,d=e-h+1)):(d=(Math.ceil(a/h)-1)*h+1,e=Math.min(d+h-1,b)));for(var q=d;e>=q;q++){var r=g(q,q,f.isActive(q),!1);c.push(r)}if(p&&!o){if(d>1){var s=g(d-1,"...",!1,!1);c.unshift(s)}if(b>e){var t=g(e+1,"...",!1,!1);c.push(t)}}if(j){var u=g(a-1,l,!1,f.noPrevious());c.unshift(u);var v=g(a+1,m,!1,f.noNext());c.push(v)}if(i){var w=g(1,k,!1,f.noPrevious());c.unshift(w);var x=g(b,n,!1,f.noNext());c.push(x)}return c}}}}]).constant("pagerConfig",{itemsPerPage:10,previousText:"« Previous",nextText:"Next »",align:!0}).directive("pager",["pagerConfig",function(a){return{restrict:"EA",scope:{page:"=",totalItems:"=",onSelectPage:" &"},controller:"PaginationController",templateUrl:"template/pagination/pager.html",replace:!0,link:function(b,c,d,e){function f(a,b,c,d,e){return{number:a,text:b,disabled:c,previous:i&&d,next:i&&e}}var g=e.getAttributeValue(d.previousText,a.previousText,!0),h=e.getAttributeValue(d.nextText,a.nextText,!0),i=e.getAttributeValue(d.align,a.align);e.init(a.itemsPerPage),e.getPages=function(a){return[f(a-1,g,e.noPrevious(),!0,!1),f(a+1,h,e.noNext(),!1,!0)]}}}}]),angular.module("ui.bootstrap.tooltip",["ui.bootstrap.position","ui.bootstrap.bindHtml"]).provider("$tooltip",function(){function a(a){var b=/[A-Z]/g,c="-";return a.replace(b,function(a,b){return(b?c:"")+a.toLowerCase()})}var b={placement:"top",animation:!0,popupDelay:0},c={mouseenter:"mouseleave",click:"click",focus:"blur"},d={};this.options=function(a){angular.extend(d,a)},this.setTriggers=function(a){angular.extend(c,a)},this.$get=["$window","$compile","$timeout","$parse","$document","$position","$interpolate",function(e,f,g,h,i,j,k){return function(e,l,m){function n(a){var b=a||o.trigger||m,d=c[b]||b;return{show:b,hide:d}}var o=angular.extend({},b,d),p=a(e),q=k.startSymbol(),r=k.endSymbol(),s="<div "+p+'-popup title="'+q+"tt_title"+r+'" content="'+q+"tt_content"+r+'" placement="'+q+"tt_placement"+r+'" animation="tt_animation" is-open="tt_isOpen"></div>';return{restrict:"EA",scope:!0,compile:function(){var a=f(s);return function(b,c,d){function f(){b.tt_isOpen?m():k()}function k(){(!z||b.$eval(d[l+"Enable"]))&&(b.tt_popupDelay?(v=g(p,b.tt_popupDelay,!1),v.then(function(a){a()})):p()())}function m(){b.$apply(function(){q()})}function p(){return b.tt_content?(r(),u&&g.cancel(u),t.css({top:0,left:0,display:"block"}),w?i.find("body").append(t):c.after(t),A(),b.tt_isOpen=!0,b.$digest(),A):angular.noop}function q(){b.tt_isOpen=!1,g.cancel(v),b.tt_animation?u=g(s,500):s()}function r(){t&&s(),t=a(b,function(){}),b.$digest()}function s(){t&&(t.remove(),t=null)}var t,u,v,w=angular.isDefined(o.appendToBody)?o.appendToBody:!1,x=n(void 0),y=!1,z=angular.isDefined(d[l+"Enable"]),A=function(){var a,d,e,f;switch(a=w?j.offset(c):j.position(c),d=t.prop("offsetWidth"),e=t.prop("offsetHeight"),b.tt_placement){case"right":f={top:a.top+a.height/2-e/2,left:a.left+a.width};break;case"bottom":f={top:a.top+a.height,left:a.left+a.width/2-d/2};break;case"left":f={top:a.top+a.height/2-e/2,left:a.left-d};break;default:f={top:a.top-e,left:a.left+a.width/2-d/2}}f.top+="px",f.left+="px",t.css(f)};b.tt_isOpen=!1,d.$observe(e,function(a){b.tt_content=a,!a&&b.tt_isOpen&&q()}),d.$observe(l+"Title",function(a){b.tt_title=a}),d.$observe(l+"Placement",function(a){b.tt_placement=angular.isDefined(a)?a:o.placement}),d.$observe(l+"PopupDelay",function(a){var c=parseInt(a,10);b.tt_popupDelay=isNaN(c)?o.popupDelay:c});var B=function(){y&&(c.unbind(x.show,k),c.unbind(x.hide,m))};d.$observe(l+"Trigger",function(a){B(),x=n(a),x.show===x.hide?c.bind(x.show,f):(c.bind(x.show,k),c.bind(x.hide,m)),y=!0});var C=b.$eval(d[l+"Animation"]);b.tt_animation=angular.isDefined(C)?!!C:o.animation,d.$observe(l+"AppendToBody",function(a){w=angular.isDefined(a)?h(a)(b):w}),w&&b.$on("$locationChangeSuccess",function(){b.tt_isOpen&&q()}),b.$on("$destroy",function(){g.cancel(u),g.cancel(v),B(),s()})}}}}}]}).directive("tooltipPopup",function(){return{restrict:"EA",replace:!0,scope:{content:"@",placement:"@",animation:"&",isOpen:"&"},templateUrl:"template/tooltip/tooltip-popup.html"}}).directive("tooltip",["$tooltip",function(a){return a("tooltip","tooltip","mouseenter")}]).directive("tooltipHtmlUnsafePopup",function(){return{restrict:"EA",replace:!0,scope:{content:"@",placement:"@",animation:"&",isOpen:"&"},templateUrl:"template/tooltip/tooltip-html-unsafe-popup.html"}}).directive("tooltipHtmlUnsafe",["$tooltip",function(a){return a("tooltipHtmlUnsafe","tooltip","mouseenter")}]),angular.module("ui.bootstrap.popover",["ui.bootstrap.tooltip"]).directive("popoverPopup",function(){return{restrict:"EA",replace:!0,scope:{title:"@",content:"@",placement:"@",animation:"&",isOpen:"&"},templateUrl:"template/popover/popover.html"}}).directive("popover",["$tooltip",function(a){return a("popover","popover","click")}]),angular.module("ui.bootstrap.progressbar",["ui.bootstrap.transition"]).constant("progressConfig",{animate:!0,max:100}).controller("ProgressController",["$scope","$attrs","progressConfig","$transition",function(a,b,c,d){var e=this,f=[],g=angular.isDefined(b.max)?a.$parent.$eval(b.max):c.max,h=angular.isDefined(b.animate)?a.$parent.$eval(b.animate):c.animate;this.addBar=function(a,b){var c=0,d=a.$parent.$index;angular.isDefined(d)&&f[d]&&(c=f[d].value),f.push(a),this.update(b,a.value,c),a.$watch("value",function(a,c){a!==c&&e.update(b,a,c)}),a.$on("$destroy",function(){e.removeBar(a)})},this.update=function(a,b,c){var e=this.getPercentage(b);h?(a.css("width",this.getPercentage(c)+"%"),d(a,{width:e+"%"})):a.css({transition:"none",width:e+"%"})},this.removeBar=function(a){f.splice(f.indexOf(a),1)},this.getPercentage=function(a){return Math.round(100*a/g)}}]).directive("progress",function(){return{restrict:"EA",replace:!0,transclude:!0,controller:"ProgressController",require:"progress",scope:{},template:'<div class="progress" ng-transclude></div>'}}).directive("bar",function(){return{restrict:"EA",replace:!0,transclude:!0,require:"^progress",scope:{value:"=",type:"@"},templateUrl:"template/progressbar/bar.html",link:function(a,b,c,d){d.addBar(a,b)}}}).directive("progressbar",function(){return{restrict:"EA",replace:!0,transclude:!0,controller:"ProgressController",scope:{value:"=",type:"@"},templateUrl:"template/progressbar/progressbar.html",link:function(a,b,c,d){d.addBar(a,angular.element(b.children()[0]))}}}),angular.module("ui.bootstrap.rating",[]).constant("ratingConfig",{max:5,stateOn:null,stateOff:null}).controller("RatingController",["$scope","$attrs","$parse","ratingConfig",function(a,b,c,d){this.maxRange=angular.isDefined(b.max)?a.$parent.$eval(b.max):d.max,this.stateOn=angular.isDefined(b.stateOn)?a.$parent.$eval(b.stateOn):d.stateOn,this.stateOff=angular.isDefined(b.stateOff)?a.$parent.$eval(b.stateOff):d.stateOff,this.createRateObjects=function(a){for(var b={stateOn:this.stateOn,stateOff:this.stateOff},c=0,d=a.length;d>c;c++)a[c]=angular.extend({index:c},b,a[c]);return a},a.range=angular.isDefined(b.ratingStates)?this.createRateObjects(angular.copy(a.$parent.$eval(b.ratingStates))):this.createRateObjects(new Array(this.maxRange)),a.rate=function(b){a.value===b||a.readonly||(a.value=b)
},a.enter=function(b){a.readonly||(a.val=b),a.onHover({value:b})},a.reset=function(){a.val=angular.copy(a.value),a.onLeave()},a.$watch("value",function(b){a.val=b}),a.readonly=!1,b.readonly&&a.$parent.$watch(c(b.readonly),function(b){a.readonly=!!b})}]).directive("rating",function(){return{restrict:"EA",scope:{value:"=",onHover:"&",onLeave:"&"},controller:"RatingController",templateUrl:"template/rating/rating.html",replace:!0}}),angular.module("ui.bootstrap.tabs",[]).controller("TabsetController",["$scope",function(a){var b=this,c=b.tabs=a.tabs=[];b.select=function(a){angular.forEach(c,function(a){a.active=!1}),a.active=!0},b.addTab=function(a){c.push(a),(1===c.length||a.active)&&b.select(a)},b.removeTab=function(a){var d=c.indexOf(a);if(a.active&&c.length>1){var e=d==c.length-1?d-1:d+1;b.select(c[e])}c.splice(d,1)}}]).directive("tabset",function(){return{restrict:"EA",transclude:!0,replace:!0,scope:{},controller:"TabsetController",templateUrl:"template/tabs/tabset.html",link:function(a,b,c){a.vertical=angular.isDefined(c.vertical)?a.$parent.$eval(c.vertical):!1,a.justified=angular.isDefined(c.justified)?a.$parent.$eval(c.justified):!1,a.type=angular.isDefined(c.type)?a.$parent.$eval(c.type):"tabs"}}}).directive("tab",["$parse",function(a){return{require:"^tabset",restrict:"EA",replace:!0,templateUrl:"template/tabs/tab.html",transclude:!0,scope:{heading:"@",onSelect:"&select",onDeselect:"&deselect"},controller:function(){},compile:function(b,c,d){return function(b,c,e,f){var g,h;e.active?(g=a(e.active),h=g.assign,b.$parent.$watch(g,function(a,c){a!==c&&(b.active=!!a)}),b.active=g(b.$parent)):h=g=angular.noop,b.$watch("active",function(a){h(b.$parent,a),a?(f.select(b),b.onSelect()):b.onDeselect()}),b.disabled=!1,e.disabled&&b.$parent.$watch(a(e.disabled),function(a){b.disabled=!!a}),b.select=function(){b.disabled||(b.active=!0)},f.addTab(b),b.$on("$destroy",function(){f.removeTab(b)}),b.$transcludeFn=d}}}}]).directive("tabHeadingTransclude",[function(){return{restrict:"A",require:"^tab",link:function(a,b){a.$watch("headingElement",function(a){a&&(b.html(""),b.append(a))})}}}]).directive("tabContentTransclude",function(){function a(a){return a.tagName&&(a.hasAttribute("tab-heading")||a.hasAttribute("data-tab-heading")||"tab-heading"===a.tagName.toLowerCase()||"data-tab-heading"===a.tagName.toLowerCase())}return{restrict:"A",require:"^tabset",link:function(b,c,d){var e=b.$eval(d.tabContentTransclude);e.$transcludeFn(e.$parent,function(b){angular.forEach(b,function(b){a(b)?e.headingElement=b:c.append(b)})})}}}),angular.module("ui.bootstrap.timepicker",[]).constant("timepickerConfig",{hourStep:1,minuteStep:1,showMeridian:!0,meridians:null,readonlyInput:!1,mousewheel:!0}).directive("timepicker",["$parse","$log","timepickerConfig","$locale",function(a,b,c,d){return{restrict:"EA",require:"?^ngModel",replace:!0,scope:{},templateUrl:"template/timepicker/timepicker.html",link:function(e,f,g,h){function i(){var a=parseInt(e.hours,10),b=e.showMeridian?a>0&&13>a:a>=0&&24>a;return b?(e.showMeridian&&(12===a&&(a=0),e.meridian===q[1]&&(a+=12)),a):void 0}function j(){var a=parseInt(e.minutes,10);return a>=0&&60>a?a:void 0}function k(a){return angular.isDefined(a)&&a.toString().length<2?"0"+a:a}function l(a){m(),h.$setViewValue(new Date(p)),n(a)}function m(){h.$setValidity("time",!0),e.invalidHours=!1,e.invalidMinutes=!1}function n(a){var b=p.getHours(),c=p.getMinutes();e.showMeridian&&(b=0===b||12===b?12:b%12),e.hours="h"===a?b:k(b),e.minutes="m"===a?c:k(c),e.meridian=p.getHours()<12?q[0]:q[1]}function o(a){var b=new Date(p.getTime()+6e4*a);p.setHours(b.getHours(),b.getMinutes()),l()}if(h){var p=new Date,q=angular.isDefined(g.meridians)?e.$parent.$eval(g.meridians):c.meridians||d.DATETIME_FORMATS.AMPMS,r=c.hourStep;g.hourStep&&e.$parent.$watch(a(g.hourStep),function(a){r=parseInt(a,10)});var s=c.minuteStep;g.minuteStep&&e.$parent.$watch(a(g.minuteStep),function(a){s=parseInt(a,10)}),e.showMeridian=c.showMeridian,g.showMeridian&&e.$parent.$watch(a(g.showMeridian),function(a){if(e.showMeridian=!!a,h.$error.time){var b=i(),c=j();angular.isDefined(b)&&angular.isDefined(c)&&(p.setHours(b),l())}else n()});var t=f.find("input"),u=t.eq(0),v=t.eq(1),w=angular.isDefined(g.mousewheel)?e.$eval(g.mousewheel):c.mousewheel;if(w){var x=function(a){a.originalEvent&&(a=a.originalEvent);var b=a.wheelDelta?a.wheelDelta:-a.deltaY;return a.detail||b>0};u.bind("mousewheel wheel",function(a){e.$apply(x(a)?e.incrementHours():e.decrementHours()),a.preventDefault()}),v.bind("mousewheel wheel",function(a){e.$apply(x(a)?e.incrementMinutes():e.decrementMinutes()),a.preventDefault()})}if(e.readonlyInput=angular.isDefined(g.readonlyInput)?e.$eval(g.readonlyInput):c.readonlyInput,e.readonlyInput)e.updateHours=angular.noop,e.updateMinutes=angular.noop;else{var y=function(a,b){h.$setViewValue(null),h.$setValidity("time",!1),angular.isDefined(a)&&(e.invalidHours=a),angular.isDefined(b)&&(e.invalidMinutes=b)};e.updateHours=function(){var a=i();angular.isDefined(a)?(p.setHours(a),l("h")):y(!0)},u.bind("blur",function(){!e.validHours&&e.hours<10&&e.$apply(function(){e.hours=k(e.hours)})}),e.updateMinutes=function(){var a=j();angular.isDefined(a)?(p.setMinutes(a),l("m")):y(void 0,!0)},v.bind("blur",function(){!e.invalidMinutes&&e.minutes<10&&e.$apply(function(){e.minutes=k(e.minutes)})})}h.$render=function(){var a=h.$modelValue?new Date(h.$modelValue):null;isNaN(a)?(h.$setValidity("time",!1),b.error('Timepicker directive: "ng-model" value must be a Date object, a number of milliseconds since 01.01.1970 or a string representing an RFC2822 or ISO 8601 date.')):(a&&(p=a),m(),n())},e.incrementHours=function(){o(60*r)},e.decrementHours=function(){o(60*-r)},e.incrementMinutes=function(){o(s)},e.decrementMinutes=function(){o(-s)},e.toggleMeridian=function(){o(720*(p.getHours()<12?1:-1))}}}}}]),angular.module("ui.bootstrap.typeahead",["ui.bootstrap.position","ui.bootstrap.bindHtml"]).factory("typeaheadParser",["$parse",function(a){var b=/^\s*(.*?)(?:\s+as\s+(.*?))?\s+for\s+(?:([\$\w][\$\w\d]*))\s+in\s+(.*)$/;return{parse:function(c){var d=c.match(b);if(!d)throw new Error("Expected typeahead specification in form of '_modelValue_ (as _label_)? for _item_ in _collection_' but got '"+c+"'.");return{itemName:d[3],source:a(d[4]),viewMapper:a(d[2]||d[1]),modelMapper:a(d[1])}}}}]).directive("typeahead",["$compile","$parse","$q","$timeout","$document","$position","typeaheadParser",function(a,b,c,d,e,f,g){var h=[9,13,27,38,40];return{require:"ngModel",link:function(i,j,k,l){var m,n=i.$eval(k.typeaheadMinLength)||1,o=i.$eval(k.typeaheadWaitMs)||0,p=i.$eval(k.typeaheadEditable)!==!1,q=b(k.typeaheadLoading).assign||angular.noop,r=b(k.typeaheadOnSelect),s=k.typeaheadInputFormatter?b(k.typeaheadInputFormatter):void 0,t=k.typeaheadAppendToBody?b(k.typeaheadAppendToBody):!1,u=b(k.ngModel).assign,v=g.parse(k.typeahead),w=angular.element("<div typeahead-popup></div>");w.attr({matches:"matches",active:"activeIdx",select:"select(activeIdx)",query:"query",position:"position"}),angular.isDefined(k.typeaheadTemplateUrl)&&w.attr("template-url",k.typeaheadTemplateUrl);var x=i.$new();i.$on("$destroy",function(){x.$destroy()});var y=function(){x.matches=[],x.activeIdx=-1},z=function(a){var b={$viewValue:a};q(i,!0),c.when(v.source(i,b)).then(function(c){if(a===l.$viewValue&&m){if(c.length>0){x.activeIdx=0,x.matches.length=0;for(var d=0;d<c.length;d++)b[v.itemName]=c[d],x.matches.push({label:v.viewMapper(x,b),model:c[d]});x.query=a,x.position=t?f.offset(j):f.position(j),x.position.top=x.position.top+j.prop("offsetHeight")}else y();q(i,!1)}},function(){y(),q(i,!1)})};y(),x.query=void 0;var A;l.$parsers.unshift(function(a){return m=!0,a&&a.length>=n?o>0?(A&&d.cancel(A),A=d(function(){z(a)},o)):z(a):(q(i,!1),y()),p?a:a?(l.$setValidity("editable",!1),void 0):(l.$setValidity("editable",!0),a)}),l.$formatters.push(function(a){var b,c,d={};return s?(d.$model=a,s(i,d)):(d[v.itemName]=a,b=v.viewMapper(i,d),d[v.itemName]=void 0,c=v.viewMapper(i,d),b!==c?b:a)}),x.select=function(a){var b,c,d={};d[v.itemName]=c=x.matches[a].model,b=v.modelMapper(i,d),u(i,b),l.$setValidity("editable",!0),r(i,{$item:c,$model:b,$label:v.viewMapper(i,d)}),y(),j[0].focus()},j.bind("keydown",function(a){0!==x.matches.length&&-1!==h.indexOf(a.which)&&(a.preventDefault(),40===a.which?(x.activeIdx=(x.activeIdx+1)%x.matches.length,x.$digest()):38===a.which?(x.activeIdx=(x.activeIdx?x.activeIdx:x.matches.length)-1,x.$digest()):13===a.which||9===a.which?x.$apply(function(){x.select(x.activeIdx)}):27===a.which&&(a.stopPropagation(),y(),x.$digest()))}),j.bind("blur",function(){m=!1});var B=function(a){j[0]!==a.target&&(y(),x.$digest())};e.bind("click",B),i.$on("$destroy",function(){e.unbind("click",B)});var C=a(w)(x);t?e.find("body").append(C):j.after(C)}}}]).directive("typeaheadPopup",function(){return{restrict:"EA",scope:{matches:"=",query:"=",active:"=",position:"=",select:"&"},replace:!0,templateUrl:"template/typeahead/typeahead-popup.html",link:function(a,b,c){a.templateUrl=c.templateUrl,a.isOpen=function(){return a.matches.length>0},a.isActive=function(b){return a.active==b},a.selectActive=function(b){a.active=b},a.selectMatch=function(b){a.select({activeIdx:b})}}}}).directive("typeaheadMatch",["$http","$templateCache","$compile","$parse",function(a,b,c,d){return{restrict:"EA",scope:{index:"=",match:"=",query:"="},link:function(e,f,g){var h=d(g.templateUrl)(e.$parent)||"template/typeahead/typeahead-match.html";a.get(h,{cache:b}).success(function(a){f.replaceWith(c(a.trim())(e))})}}}]).filter("typeaheadHighlight",function(){function a(a){return a.replace(/([.?*+^$[\]\\(){}|-])/g,"\\$1")}return function(b,c){return c?b.replace(new RegExp(a(c),"gi"),"<strong>$&</strong>"):b}}),angular.module("template/accordion/accordion-group.html",[]).run(["$templateCache",function(a){a.put("template/accordion/accordion-group.html",'<div class="panel panel-default">\n <div class="panel-heading">\n <h4 class="panel-title">\n <a class="accordion-toggle" ng-click="isOpen = !isOpen" accordion-transclude="heading">{{heading}}</a>\n </h4>\n </div>\n <div class="panel-collapse" collapse="!isOpen">\n <div class="panel-body" ng-transclude></div>\n </div>\n</div>')}]),angular.module("template/accordion/accordion.html",[]).run(["$templateCache",function(a){a.put("template/accordion/accordion.html",'<div class="panel-group" ng-transclude></div>')}]),angular.module("template/alert/alert.html",[]).run(["$templateCache",function(a){a.put("template/alert/alert.html","<div class='alert' ng-class='\"alert-\" + (type || \"warning\")'>\n <button ng-show='closeable' type='button' class='close' ng-click='close()'>×</button>\n <div ng-transclude></div>\n</div>\n")}]),angular.module("template/carousel/carousel.html",[]).run(["$templateCache",function(a){a.put("template/carousel/carousel.html",'<div ng-mouseenter="pause()" ng-mouseleave="play()" class="carousel">\n <ol class="carousel-indicators" ng-show="slides().length > 1">\n <li ng-repeat="slide in slides()" ng-class="{active: isActive(slide)}" ng-click="select(slide)"></li>\n </ol>\n <div class="carousel-inner" ng-transclude></div>\n <a class="left carousel-control" ng-click="prev()" ng-show="slides().length > 1"><span class="icon-prev"></span></a>\n <a class="right carousel-control" ng-click="next()" ng-show="slides().length > 1"><span class="icon-next"></span></a>\n</div>\n')}]),angular.module("template/carousel/slide.html",[]).run(["$templateCache",function(a){a.put("template/carousel/slide.html","<div ng-class=\"{\n 'active': leaving || (active && !entering),\n 'prev': (next || active) && direction=='prev',\n 'next': (next || active) && direction=='next',\n 'right': direction=='prev',\n 'left': direction=='next'\n }\" class=\"item text-center\" ng-transclude></div>\n")}]),angular.module("template/datepicker/datepicker.html",[]).run(["$templateCache",function(a){a.put("template/datepicker/datepicker.html",'<table>\n <thead>\n <tr>\n <th><button type="button" class="btn btn-default btn-sm pull-left" ng-click="move(-1)"><i class="glyphicon glyphicon-chevron-left"></i></button></th>\n <th colspan="{{rows[0].length - 2 + showWeekNumbers}}"><button type="button" class="btn btn-default btn-sm btn-block" ng-click="toggleMode()"><strong>{{title}}</strong></button></th>\n <th><button type="button" class="btn btn-default btn-sm pull-right" ng-click="move(1)"><i class="glyphicon glyphicon-chevron-right"></i></button></th>\n </tr>\n <tr ng-show="labels.length > 0" class="h6">\n <th ng-show="showWeekNumbers" class="text-center">#</th>\n <th ng-repeat="label in labels" class="text-center">{{label}}</th>\n </tr>\n </thead>\n <tbody>\n <tr ng-repeat="row in rows">\n <td ng-show="showWeekNumbers" class="text-center"><em>{{ getWeekNumber(row) }}</em></td>\n <td ng-repeat="dt in row" class="text-center">\n <button type="button" style="width:100%;" class="btn btn-default btn-sm" ng-class="{\'btn-info\': dt.selected}" ng-click="select(dt.date)" ng-disabled="dt.disabled"><span ng-class="{\'text-muted\': dt.secondary}">{{dt.label}}</span></button>\n </td>\n </tr>\n </tbody>\n</table>\n')}]),angular.module("template/datepicker/popup.html",[]).run(["$templateCache",function(a){a.put("template/datepicker/popup.html","<ul class=\"dropdown-menu\" ng-style=\"{display: (isOpen && 'block') || 'none', top: position.top+'px', left: position.left+'px'}\">\n <li ng-transclude></li>\n"+' <li ng-show="showButtonBar" style="padding:10px 9px 2px">\n <span class="btn-group">\n <button type="button" class="btn btn-sm btn-info" ng-click="today()">{{currentText}}</button>\n <button type="button" class="btn btn-sm btn-default" ng-click="showWeeks = ! showWeeks" ng-class="{active: showWeeks}">{{toggleWeeksText}}</button>\n <button type="button" class="btn btn-sm btn-danger" ng-click="clear()">{{clearText}}</button>\n </span>\n <button type="button" class="btn btn-sm btn-success pull-right" ng-click="isOpen = false">{{closeText}}</button>\n </li>\n</ul>\n')}]),angular.module("template/modal/backdrop.html",[]).run(["$templateCache",function(a){a.put("template/modal/backdrop.html",'<div class="modal-backdrop fade" ng-class="{in: animate}" ng-style="{\'z-index\': 1040 + index*10}"></div>')}]),angular.module("template/modal/window.html",[]).run(["$templateCache",function(a){a.put("template/modal/window.html",'<div tabindex="-1" class="modal fade {{ windowClass }}" ng-class="{in: animate}" ng-style="{\'z-index\': 1050 + index*10, display: \'block\'}" ng-click="close($event)">\n <div class="modal-dialog"><div class="modal-content" ng-transclude></div></div>\n</div>')}]),angular.module("template/pagination/pager.html",[]).run(["$templateCache",function(a){a.put("template/pagination/pager.html",'<ul class="pager">\n <li ng-repeat="page in pages" ng-class="{disabled: page.disabled, previous: page.previous, next: page.next}"><a ng-click="selectPage(page.number)">{{page.text}}</a></li>\n</ul>')}]),angular.module("template/pagination/pagination.html",[]).run(["$templateCache",function(a){a.put("template/pagination/pagination.html",'<ul class="pagination">\n <li ng-repeat="page in pages" ng-class="{active: page.active, disabled: page.disabled}"><a ng-click="selectPage(page.number)">{{page.text}}</a></li>\n</ul>')}]),angular.module("template/tooltip/tooltip-html-unsafe-popup.html",[]).run(["$templateCache",function(a){a.put("template/tooltip/tooltip-html-unsafe-popup.html",'<div class="tooltip {{placement}}" ng-class="{ in: isOpen(), fade: animation() }">\n <div class="tooltip-arrow"></div>\n <div class="tooltip-inner" bind-html-unsafe="content"></div>\n</div>\n')}]),angular.module("template/tooltip/tooltip-popup.html",[]).run(["$templateCache",function(a){a.put("template/tooltip/tooltip-popup.html",'<div class="tooltip {{placement}}" ng-class="{ in: isOpen(), fade: animation() }">\n <div class="tooltip-arrow"></div>\n <div class="tooltip-inner" ng-bind="content"></div>\n</div>\n')}]),angular.module("template/popover/popover.html",[]).run(["$templateCache",function(a){a.put("template/popover/popover.html",'<div class="popover {{placement}}" ng-class="{ in: isOpen(), fade: animation() }">\n <div class="arrow"></div>\n\n <div class="popover-inner">\n <h3 class="popover-title" ng-bind="title" ng-show="title"></h3>\n <div class="popover-content" ng-bind="content"></div>\n </div>\n</div>\n')}]),angular.module("template/progressbar/bar.html",[]).run(["$templateCache",function(a){a.put("template/progressbar/bar.html",'<div class="progress-bar" ng-class="type && \'progress-bar-\' + type" ng-transclude></div>')}]),angular.module("template/progressbar/progress.html",[]).run(["$templateCache",function(a){a.put("template/progressbar/progress.html",'<div class="progress" ng-transclude></div>')}]),angular.module("template/progressbar/progressbar.html",[]).run(["$templateCache",function(a){a.put("template/progressbar/progressbar.html",'<div class="progress"><div class="progress-bar" ng-class="type && \'progress-bar-\' + type" ng-transclude></div></div>')}]),angular.module("template/rating/rating.html",[]).run(["$templateCache",function(a){a.put("template/rating/rating.html",'<span ng-mouseleave="reset()">\n <i ng-repeat="r in range" ng-mouseenter="enter($index + 1)" ng-click="rate($index + 1)" class="glyphicon" ng-class="$index < val && (r.stateOn || \'glyphicon-star\') || (r.stateOff || \'glyphicon-star-empty\')"></i>\n</span>')}]),angular.module("template/tabs/tab.html",[]).run(["$templateCache",function(a){a.put("template/tabs/tab.html",'<li ng-class="{active: active, disabled: disabled}">\n <a ng-click="select()" tab-heading-transclude>{{heading}}</a>\n</li>\n')}]),angular.module("template/tabs/tabset-titles.html",[]).run(["$templateCache",function(a){a.put("template/tabs/tabset-titles.html","<ul class=\"nav {{type && 'nav-' + type}}\" ng-class=\"{'nav-stacked': vertical}\">\n</ul>\n")}]),angular.module("template/tabs/tabset.html",[]).run(["$templateCache",function(a){a.put("template/tabs/tabset.html",'\n<div class="tabbable">\n <ul class="nav {{type && \'nav-\' + type}}" ng-class="{\'nav-stacked\': vertical, \'nav-justified\': justified}" ng-transclude></ul>\n <div class="tab-content">\n <div class="tab-pane" \n ng-repeat="tab in tabs" \n ng-class="{active: tab.active}"\n tab-content-transclude="tab">\n </div>\n </div>\n</div>\n')}]),angular.module("template/timepicker/timepicker.html",[]).run(["$templateCache",function(a){a.put("template/timepicker/timepicker.html",'<table>\n <tbody>\n <tr class="text-center">\n <td><a ng-click="incrementHours()" class="btn btn-link"><span class="glyphicon glyphicon-chevron-up"></span></a></td>\n <td> </td>\n <td><a ng-click="incrementMinutes()" class="btn btn-link"><span class="glyphicon glyphicon-chevron-up"></span></a></td>\n <td ng-show="showMeridian"></td>\n </tr>\n <tr>\n <td style="width:50px;" class="form-group" ng-class="{\'has-error\': invalidHours}">\n <input type="text" ng-model="hours" ng-change="updateHours()" class="form-control text-center" ng-mousewheel="incrementHours()" ng-readonly="readonlyInput" maxlength="2">\n </td>\n <td>:</td>\n <td style="width:50px;" class="form-group" ng-class="{\'has-error\': invalidMinutes}">\n <input type="text" ng-model="minutes" ng-change="updateMinutes()" class="form-control text-center" ng-readonly="readonlyInput" maxlength="2">\n </td>\n <td ng-show="showMeridian"><button type="button" class="btn btn-default text-center" ng-click="toggleMeridian()">{{meridian}}</button></td>\n </tr>\n <tr class="text-center">\n <td><a ng-click="decrementHours()" class="btn btn-link"><span class="glyphicon glyphicon-chevron-down"></span></a></td>\n <td> </td>\n <td><a ng-click="decrementMinutes()" class="btn btn-link"><span class="glyphicon glyphicon-chevron-down"></span></a></td>\n <td ng-show="showMeridian"></td>\n </tr>\n </tbody>\n</table>\n')}]),angular.module("template/typeahead/typeahead-match.html",[]).run(["$templateCache",function(a){a.put("template/typeahead/typeahead-match.html",'<a tabindex="-1" bind-html-unsafe="match.label | typeaheadHighlight:query"></a>')}]),angular.module("template/typeahead/typeahead-popup.html",[]).run(["$templateCache",function(a){a.put("template/typeahead/typeahead-popup.html","<ul class=\"dropdown-menu\" ng-style=\"{display: isOpen()&&'block' || 'none', top: position.top+'px', left: position.left+'px'}\">\n"+' <li ng-repeat="match in matches" ng-class="{active: isActive($index) }" ng-mouseenter="selectActive($index)" ng-click="selectMatch($index)">\n <div typeahead-match index="$index" match="match" query="query" template-url="templateUrl"></div>\n </li>\n</ul>')}]);
| tamerman/mobile-starting-framework-push | ui/src/main/webapp/libs/ui-bootstrap-tpls-0.10.0.min.js | JavaScript | mit | 53,009 |
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<!-- NewPage -->
<html lang="de">
<head>
<!-- Generated by javadoc (version 1.7.0_01) on Thu Mar 07 20:40:25 CET 2013 -->
<title>Uses of Class com.tyrlib2.graphics.animation.Skeleton</title>
<meta name="date" content="2013-03-07">
<link rel="stylesheet" type="text/css" href="../../../../../stylesheet.css" title="Style">
</head>
<body>
<script type="text/javascript"><!--
if (location.href.indexOf('is-external=true') == -1) {
parent.document.title="Uses of Class com.tyrlib2.graphics.animation.Skeleton";
}
//-->
</script>
<noscript>
<div>JavaScript is disabled on your browser.</div>
</noscript>
<!-- ========= START OF TOP NAVBAR ======= -->
<div class="topNav"><a name="navbar_top">
<!-- -->
</a><a href="#skip-navbar_top" title="Skip navigation links"></a><a name="navbar_top_firstrow">
<!-- -->
</a>
<ul class="navList" title="Navigation">
<li><a href="../../../../../overview-summary.html">Overview</a></li>
<li><a href="../package-summary.html">Package</a></li>
<li><a href="../../../../../com/tyrlib2/graphics/animation/Skeleton.html" title="class in com.tyrlib2.graphics.animation">Class</a></li>
<li class="navBarCell1Rev">Use</li>
<li><a href="../package-tree.html">Tree</a></li>
<li><a href="../../../../../deprecated-list.html">Deprecated</a></li>
<li><a href="../../../../../index-files/index-1.html">Index</a></li>
<li><a href="../../../../../help-doc.html">Help</a></li>
</ul>
</div>
<div class="subNav">
<ul class="navList">
<li>Prev</li>
<li>Next</li>
</ul>
<ul class="navList">
<li><a href="../../../../../index.html?com/tyrlib2/graphics/animation/\class-useSkeleton.html" target="_top">Frames</a></li>
<li><a href="Skeleton.html" target="_top">No Frames</a></li>
</ul>
<ul class="navList" id="allclasses_navbar_top">
<li><a href="../../../../../allclasses-noframe.html">All Classes</a></li>
</ul>
<div>
<script type="text/javascript"><!--
allClassesLink = document.getElementById("allclasses_navbar_top");
if(window==top) {
allClassesLink.style.display = "block";
}
else {
allClassesLink.style.display = "none";
}
//-->
</script>
</div>
<a name="skip-navbar_top">
<!-- -->
</a></div>
<!-- ========= END OF TOP NAVBAR ========= -->
<div class="header">
<h2 title="Uses of Class com.tyrlib2.graphics.animation.Skeleton" class="title">Uses of Class<br>com.tyrlib2.graphics.animation.Skeleton</h2>
</div>
<div class="classUseContainer">
<ul class="blockList">
<li class="blockList">
<table border="0" cellpadding="3" cellspacing="0" summary="Use table, listing packages, and an explanation">
<caption><span>Packages that use <a href="../../../../../com/tyrlib2/graphics/animation/Skeleton.html" title="class in com.tyrlib2.graphics.animation">Skeleton</a></span><span class="tabEnd"> </span></caption>
<tr>
<th class="colFirst" scope="col">Package</th>
<th class="colLast" scope="col">Description</th>
</tr>
<tbody>
<tr class="altColor">
<td class="colFirst"><a href="#com.tyrlib2.graphics.renderables">com.tyrlib2.graphics.renderables</a></td>
<td class="colLast"> </td>
</tr>
</tbody>
</table>
</li>
<li class="blockList">
<ul class="blockList">
<li class="blockList"><a name="com.tyrlib2.graphics.renderables">
<!-- -->
</a>
<h3>Uses of <a href="../../../../../com/tyrlib2/graphics/animation/Skeleton.html" title="class in com.tyrlib2.graphics.animation">Skeleton</a> in <a href="../../../../../com/tyrlib2/graphics/renderables/package-summary.html">com.tyrlib2.graphics.renderables</a></h3>
<table border="0" cellpadding="3" cellspacing="0" summary="Use table, listing methods, and an explanation">
<caption><span>Methods in <a href="../../../../../com/tyrlib2/graphics/renderables/package-summary.html">com.tyrlib2.graphics.renderables</a> that return <a href="../../../../../com/tyrlib2/graphics/animation/Skeleton.html" title="class in com.tyrlib2.graphics.animation">Skeleton</a></span><span class="tabEnd"> </span></caption>
<tr>
<th class="colFirst" scope="col">Modifier and Type</th>
<th class="colLast" scope="col">Method and Description</th>
</tr>
<tbody>
<tr class="altColor">
<td class="colFirst"><code><a href="../../../../../com/tyrlib2/graphics/animation/Skeleton.html" title="class in com.tyrlib2.graphics.animation">Skeleton</a></code></td>
<td class="colLast"><span class="strong">Entity.</span><code><strong><a href="../../../../../com/tyrlib2/graphics/renderables/Entity.html#getSkeleton()">getSkeleton</a></strong>()</code>
<div class="block">Get the skeleton of this entity if it has one</div>
</td>
</tr>
</tbody>
</table>
<table border="0" cellpadding="3" cellspacing="0" summary="Use table, listing methods, and an explanation">
<caption><span>Methods in <a href="../../../../../com/tyrlib2/graphics/renderables/package-summary.html">com.tyrlib2.graphics.renderables</a> with parameters of type <a href="../../../../../com/tyrlib2/graphics/animation/Skeleton.html" title="class in com.tyrlib2.graphics.animation">Skeleton</a></span><span class="tabEnd"> </span></caption>
<tr>
<th class="colFirst" scope="col">Modifier and Type</th>
<th class="colLast" scope="col">Method and Description</th>
</tr>
<tbody>
<tr class="altColor">
<td class="colFirst"><code>void</code></td>
<td class="colLast"><span class="strong">Entity.</span><code><strong><a href="../../../../../com/tyrlib2/graphics/renderables/Entity.html#setSkeleton(com.tyrlib2.graphics.animation.Skeleton)">setSkeleton</a></strong>(<a href="../../../../../com/tyrlib2/graphics/animation/Skeleton.html" title="class in com.tyrlib2.graphics.animation">Skeleton</a> skeleton)</code> </td>
</tr>
</tbody>
</table>
</li>
</ul>
</li>
</ul>
</div>
<!-- ======= START OF BOTTOM NAVBAR ====== -->
<div class="bottomNav"><a name="navbar_bottom">
<!-- -->
</a><a href="#skip-navbar_bottom" title="Skip navigation links"></a><a name="navbar_bottom_firstrow">
<!-- -->
</a>
<ul class="navList" title="Navigation">
<li><a href="../../../../../overview-summary.html">Overview</a></li>
<li><a href="../package-summary.html">Package</a></li>
<li><a href="../../../../../com/tyrlib2/graphics/animation/Skeleton.html" title="class in com.tyrlib2.graphics.animation">Class</a></li>
<li class="navBarCell1Rev">Use</li>
<li><a href="../package-tree.html">Tree</a></li>
<li><a href="../../../../../deprecated-list.html">Deprecated</a></li>
<li><a href="../../../../../index-files/index-1.html">Index</a></li>
<li><a href="../../../../../help-doc.html">Help</a></li>
</ul>
</div>
<div class="subNav">
<ul class="navList">
<li>Prev</li>
<li>Next</li>
</ul>
<ul class="navList">
<li><a href="../../../../../index.html?com/tyrlib2/graphics/animation/\class-useSkeleton.html" target="_top">Frames</a></li>
<li><a href="Skeleton.html" target="_top">No Frames</a></li>
</ul>
<ul class="navList" id="allclasses_navbar_bottom">
<li><a href="../../../../../allclasses-noframe.html">All Classes</a></li>
</ul>
<div>
<script type="text/javascript"><!--
allClassesLink = document.getElementById("allclasses_navbar_bottom");
if(window==top) {
allClassesLink.style.display = "block";
}
else {
allClassesLink.style.display = "none";
}
//-->
</script>
</div>
<a name="skip-navbar_bottom">
<!-- -->
</a></div>
<!-- ======== END OF BOTTOM NAVBAR ======= -->
</body>
</html>
| TyrfingX/TyrLib | legacy/TyrLib2/doc/com/tyrlib2/graphics/animation/class-use/Skeleton.html | HTML | mit | 7,509 |
<?php
require_once 'app/autoload.php';
shell_exec('php bin/console fos:user:activate test');
register_shutdown_function(function () {
shell_exec('php bin/console fos:user:deactivate test');
});
class TestClient
{
private static $client;
private $username;
private $password;
/**
* TestClient constructor.
*
* @param $username
* @param $password
*/
public function __construct($username = 'test', $password = 'test')
{
$this->username = $username;
$this->password = $password;
}
public function auth()
{
if (self::$client == null) {
self::$client = $this->client();
}
return self::$client;
}
private function client()
{
$kernel = new AppKernel('test', false);
$kernel->boot();
$client = $kernel->getContainer()->get('test.client');
$crawler = $client->request('GET', '/login');
$form = $crawler->filter('form')->form(array(
'_username' => $this->username,
'_password' => $this->password,
));
$client->submit($form);
$client->followRedirect();
return $client;
}
public function logout()
{
self::$client->request('GET', '/logout');
self::$client->followRedirect();
self::$client = null;
}
}
| samrodriguez/Gentelella | tests/bootstrap.php | PHP | mit | 1,364 |
<?php
defined('BASEPATH') OR exit('No direct script access allowed');
class Production extends Application
{
/**
* Production controller
* Show services, and for the selected one, show the supplies that go into it,
* flagging any that are not on hand. Log any items made, without updating inventory.
*
*/
public function index()
{
$this->data['pagebody'] = 'production';
//the services
$services = $this->services->get_all();
//service information
$productionInformation = array();
//go through all the services
foreach ($services as $service)
{
$supplyInformation = array();
//for each service
foreach ($service['supplies'] as $supply => $quantity)
{
//if the service's required supplies is more than what is in the supply room
if ($this->supplies->get_quantity($supply) < $quantity)
{
$supplyInformation[] = array('supply' => $supply, 'quantity' => $quantity, 'availability' => "Not enough supplies in warehouse");
}
else
{
$supplyInformation[] = array('supply' => $supply, 'quantity' => $quantity, 'availability' => "Supply available");
}
}
$productionInformation[] = array('name' => $service['name'], 'supplyInformation' => $supplyInformation);
}
$this->data['production'] = $productionInformation;
$this->render();
}
//produce service
public function produce()
{
//results returned from POST
$results = $this->input->post();
//go through results and add the quanity specified to the stocks
foreach ($results as $service)
{
$this->stocks->set_quantity($service['name'], "add", $service['quantity']);
}
//return message upon successful stocking
}
}
| COMP4711-Assignment-Team7/COMP4711_Assignment_FrontEnd | application/controllers/Production.php | PHP | mit | 2,052 |
import {Component} from 'angular2/core';
import {MeteorComponent} from 'angular2-meteor';
import {Router} from 'angular2/router';
import {FormBuilder, ControlGroup, Validators} from 'angular2/common';
import {MATERIAL_DIRECTIVES} from 'ng2-material/all';
import {RouterLink} from 'angular2/router';
@Component({
selector: 'signup',
directives: [MATERIAL_DIRECTIVES, RouterLink],
templateUrl: '/client/imports/auth/signup.html'
})
export class Signup extends MeteorComponent {
signupForm: ControlGroup;
error: string;
constructor(private router: Router) {
super();
let fb = new FormBuilder();
this.signupForm = fb.group({
email: ['', Validators.required],
password: ['', Validators.required]
});
this.error = '';
}
signup(credentials) {
if (this.signupForm.valid) {
Accounts.createUser({ email: credentials.email, password: credentials.password}, (err) => {
if (err) {
this.error = err;
}
else {
this.router.navigate(['/PartiesList']);
}
});
}
}
} | nawalgupta/angular2-shop | scrap/imports/auth/signup.ts | TypeScript | mit | 1,074 |
// Copyright (c) Microsoft Corporation. All rights reserved.
// Licensed under the MIT License.
// Code generated by Microsoft (R) AutoRest Code Generator.
package com.azure.data.tables.implementation.models;
import com.azure.core.http.HttpHeaders;
import com.azure.core.http.HttpRequest;
import com.azure.core.http.rest.ResponseBase;
/** Contains all response data for the getStatistics operation. */
public final class ServicesGetStatisticsResponse extends ResponseBase<ServicesGetStatisticsHeaders, TableServiceStats> {
/**
* Creates an instance of ServicesGetStatisticsResponse.
*
* @param request the request which resulted in this ServicesGetStatisticsResponse.
* @param statusCode the status code of the HTTP response.
* @param rawHeaders the raw headers of the HTTP response.
* @param value the deserialized value of the HTTP response.
* @param headers the deserialized headers of the HTTP response.
*/
public ServicesGetStatisticsResponse(
HttpRequest request,
int statusCode,
HttpHeaders rawHeaders,
TableServiceStats value,
ServicesGetStatisticsHeaders headers) {
super(request, statusCode, rawHeaders, value, headers);
}
/** @return the deserialized response body. */
@Override
public TableServiceStats getValue() {
return super.getValue();
}
}
| selvasingh/azure-sdk-for-java | sdk/tables/azure-data-tables/src/main/java/com/azure/data/tables/implementation/models/ServicesGetStatisticsResponse.java | Java | mit | 1,405 |
package codegen
import (
"bytes"
"testing"
"goa.design/goa/v3/codegen"
"goa.design/goa/v3/codegen/example"
ctestdata "goa.design/goa/v3/codegen/example/testdata"
"goa.design/goa/v3/expr"
"goa.design/goa/v3/http/codegen/testdata"
)
func TestExampleCLIFiles(t *testing.T) {
cases := []struct {
Name string
DSL func()
Code string
}{
{"no-server", ctestdata.NoServerDSL, testdata.ExampleCLICode},
{"server-hosting-service-subset", ctestdata.ServerHostingServiceSubsetDSL, testdata.ExampleCLICode},
{"server-hosting-multiple-services", ctestdata.ServerHostingMultipleServicesDSL, testdata.ExampleCLICode},
{"streaming", testdata.StreamingResultDSL, testdata.StreamingExampleCLICode},
{"streaming-multiple-services", testdata.StreamingMultipleServicesDSL, testdata.StreamingMultipleServicesExampleCLICode},
}
for _, c := range cases {
t.Run(c.Name, func(t *testing.T) {
// reset global variable
example.Servers = make(example.ServersData)
codegen.RunDSL(t, c.DSL)
fs := ExampleCLIFiles("", expr.Root)
if len(fs) == 0 {
t.Fatalf("got 0 files, expected 1")
}
if len(fs[0].SectionTemplates) == 0 {
t.Fatalf("got 0 sections, expected at least 1")
}
var buf bytes.Buffer
for _, s := range fs[0].SectionTemplates[1:] {
if err := s.Write(&buf); err != nil {
t.Fatal(err)
}
}
code := codegen.FormatTestCode(t, "package foo\n"+buf.String())
if code != c.Code {
t.Errorf("invalid code for %s: got\n%s\ngot vs. expected:\n%s", fs[0].Path, code, codegen.Diff(t, code, c.Code))
}
})
}
}
| raphael/goa | http/codegen/example_cli_test.go | GO | mit | 1,571 |
<!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">
<head>
<meta http-equiv="Content-Type" content="text/xhtml;charset=UTF-8"/>
<title>Boost.uBlas: boost::numeric::ublas::hermitian_adaptor< M, TRI >::const_iterator2 Class Reference</title>
<link href="tabs.css" rel="stylesheet" type="text/css"/>
<link href="search/search.css" rel="stylesheet" type="text/css"/>
<script type="text/javascript" src="search/search.js"></script>
<link href="navtree.css" rel="stylesheet" type="text/css"/>
<script type="text/javascript" src="jquery.js"></script>
<script type="text/javascript" src="navtree.js"></script>
<script type="text/javascript" src="resize.js"></script>
<script type="text/javascript">
$(document).ready(initResizable);
</script>
<link href="doxygen.css" rel="stylesheet" type="text/css"/>
</head>
<body onload='searchBox.OnSelectItem(0);'>
<!-- Generated by Doxygen 1.7.3 -->
<script type="text/javascript"><!--
var searchBox = new SearchBox("searchBox", "search",false,'Search');
--></script>
<script type="text/javascript">
function hasClass(ele,cls) {
return ele.className.match(new RegExp('(\\s|^)'+cls+'(\\s|$)'));
}
function addClass(ele,cls) {
if (!this.hasClass(ele,cls)) ele.className += " "+cls;
}
function removeClass(ele,cls) {
if (hasClass(ele,cls)) {
var reg = new RegExp('(\\s|^)'+cls+'(\\s|$)');
ele.className=ele.className.replace(reg,' ');
}
}
function toggleVisibility(linkObj) {
var base = linkObj.getAttribute('id');
var summary = document.getElementById(base + '-summary');
var content = document.getElementById(base + '-content');
var trigger = document.getElementById(base + '-trigger');
if ( hasClass(linkObj,'closed') ) {
summary.style.display = 'none';
content.style.display = 'block';
trigger.src = 'open.png';
removeClass(linkObj,'closed');
addClass(linkObj,'opened');
} else if ( hasClass(linkObj,'opened') ) {
summary.style.display = 'block';
content.style.display = 'none';
trigger.src = 'closed.png';
removeClass(linkObj,'opened');
addClass(linkObj,'closed');
}
return false;
}
</script>
<div id="top">
<div id="titlearea">
<table cellspacing="0" cellpadding="0">
<tbody>
<tr style="height: 56px;">
<td id="projectlogo"><img alt="Logo" src="logo boost ublas.png"></td>
<td style="padding-left: 0.5em;">
<div id="projectname">Boost.uBlas <span id="projectnumber">1.49</span></div>
<div id="projectbrief">Linear Algebra in C++: matrices, vectors and numeric algorithms</div>
</td>
</tr>
</tbody>
</table>
</div>
<div id="navrow1" class="tabs">
<ul class="tablist">
<li><a href="index.html"><span>Main Page</span></a></li>
<li><a href="modules.html"><span>Modules</span></a></li>
<li><a href="namespaces.html"><span>Namespaces</span></a></li>
<li class="current"><a href="annotated.html"><span>Classes</span></a></li>
<li><a href="files.html"><span>Files</span></a></li>
<li id="searchli">
<div id="MSearchBox" class="MSearchBoxInactive">
<span class="left">
<img id="MSearchSelect" src="search/mag_sel.png"
onmouseover="return searchBox.OnSearchSelectShow()"
onmouseout="return searchBox.OnSearchSelectHide()"
alt=""/>
<input type="text" id="MSearchField" value="Search" accesskey="S"
onfocus="searchBox.OnSearchFieldFocus(true)"
onblur="searchBox.OnSearchFieldFocus(false)"
onkeyup="searchBox.OnSearchFieldChange(event)"/>
</span><span class="right">
<a id="MSearchClose" href="javascript:searchBox.CloseResultsWindow()"><img id="MSearchCloseImg" border="0" src="search/close.png" alt=""/></a>
</span>
</div>
</li>
</ul>
</div>
<div id="navrow2" class="tabs2">
<ul class="tablist">
<li><a href="annotated.html"><span>Class List</span></a></li>
<li><a href="classes.html"><span>Class Index</span></a></li>
<li><a href="inherits.html"><span>Class Hierarchy</span></a></li>
<li><a href="functions.html"><span>Class Members</span></a></li>
</ul>
</div>
</div>
<div id="side-nav" class="ui-resizable side-nav-resizable">
<div id="nav-tree">
<div id="nav-tree-contents">
</div>
</div>
<div id="splitbar" style="-moz-user-select:none;"
class="ui-resizable-handle">
</div>
</div>
<script type="text/javascript">
initNavTree('a00147.html','');
</script>
<div id="doc-content">
<div class="header">
<div class="summary">
<a href="#pub-types">Public Types</a> |
<a href="#pub-methods">Public Member Functions</a> |
<a href="#pri-attribs">Private Attributes</a> |
<a href="#friends">Friends</a> </div>
<div class="headertitle">
<h1>boost::numeric::ublas::hermitian_adaptor< M, TRI >::const_iterator2 Class Reference</h1> </div>
</div>
<div class="contents">
<!-- doxytag: class="boost::numeric::ublas::hermitian_adaptor::const_iterator2" --><!-- doxytag: inherits="container_const_reference< hermitian_adaptor >,random_access_iterator_base< iterator_restrict_traits< const_subiterator2_type::iterator_category, dense_random_access_iterator_tag >::iterator_category, const_iterator2, value_type >" -->
<p><code>#include <<a class="el" href="a00614_source.html">hermitian.hpp</a>></code></p>
<div id="dynsection-0" onclick="return toggleVisibility(this)" class="dynheader closed" style="cursor:pointer;">
<img id="dynsection-0-trigger" src="closed.png"/> Inheritance diagram for boost::numeric::ublas::hermitian_adaptor< M, TRI >::const_iterator2:</div>
<div id="dynsection-0-summary" class="dynsummary" style="display:block;">
</div>
<div id="dynsection-0-content" class="dyncontent" style="display:none;">
<div class="center"><img src="a00948.png" border="0" usemap="#boost_1_1numeric_1_1ublas_1_1hermitian__adaptor_3_01_m_00_01_t_r_i_01_4_1_1const__iterator2_inherit__map" alt="Inheritance graph"/></div>
<map name="boost_1_1numeric_1_1ublas_1_1hermitian__adaptor_3_01_m_00_01_t_r_i_01_4_1_1const__iterator2_inherit__map" id="boost_1_1numeric_1_1ublas_1_1hermitian__adaptor_3_01_m_00_01_t_r_i_01_4_1_1const__iterator2_inherit__map">
<area shape="rect" id="node2" href="a00069.html" title="{boost::numeric::ublas::container_const_reference\< hermitian_adaptor \>\n|- c_\l|+ container_const_reference()\l+ container_const_reference()\l+ assign()\l+ operator()()\l+ same_closure()\l}" alt="" coords="5,477,440,632"/><area shape="rect" id="node4" href="a00359.html" title="{nonassignable\n||# nonassignable()\l# ~nonassignable()\l- operator=()\l}" alt="" coords="156,5,287,125"/><area shape="rect" id="node6" href="a00069.html" title="Base class of all proxy classes that contain a (redirectable) reference to an immutable object..." alt="" coords="197,203,539,357"/><area shape="rect" id="node9" href="a00365.html" title="{boost::numeric::ublas::random_access_iterator_base\< iterator_restrict_traits\< const_subiterator2_type::iterator_category, dense_random_access_iterator_tag \>::iterator_category, const_iterator2, value_type \>\n||+ operator!=()\l+ operator+()\l+ operator++()\l+ operator-()\l+ operator--()\l+ operator\<=()\l+ operator\>()\l+ operator\>=()\l}" alt="" coords="464,451,1691,658"/><area shape="rect" id="node11" href="a00593.html" title="{std::iterator\< iterator_restrict_traits\< const_subiterator2_type::iterator_category, dense_random_access_iterator_tag \>::iterator_category, value_type \>\n||}" alt="" coords="565,237,1459,323"/><area shape="rect" id="node13" href="a00365.html" title="Base class of all random access iterators." alt="" coords="1483,177,1896,383"/><area shape="rect" id="node15" href="a00593.html" title="{std::iterator\< IC, T \>\n||}" alt="" coords="1619,23,1760,108"/></map>
<center><span class="legend">[<a target="top" href="graph_legend.html">legend</a>]</span></center></div>
<div id="dynsection-1" onclick="return toggleVisibility(this)" class="dynheader closed" style="cursor:pointer;">
<img id="dynsection-1-trigger" src="closed.png"/> Collaboration diagram for boost::numeric::ublas::hermitian_adaptor< M, TRI >::const_iterator2:</div>
<div id="dynsection-1-summary" class="dynsummary" style="display:block;">
</div>
<div id="dynsection-1-content" class="dyncontent" style="display:none;">
<div class="center"><img src="a00949.png" border="0" usemap="#boost_1_1numeric_1_1ublas_1_1hermitian__adaptor_3_01_m_00_01_t_r_i_01_4_1_1const__iterator2_coll__map" alt="Collaboration graph"/></div>
<map name="boost_1_1numeric_1_1ublas_1_1hermitian__adaptor_3_01_m_00_01_t_r_i_01_4_1_1const__iterator2_coll__map" id="boost_1_1numeric_1_1ublas_1_1hermitian__adaptor_3_01_m_00_01_t_r_i_01_4_1_1const__iterator2_coll__map">
<area shape="rect" id="node2" href="a00069.html" title="{boost::numeric::ublas::container_const_reference\< hermitian_adaptor \>\n|- c_\l|+ container_const_reference()\l+ container_const_reference()\l+ assign()\l+ operator()()\l+ same_closure()\l}" alt="" coords="5,477,440,632"/><area shape="rect" id="node4" href="a00359.html" title="{nonassignable\n||# nonassignable()\l# ~nonassignable()\l- operator=()\l}" alt="" coords="156,5,287,125"/><area shape="rect" id="node6" href="a00069.html" title="Base class of all proxy classes that contain a (redirectable) reference to an immutable object..." alt="" coords="197,203,539,357"/><area shape="rect" id="node9" href="a00365.html" title="{boost::numeric::ublas::random_access_iterator_base\< iterator_restrict_traits\< const_subiterator2_type::iterator_category, dense_random_access_iterator_tag \>::iterator_category, const_iterator2, value_type \>\n||+ operator!=()\l+ operator+()\l+ operator++()\l+ operator-()\l+ operator--()\l+ operator\<=()\l+ operator\>()\l+ operator\>=()\l}" alt="" coords="464,451,1691,658"/><area shape="rect" id="node11" href="a00593.html" title="{std::iterator\< iterator_restrict_traits\< const_subiterator2_type::iterator_category, dense_random_access_iterator_tag \>::iterator_category, value_type \>\n||}" alt="" coords="565,237,1459,323"/><area shape="rect" id="node13" href="a00365.html" title="Base class of all random access iterators." alt="" coords="1483,177,1896,383"/><area shape="rect" id="node15" href="a00593.html" title="{std::iterator\< IC, T \>\n||}" alt="" coords="1619,23,1760,108"/></map>
<center><span class="legend">[<a target="top" href="graph_legend.html">legend</a>]</span></center></div>
<p><a href="a00950.html">List of all members.</a></p>
<table class="memberdecls">
<tr><td colspan="2"><h2><a name="pub-types"></a>
Public Types</h2></td></tr>
<tr><td class="memItemLeft" align="right" valign="top">typedef <a class="el" href="a00145.html">hermitian_adaptor</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00069.html#a399148ca75e693559e4392e246f8285a">container_type</a></td></tr>
<tr><td class="memItemLeft" align="right" valign="top">typedef std::ptrdiff_t </td><td class="memItemRight" valign="bottom"><a class="el" href="a00365.html#a04f7a751d0da8c435dfbcd0bbdbd0f97">derived_difference_type</a></td></tr>
<tr><td class="memItemLeft" align="right" valign="top">typedef <a class="el" href="a00147.html">const_iterator2</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a></td></tr>
<tr><td class="memItemLeft" align="right" valign="top">typedef <a class="el" href="a00147.html#a41147c203b774762bfd8586603930680">value_type</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00365.html#a1c864936b692a5e8c7ae855ff3a47b2a">derived_value_type</a></td></tr>
<tr><td class="memItemLeft" align="right" valign="top">typedef <br class="typebreak"/>
const_subiterator2_type::difference_type </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#af54ccb00ba9bdbfb743af6686f4eb849">difference_type</a></td></tr>
<tr><td class="memItemLeft" align="right" valign="top">typedef <a class="el" href="a00146.html">const_iterator1</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#acae7c059ef73f659741fe4211d22cca4">dual_iterator_type</a></td></tr>
<tr><td class="memItemLeft" align="right" valign="top">typedef <a class="el" href="a00367.html">const_reverse_iterator1</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#a4344469795054674cec678ae9058dcaf">dual_reverse_iterator_type</a></td></tr>
<tr><td class="memItemLeft" align="right" valign="top">typedef <br class="typebreak"/>
const_subiterator2_type::pointer </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#a995fefd9be1e56854613bf59b233e3ad">pointer</a></td></tr>
<tr><td class="memItemLeft" align="right" valign="top">typedef <br class="typebreak"/>
const_subiterator2_type::value_type </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#ac561d0830f1e28bf23cc6f9339eb64ad">reference</a></td></tr>
<tr><td class="memItemLeft" align="right" valign="top">typedef <br class="typebreak"/>
const_subiterator2_type::value_type </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#a41147c203b774762bfd8586603930680">value_type</a></td></tr>
<tr><td colspan="2"><h2><a name="pub-methods"></a>
Public Member Functions</h2></td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#a133b2c3bb356907d43fe94eaa5cc55c5">const_iterator2</a> ()</td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#a5c30ca48dfa2429a0ca0b1db93229eac">const_iterator2</a> (const <a class="el" href="a00145.html">self_type</a> &m, int begin, int end, const <a class="el" href="a00145.html#ae32c96561b3c927bef1378ca9a429b7d">const_subiterator1_type</a> &it1_begin, const <a class="el" href="a00145.html#ae32c96561b3c927bef1378ca9a429b7d">const_subiterator1_type</a> &it1_end, const <a class="el" href="a00145.html#a51ee0a44350af41401b0ff4cc3973802">const_subiterator2_type</a> &it2_begin, const <a class="el" href="a00145.html#a51ee0a44350af41401b0ff4cc3973802">const_subiterator2_type</a> &it2_end)</td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#ae80c199e2882e58ef19d6ce86f4c288f">const_iterator2</a> (const <a class="el" href="a00149.html">iterator2</a> &it)</td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE <br class="typebreak"/>
<a class="el" href="a00069.html">container_const_reference</a> & </td><td class="memItemRight" valign="bottom"><a class="el" href="a00069.html#ab14250fc4fe5b9bcab4eb9fba8a5b5f8">assign</a> (const <a class="el" href="a00145.html">container_type</a> *c)</td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE <a class="el" href="a00146.html">const_iterator1</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#a6543a6b98c0bb19eb66b166d68b01a89">begin</a> () const </td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE <a class="el" href="a00146.html">const_iterator1</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#aea696250f85198bc546a55c896722097">end</a> () const </td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE <a class="el" href="a00145.html#a139f126355e5933b2c696cddb6aa18f9">size_type</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#a3e78446614d7f6edc040245e042822c2">index1</a> () const </td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE <a class="el" href="a00145.html#a139f126355e5933b2c696cddb6aa18f9">size_type</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#a173aa4c22a36c1a82afc51c0b5a9c94b">index2</a> () const </td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE bool </td><td class="memItemRight" valign="bottom"><a class="el" href="a00365.html#a8fa2000671eb9b2051ff80f552adbf9f">operator!=</a> (const <a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> &it) const</td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE const <br class="typebreak"/>
<a class="el" href="a00145.html">container_type</a> & </td><td class="memItemRight" valign="bottom"><a class="el" href="a00069.html#a1ba02c5e916027c57e6679ff81e2f592">operator()</a> () const</td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE <a class="el" href="a00145.html#a77227aeb1a2b3663cc1db3b45fcdbae5">const_reference</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#ab3c020946b435f2269cc35ae591e7203">operator*</a> () const </td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE <br class="typebreak"/>
<a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00365.html#a922809c8b4c5185040dc98ba52a90d3e">operator+</a> (<a class="el" href="a00365.html#a04f7a751d0da8c435dfbcd0bbdbd0f97">derived_difference_type</a> n) const</td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE <br class="typebreak"/>
<a class="el" href="a00147.html">const_iterator2</a> & </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#a2f67eb6b0cb00f73918dfde7bf5b719a">operator++</a> ()</td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE <br class="typebreak"/>
<a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00365.html#a18d4913e691597eebd340dfc8bfbe5fe">operator++</a> (int)</td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE <br class="typebreak"/>
<a class="el" href="a00147.html">const_iterator2</a> & </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#a5441acc040495250ffefa390c10f439f">operator+=</a> (<a class="el" href="a00147.html#af54ccb00ba9bdbfb743af6686f4eb849">difference_type</a> n)</td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE <a class="el" href="a00147.html#af54ccb00ba9bdbfb743af6686f4eb849">difference_type</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#aad31aad33befd066761fbfb2f8a10c17">operator-</a> (const <a class="el" href="a00147.html">const_iterator2</a> &it) const </td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE <br class="typebreak"/>
<a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00365.html#ae06cbd110a0b6739e30b3df0d02bc1c0">operator-</a> (<a class="el" href="a00365.html#a04f7a751d0da8c435dfbcd0bbdbd0f97">derived_difference_type</a> n) const</td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE <br class="typebreak"/>
<a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00365.html#a2bfbf11ba3fe6ea38c8b4f3c8e68dd24">operator--</a> (int)</td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE <br class="typebreak"/>
<a class="el" href="a00147.html">const_iterator2</a> & </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#aa7d5b7d661e94292ec96449a93919308">operator--</a> ()</td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE <br class="typebreak"/>
<a class="el" href="a00147.html">const_iterator2</a> & </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#a9307f2ed143f29073b0c17a71d3e7ebb">operator-=</a> (<a class="el" href="a00147.html#af54ccb00ba9bdbfb743af6686f4eb849">difference_type</a> n)</td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE bool </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#afded94020e2225ba60b61718b36530b7">operator<</a> (const <a class="el" href="a00147.html">const_iterator2</a> &it) const </td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE bool </td><td class="memItemRight" valign="bottom"><a class="el" href="a00365.html#a978ee0aa8f463d9ae8b12101940cf077">operator<=</a> (const <a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> &it) const</td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE <br class="typebreak"/>
<a class="el" href="a00147.html">const_iterator2</a> & </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#a0ab66f54ba1cb193a86ee774f5ea9443">operator=</a> (const <a class="el" href="a00147.html">const_iterator2</a> &it)</td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE bool </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#a1d0bf007a0438df6543f35f967fc746b">operator==</a> (const <a class="el" href="a00147.html">const_iterator2</a> &it) const </td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE bool </td><td class="memItemRight" valign="bottom"><a class="el" href="a00365.html#af58bfbd26a0226f77c82179679a831cf">operator></a> (const <a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> &it) const</td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE bool </td><td class="memItemRight" valign="bottom"><a class="el" href="a00365.html#a6356c027d871d073be4e676a406e889a">operator>=</a> (const <a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> &it) const</td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE <a class="el" href="a00145.html#a77227aeb1a2b3663cc1db3b45fcdbae5">const_reference</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#a28e7a5063a492653256eff4abbe55b41">operator[]</a> (<a class="el" href="a00147.html#af54ccb00ba9bdbfb743af6686f4eb849">difference_type</a> n) const </td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE <br class="typebreak"/>
<a class="el" href="a00367.html">const_reverse_iterator1</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#a45d6db408cacf42b3dc4adeac39be0f6">rbegin</a> () const </td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE <br class="typebreak"/>
<a class="el" href="a00367.html">const_reverse_iterator1</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#ad504786aeff088d2945f950074dd5463">rend</a> () const </td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE bool </td><td class="memItemRight" valign="bottom"><a class="el" href="a00069.html#a939d3a4b01822247f4a6963d9deb0ca2">same_closure</a> (const <a class="el" href="a00069.html">container_const_reference</a> &cr) const</td></tr>
<tr><td colspan="2"><h2><a name="pri-attribs"></a>
Private Attributes</h2></td></tr>
<tr><td class="memItemLeft" align="right" valign="top">int </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#a0871c1687cfe2ee41bab95d1648d2146">begin_</a></td></tr>
<tr><td class="memItemLeft" align="right" valign="top">int </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#addb0435823a52d4c33172a3b32b40768">current_</a></td></tr>
<tr><td class="memItemLeft" align="right" valign="top">int </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#a3e30f30a13a7a5195c46f5b2ad7da1d6">end_</a></td></tr>
<tr><td class="memItemLeft" align="right" valign="top"><a class="el" href="a00145.html#ae32c96561b3c927bef1378ca9a429b7d">const_subiterator1_type</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#a0fc2222e5c96c81ebf117dbce40b3532">it1_</a></td></tr>
<tr><td class="memItemLeft" align="right" valign="top"><a class="el" href="a00145.html#ae32c96561b3c927bef1378ca9a429b7d">const_subiterator1_type</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#acaab268ada603452e3d4597a06c324be">it1_begin_</a></td></tr>
<tr><td class="memItemLeft" align="right" valign="top"><a class="el" href="a00145.html#ae32c96561b3c927bef1378ca9a429b7d">const_subiterator1_type</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#a883909d2f5e36feb2ab169222241d20b">it1_end_</a></td></tr>
<tr><td class="memItemLeft" align="right" valign="top"><a class="el" href="a00145.html#a51ee0a44350af41401b0ff4cc3973802">const_subiterator2_type</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#a569740d3a7c084898738e01e0ea5e6d5">it2_</a></td></tr>
<tr><td class="memItemLeft" align="right" valign="top"><a class="el" href="a00145.html#a51ee0a44350af41401b0ff4cc3973802">const_subiterator2_type</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#a0f44274bacf229b4cd1d7943b4031ebd">it2_begin_</a></td></tr>
<tr><td class="memItemLeft" align="right" valign="top"><a class="el" href="a00145.html#a51ee0a44350af41401b0ff4cc3973802">const_subiterator2_type</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00147.html#ab4c0090b0f1a9dad72de080487723d5d">it2_end_</a></td></tr>
<tr><td colspan="2"><h2><a name="friends"></a>
Friends</h2></td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE friend <br class="typebreak"/>
<a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00365.html#abb4cfc5387c01f67b9e5bbd080f37442">operator+</a> (const <a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> &d, <a class="el" href="a00365.html#a04f7a751d0da8c435dfbcd0bbdbd0f97">derived_difference_type</a> n)</td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE friend <br class="typebreak"/>
<a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00365.html#a3826889dd869a60a6986c42bb478300e">operator+</a> (<a class="el" href="a00365.html#a04f7a751d0da8c435dfbcd0bbdbd0f97">derived_difference_type</a> n, const <a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> &d)</td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE friend <br class="typebreak"/>
<a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00365.html#a1c0d3ea5f2d7d3b493f4eae9d081d0f1">operator++</a> (<a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> &d, int)</td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE friend <br class="typebreak"/>
<a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00365.html#a0ab20b3654dc9412e56bf27849f05c3b">operator-</a> (const <a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> &d, <a class="el" href="a00365.html#a04f7a751d0da8c435dfbcd0bbdbd0f97">derived_difference_type</a> n)</td></tr>
<tr><td class="memItemLeft" align="right" valign="top">BOOST_UBLAS_INLINE friend <br class="typebreak"/>
<a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="a00365.html#a19302b59c0ccd2f7c3b208d4ce400259">operator--</a> (<a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> &d, int)</td></tr>
</table>
<hr/><a name="_details"></a><h2>Detailed Description</h2>
<div class="textblock"><h3>template<class M, class TRI><br/>
class boost::numeric::ublas::hermitian_adaptor< M, TRI >::const_iterator2</h3>
<p>Definition at line <a class="el" href="a00614_source.html#l01941">1941</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div><hr/><h2>Member Typedef Documentation</h2>
<a class="anchor" id="a41147c203b774762bfd8586603930680"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::value_type" ref="a41147c203b774762bfd8586603930680" args="" -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">typedef const_subiterator2_type::value_type <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::<a class="el" href="a00147.html#a41147c203b774762bfd8586603930680">const_iterator2::value_type</a></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l01947">1947</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="af54ccb00ba9bdbfb743af6686f4eb849"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::difference_type" ref="af54ccb00ba9bdbfb743af6686f4eb849" args="" -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">typedef const_subiterator2_type::difference_type <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::<a class="el" href="a00147.html#af54ccb00ba9bdbfb743af6686f4eb849">const_iterator2::difference_type</a></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l01948">1948</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="ac561d0830f1e28bf23cc6f9339eb64ad"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::reference" ref="ac561d0830f1e28bf23cc6f9339eb64ad" args="" -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">typedef const_subiterator2_type::value_type <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::<a class="el" href="a00147.html#ac561d0830f1e28bf23cc6f9339eb64ad">const_iterator2::reference</a></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l01951">1951</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a995fefd9be1e56854613bf59b233e3ad"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::pointer" ref="a995fefd9be1e56854613bf59b233e3ad" args="" -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">typedef const_subiterator2_type::pointer <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::<a class="el" href="a00147.html#a995fefd9be1e56854613bf59b233e3ad">const_iterator2::pointer</a></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l01952">1952</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="acae7c059ef73f659741fe4211d22cca4"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::dual_iterator_type" ref="acae7c059ef73f659741fe4211d22cca4" args="" -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">typedef <a class="el" href="a00146.html">const_iterator1</a> <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::<a class="el" href="a00146.html">const_iterator2::dual_iterator_type</a></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l01954">1954</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a4344469795054674cec678ae9058dcaf"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::dual_reverse_iterator_type" ref="a4344469795054674cec678ae9058dcaf" args="" -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">typedef <a class="el" href="a00367.html">const_reverse_iterator1</a> <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::<a class="el" href="a00367.html">const_iterator2::dual_reverse_iterator_type</a></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l01955">1955</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a399148ca75e693559e4392e246f8285a"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::container_type" ref="a399148ca75e693559e4392e246f8285a" args="" -->
<div class="memitem">
<div class="memproto">
<table class="memname">
<tr>
<td class="memname">typedef <a class="el" href="a00145.html">hermitian_adaptor</a> <a class="el" href="a00069.html">boost::numeric::ublas::container_const_reference</a>< <a class="el" href="a00145.html">hermitian_adaptor</a> >::<a class="el" href="a00145.html">container_type</a><code> [inherited]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00616_source.html#l00031">31</a> of file <a class="el" href="a00616_source.html">iterator.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="ab67db8b64253554465be5b53fcec475f"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::derived_iterator_type" ref="ab67db8b64253554465be5b53fcec475f" args="" -->
<div class="memitem">
<div class="memproto">
<table class="memname">
<tr>
<td class="memname">typedef <a class="el" href="a00147.html">const_iterator2</a> <a class="el" href="a00365.html">boost::numeric::ublas::random_access_iterator_base</a>< <a class="el" href="a00192.html">iterator_restrict_traits</a>< const_subiterator2_type::iterator_category, <a class="el" href="a00082.html">dense_random_access_iterator_tag</a> >::iterator_category , <a class="el" href="a00147.html">const_iterator2</a> , <a class="el" href="a00147.html#a41147c203b774762bfd8586603930680">value_type</a> , std::ptrdiff_t >::<a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a><code> [inherited]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00616_source.html#l00205">205</a> of file <a class="el" href="a00616_source.html">iterator.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a1c864936b692a5e8c7ae855ff3a47b2a"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::derived_value_type" ref="a1c864936b692a5e8c7ae855ff3a47b2a" args="" -->
<div class="memitem">
<div class="memproto">
<table class="memname">
<tr>
<td class="memname">typedef <a class="el" href="a00147.html#a41147c203b774762bfd8586603930680">value_type</a> <a class="el" href="a00365.html">boost::numeric::ublas::random_access_iterator_base</a>< <a class="el" href="a00192.html">iterator_restrict_traits</a>< const_subiterator2_type::iterator_category, <a class="el" href="a00082.html">dense_random_access_iterator_tag</a> >::iterator_category , <a class="el" href="a00147.html">const_iterator2</a> , <a class="el" href="a00147.html#a41147c203b774762bfd8586603930680">value_type</a> , std::ptrdiff_t >::<a class="el" href="a00365.html#a1c864936b692a5e8c7ae855ff3a47b2a">derived_value_type</a><code> [inherited]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00616_source.html#l00206">206</a> of file <a class="el" href="a00616_source.html">iterator.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a04f7a751d0da8c435dfbcd0bbdbd0f97"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::derived_difference_type" ref="a04f7a751d0da8c435dfbcd0bbdbd0f97" args="" -->
<div class="memitem">
<div class="memproto">
<table class="memname">
<tr>
<td class="memname">typedef std::ptrdiff_t <a class="el" href="a00365.html">boost::numeric::ublas::random_access_iterator_base</a>< <a class="el" href="a00192.html">iterator_restrict_traits</a>< const_subiterator2_type::iterator_category, <a class="el" href="a00082.html">dense_random_access_iterator_tag</a> >::iterator_category , <a class="el" href="a00147.html">const_iterator2</a> , <a class="el" href="a00147.html#a41147c203b774762bfd8586603930680">value_type</a> , std::ptrdiff_t >::<a class="el" href="a00365.html#a04f7a751d0da8c435dfbcd0bbdbd0f97">derived_difference_type</a><code> [inherited]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00616_source.html#l00207">207</a> of file <a class="el" href="a00616_source.html">iterator.hpp</a>.</p>
</div>
</div>
<hr/><h2>Constructor & Destructor Documentation</h2>
<a class="anchor" id="a133b2c3bb356907d43fe94eaa5cc55c5"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::const_iterator2" ref="a133b2c3bb356907d43fe94eaa5cc55c5" args="()" -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::const_iterator2::const_iterator2 </td>
<td>(</td>
<td class="paramname"></td><td>)</td>
<td><code> [inline]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l01959">1959</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a5c30ca48dfa2429a0ca0b1db93229eac"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::const_iterator2" ref="a5c30ca48dfa2429a0ca0b1db93229eac" args="(const self_type &m, int begin, int end, const const_subiterator1_type &it1_begin, const const_subiterator1_type &it1_end, const const_subiterator2_type &it2_begin, const const_subiterator2_type &it2_end)" -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::const_iterator2::const_iterator2 </td>
<td>(</td>
<td class="paramtype">const <a class="el" href="a00145.html">self_type</a> & </td>
<td class="paramname"><em>m</em>, </td>
</tr>
<tr>
<td class="paramkey"></td>
<td></td>
<td class="paramtype">int </td>
<td class="paramname"><em>begin</em>, </td>
</tr>
<tr>
<td class="paramkey"></td>
<td></td>
<td class="paramtype">int </td>
<td class="paramname"><em>end</em>, </td>
</tr>
<tr>
<td class="paramkey"></td>
<td></td>
<td class="paramtype">const <a class="el" href="a00145.html#ae32c96561b3c927bef1378ca9a429b7d">const_subiterator1_type</a> & </td>
<td class="paramname"><em>it1_begin</em>, </td>
</tr>
<tr>
<td class="paramkey"></td>
<td></td>
<td class="paramtype">const <a class="el" href="a00145.html#ae32c96561b3c927bef1378ca9a429b7d">const_subiterator1_type</a> & </td>
<td class="paramname"><em>it1_end</em>, </td>
</tr>
<tr>
<td class="paramkey"></td>
<td></td>
<td class="paramtype">const <a class="el" href="a00145.html#a51ee0a44350af41401b0ff4cc3973802">const_subiterator2_type</a> & </td>
<td class="paramname"><em>it2_begin</em>, </td>
</tr>
<tr>
<td class="paramkey"></td>
<td></td>
<td class="paramtype">const <a class="el" href="a00145.html#a51ee0a44350af41401b0ff4cc3973802">const_subiterator2_type</a> & </td>
<td class="paramname"><em>it2_end</em> </td>
</tr>
<tr>
<td></td>
<td>)</td>
<td></td><td><code> [inline]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l01965">1965</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="ae80c199e2882e58ef19d6ce86f4c288f"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::const_iterator2" ref="ae80c199e2882e58ef19d6ce86f4c288f" args="(const iterator2 &it)" -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::const_iterator2::const_iterator2 </td>
<td>(</td>
<td class="paramtype">const <a class="el" href="a00149.html">iterator2</a> & </td>
<td class="paramname"><em>it</em></td><td>)</td>
<td><code> [inline]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l01986">1986</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<hr/><h2>Member Function Documentation</h2>
<a class="anchor" id="a2f67eb6b0cb00f73918dfde7bf5b719a"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::operator++" ref="a2f67eb6b0cb00f73918dfde7bf5b719a" args="()" -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE <a class="el" href="a00147.html">const_iterator2</a>& <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::const_iterator2::operator++ </td>
<td>(</td>
<td class="paramname"></td><td>)</td>
<td><code> [inline]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l01998">1998</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="aa7d5b7d661e94292ec96449a93919308"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::operator--" ref="aa7d5b7d661e94292ec96449a93919308" args="()" -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE <a class="el" href="a00147.html">const_iterator2</a>& <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::const_iterator2::operator-- </td>
<td>(</td>
<td class="paramname"></td><td>)</td>
<td><code> [inline]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l02018">2018</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a5441acc040495250ffefa390c10f439f"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::operator+=" ref="a5441acc040495250ffefa390c10f439f" args="(difference_type n)" -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE <a class="el" href="a00147.html">const_iterator2</a>& <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::const_iterator2::operator+= </td>
<td>(</td>
<td class="paramtype"><a class="el" href="a00147.html#af54ccb00ba9bdbfb743af6686f4eb849">difference_type</a> </td>
<td class="paramname"><em>n</em></td><td>)</td>
<td><code> [inline]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l02042">2042</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a9307f2ed143f29073b0c17a71d3e7ebb"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::operator-=" ref="a9307f2ed143f29073b0c17a71d3e7ebb" args="(difference_type n)" -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE <a class="el" href="a00147.html">const_iterator2</a>& <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::const_iterator2::operator-= </td>
<td>(</td>
<td class="paramtype"><a class="el" href="a00147.html#af54ccb00ba9bdbfb743af6686f4eb849">difference_type</a> </td>
<td class="paramname"><em>n</em></td><td>)</td>
<td><code> [inline]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l02071">2071</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="aad31aad33befd066761fbfb2f8a10c17"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::operator-" ref="aad31aad33befd066761fbfb2f8a10c17" args="(const const_iterator2 &it) const " -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE <a class="el" href="a00147.html#af54ccb00ba9bdbfb743af6686f4eb849">difference_type</a> <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::const_iterator2::operator- </td>
<td>(</td>
<td class="paramtype">const <a class="el" href="a00147.html">const_iterator2</a> & </td>
<td class="paramname"><em>it</em></td><td>)</td>
<td> const<code> [inline]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l02100">2100</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="ab3c020946b435f2269cc35ae591e7203"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::operator*" ref="ab3c020946b435f2269cc35ae591e7203" args="() const " -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE <a class="el" href="a00145.html#a77227aeb1a2b3663cc1db3b45fcdbae5">const_reference</a> <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::const_iterator2::operator* </td>
<td>(</td>
<td class="paramname"></td><td>)</td>
<td> const<code> [inline]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l02127">2127</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a28e7a5063a492653256eff4abbe55b41"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::operator[]" ref="a28e7a5063a492653256eff4abbe55b41" args="(difference_type n) const " -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE <a class="el" href="a00145.html#a77227aeb1a2b3663cc1db3b45fcdbae5">const_reference</a> <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::const_iterator2::operator[] </td>
<td>(</td>
<td class="paramtype"><a class="el" href="a00147.html#af54ccb00ba9bdbfb743af6686f4eb849">difference_type</a> </td>
<td class="paramname"><em>n</em></td><td>)</td>
<td> const<code> [inline]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l02144">2144</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a6543a6b98c0bb19eb66b166d68b01a89"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::begin" ref="a6543a6b98c0bb19eb66b166d68b01a89" args="() const " -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE <a class="el" href="a00146.html">const_iterator1</a> <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::const_iterator2::begin </td>
<td>(</td>
<td class="paramname"></td><td>)</td>
<td> const<code> [inline]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l02153">2153</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="aea696250f85198bc546a55c896722097"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::end" ref="aea696250f85198bc546a55c896722097" args="() const " -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE <a class="el" href="a00146.html">const_iterator1</a> <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::const_iterator2::end </td>
<td>(</td>
<td class="paramname"></td><td>)</td>
<td> const<code> [inline]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l02160">2160</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a45d6db408cacf42b3dc4adeac39be0f6"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::rbegin" ref="a45d6db408cacf42b3dc4adeac39be0f6" args="() const " -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE <a class="el" href="a00367.html">const_reverse_iterator1</a> <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::const_iterator2::rbegin </td>
<td>(</td>
<td class="paramname"></td><td>)</td>
<td> const<code> [inline]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l02167">2167</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="ad504786aeff088d2945f950074dd5463"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::rend" ref="ad504786aeff088d2945f950074dd5463" args="() const " -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE <a class="el" href="a00367.html">const_reverse_iterator1</a> <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::const_iterator2::rend </td>
<td>(</td>
<td class="paramname"></td><td>)</td>
<td> const<code> [inline]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l02174">2174</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a3e78446614d7f6edc040245e042822c2"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::index1" ref="a3e78446614d7f6edc040245e042822c2" args="() const " -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE <a class="el" href="a00145.html#a139f126355e5933b2c696cddb6aa18f9">size_type</a> <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::const_iterator2::index1 </td>
<td>(</td>
<td class="paramname"></td><td>)</td>
<td> const<code> [inline]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l02181">2181</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a173aa4c22a36c1a82afc51c0b5a9c94b"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::index2" ref="a173aa4c22a36c1a82afc51c0b5a9c94b" args="() const " -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE <a class="el" href="a00145.html#a139f126355e5933b2c696cddb6aa18f9">size_type</a> <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::const_iterator2::index2 </td>
<td>(</td>
<td class="paramname"></td><td>)</td>
<td> const<code> [inline]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l02192">2192</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a0ab66f54ba1cb193a86ee774f5ea9443"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::operator=" ref="a0ab66f54ba1cb193a86ee774f5ea9443" args="(const const_iterator2 &it)" -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE <a class="el" href="a00147.html">const_iterator2</a>& <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::const_iterator2::operator= </td>
<td>(</td>
<td class="paramtype">const <a class="el" href="a00147.html">const_iterator2</a> & </td>
<td class="paramname"><em>it</em></td><td>)</td>
<td><code> [inline]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l02205">2205</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a1d0bf007a0438df6543f35f967fc746b"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::operator==" ref="a1d0bf007a0438df6543f35f967fc746b" args="(const const_iterator2 &it) const " -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE bool <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::const_iterator2::operator== </td>
<td>(</td>
<td class="paramtype">const <a class="el" href="a00147.html">const_iterator2</a> & </td>
<td class="paramname"><em>it</em></td><td>)</td>
<td> const<code> [inline]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l02221">2221</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="afded94020e2225ba60b61718b36530b7"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::operator<" ref="afded94020e2225ba60b61718b36530b7" args="(const const_iterator2 &it) const " -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE bool <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::const_iterator2::operator< </td>
<td>(</td>
<td class="paramtype">const <a class="el" href="a00147.html">const_iterator2</a> & </td>
<td class="paramname"><em>it</em></td><td>)</td>
<td> const<code> [inline]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l02230">2230</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a1ba02c5e916027c57e6679ff81e2f592"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::operator()" ref="a1ba02c5e916027c57e6679ff81e2f592" args="() const" -->
<div class="memitem">
<div class="memproto">
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE const <a class="el" href="a00145.html">container_type</a>& <a class="el" href="a00069.html">boost::numeric::ublas::container_const_reference</a>< <a class="el" href="a00145.html">hermitian_adaptor</a> >::operator() </td>
<td>(</td>
<td class="paramname"></td><td>)</td>
<td> const<code> [inline, inherited]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00616_source.html#l00041">41</a> of file <a class="el" href="a00616_source.html">iterator.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="ab14250fc4fe5b9bcab4eb9fba8a5b5f8"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::assign" ref="ab14250fc4fe5b9bcab4eb9fba8a5b5f8" args="(const container_type *c)" -->
<div class="memitem">
<div class="memproto">
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE <a class="el" href="a00069.html">container_const_reference</a>& <a class="el" href="a00069.html">boost::numeric::ublas::container_const_reference</a>< <a class="el" href="a00145.html">hermitian_adaptor</a> >::assign </td>
<td>(</td>
<td class="paramtype">const container_type * </td>
<td class="paramname"><em>c</em></td><td>)</td>
<td><code> [inline, inherited]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00616_source.html#l00046">46</a> of file <a class="el" href="a00616_source.html">iterator.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a939d3a4b01822247f4a6963d9deb0ca2"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::same_closure" ref="a939d3a4b01822247f4a6963d9deb0ca2" args="(const container_const_reference &cr) const" -->
<div class="memitem">
<div class="memproto">
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE bool <a class="el" href="a00069.html">boost::numeric::ublas::container_const_reference</a>< <a class="el" href="a00145.html">hermitian_adaptor</a> >::same_closure </td>
<td>(</td>
<td class="paramtype">const <a class="el" href="a00069.html">container_const_reference</a>< <a class="el" href="a00145.html">hermitian_adaptor</a> > & </td>
<td class="paramname"><em>cr</em></td><td>)</td>
<td> const<code> [inline, inherited]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00616_source.html#l00053">53</a> of file <a class="el" href="a00616_source.html">iterator.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a18d4913e691597eebd340dfc8bfbe5fe"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::operator++" ref="a18d4913e691597eebd340dfc8bfbe5fe" args="(int)" -->
<div class="memitem">
<div class="memproto">
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE <a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> <a class="el" href="a00365.html">boost::numeric::ublas::random_access_iterator_base</a>< <a class="el" href="a00192.html">iterator_restrict_traits</a>< const_subiterator2_type::iterator_category, <a class="el" href="a00082.html">dense_random_access_iterator_tag</a> >::iterator_category , <a class="el" href="a00147.html">const_iterator2</a> , <a class="el" href="a00147.html#a41147c203b774762bfd8586603930680">value_type</a> , std::ptrdiff_t >::operator++ </td>
<td>(</td>
<td class="paramtype">int </td>
<td class="paramname"></td><td>)</td>
<td><code> [inline, inherited]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00616_source.html#l00220">220</a> of file <a class="el" href="a00616_source.html">iterator.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a2bfbf11ba3fe6ea38c8b4f3c8e68dd24"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::operator--" ref="a2bfbf11ba3fe6ea38c8b4f3c8e68dd24" args="(int)" -->
<div class="memitem">
<div class="memproto">
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE <a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> <a class="el" href="a00365.html">boost::numeric::ublas::random_access_iterator_base</a>< <a class="el" href="a00192.html">iterator_restrict_traits</a>< const_subiterator2_type::iterator_category, <a class="el" href="a00082.html">dense_random_access_iterator_tag</a> >::iterator_category , <a class="el" href="a00147.html">const_iterator2</a> , <a class="el" href="a00147.html#a41147c203b774762bfd8586603930680">value_type</a> , std::ptrdiff_t >::operator-- </td>
<td>(</td>
<td class="paramtype">int </td>
<td class="paramname"></td><td>)</td>
<td><code> [inline, inherited]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00616_source.html#l00233">233</a> of file <a class="el" href="a00616_source.html">iterator.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a922809c8b4c5185040dc98ba52a90d3e"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::operator+" ref="a922809c8b4c5185040dc98ba52a90d3e" args="(derived_difference_type n) const" -->
<div class="memitem">
<div class="memproto">
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE <a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> <a class="el" href="a00365.html">boost::numeric::ublas::random_access_iterator_base</a>< <a class="el" href="a00192.html">iterator_restrict_traits</a>< const_subiterator2_type::iterator_category, <a class="el" href="a00082.html">dense_random_access_iterator_tag</a> >::iterator_category , <a class="el" href="a00147.html">const_iterator2</a> , <a class="el" href="a00147.html#a41147c203b774762bfd8586603930680">value_type</a> , std::ptrdiff_t >::operator+ </td>
<td>(</td>
<td class="paramtype"><a class="el" href="a00365.html#a04f7a751d0da8c435dfbcd0bbdbd0f97">derived_difference_type</a> </td>
<td class="paramname"><em>n</em></td><td>)</td>
<td> const<code> [inline, inherited]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00616_source.html#l00246">246</a> of file <a class="el" href="a00616_source.html">iterator.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="ae06cbd110a0b6739e30b3df0d02bc1c0"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::operator-" ref="ae06cbd110a0b6739e30b3df0d02bc1c0" args="(derived_difference_type n) const" -->
<div class="memitem">
<div class="memproto">
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE <a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> <a class="el" href="a00365.html">boost::numeric::ublas::random_access_iterator_base</a>< <a class="el" href="a00192.html">iterator_restrict_traits</a>< const_subiterator2_type::iterator_category, <a class="el" href="a00082.html">dense_random_access_iterator_tag</a> >::iterator_category , <a class="el" href="a00147.html">const_iterator2</a> , <a class="el" href="a00147.html#a41147c203b774762bfd8586603930680">value_type</a> , std::ptrdiff_t >::operator- </td>
<td>(</td>
<td class="paramtype"><a class="el" href="a00365.html#a04f7a751d0da8c435dfbcd0bbdbd0f97">derived_difference_type</a> </td>
<td class="paramname"><em>n</em></td><td>)</td>
<td> const<code> [inline, inherited]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00616_source.html#l00261">261</a> of file <a class="el" href="a00616_source.html">iterator.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a8fa2000671eb9b2051ff80f552adbf9f"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::operator!=" ref="a8fa2000671eb9b2051ff80f552adbf9f" args="(const derived_iterator_type &it) const" -->
<div class="memitem">
<div class="memproto">
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE bool <a class="el" href="a00365.html">boost::numeric::ublas::random_access_iterator_base</a>< <a class="el" href="a00192.html">iterator_restrict_traits</a>< const_subiterator2_type::iterator_category, <a class="el" href="a00082.html">dense_random_access_iterator_tag</a> >::iterator_category , <a class="el" href="a00147.html">const_iterator2</a> , <a class="el" href="a00147.html#a41147c203b774762bfd8586603930680">value_type</a> , std::ptrdiff_t >::operator!= </td>
<td>(</td>
<td class="paramtype">const <a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> & </td>
<td class="paramname"><em>it</em></td><td>)</td>
<td> const<code> [inline, inherited]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00616_source.html#l00273">273</a> of file <a class="el" href="a00616_source.html">iterator.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a978ee0aa8f463d9ae8b12101940cf077"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::operator<=" ref="a978ee0aa8f463d9ae8b12101940cf077" args="(const derived_iterator_type &it) const" -->
<div class="memitem">
<div class="memproto">
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE bool <a class="el" href="a00365.html">boost::numeric::ublas::random_access_iterator_base</a>< <a class="el" href="a00192.html">iterator_restrict_traits</a>< const_subiterator2_type::iterator_category, <a class="el" href="a00082.html">dense_random_access_iterator_tag</a> >::iterator_category , <a class="el" href="a00147.html">const_iterator2</a> , <a class="el" href="a00147.html#a41147c203b774762bfd8586603930680">value_type</a> , std::ptrdiff_t >::operator<= </td>
<td>(</td>
<td class="paramtype">const <a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> & </td>
<td class="paramname"><em>it</em></td><td>)</td>
<td> const<code> [inline, inherited]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00616_source.html#l00278">278</a> of file <a class="el" href="a00616_source.html">iterator.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a6356c027d871d073be4e676a406e889a"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::operator>=" ref="a6356c027d871d073be4e676a406e889a" args="(const derived_iterator_type &it) const" -->
<div class="memitem">
<div class="memproto">
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE bool <a class="el" href="a00365.html">boost::numeric::ublas::random_access_iterator_base</a>< <a class="el" href="a00192.html">iterator_restrict_traits</a>< const_subiterator2_type::iterator_category, <a class="el" href="a00082.html">dense_random_access_iterator_tag</a> >::iterator_category , <a class="el" href="a00147.html">const_iterator2</a> , <a class="el" href="a00147.html#a41147c203b774762bfd8586603930680">value_type</a> , std::ptrdiff_t >::operator>= </td>
<td>(</td>
<td class="paramtype">const <a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> & </td>
<td class="paramname"><em>it</em></td><td>)</td>
<td> const<code> [inline, inherited]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00616_source.html#l00283">283</a> of file <a class="el" href="a00616_source.html">iterator.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="af58bfbd26a0226f77c82179679a831cf"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::operator>" ref="af58bfbd26a0226f77c82179679a831cf" args="(const derived_iterator_type &it) const" -->
<div class="memitem">
<div class="memproto">
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE bool <a class="el" href="a00365.html">boost::numeric::ublas::random_access_iterator_base</a>< <a class="el" href="a00192.html">iterator_restrict_traits</a>< const_subiterator2_type::iterator_category, <a class="el" href="a00082.html">dense_random_access_iterator_tag</a> >::iterator_category , <a class="el" href="a00147.html">const_iterator2</a> , <a class="el" href="a00147.html#a41147c203b774762bfd8586603930680">value_type</a> , std::ptrdiff_t >::operator> </td>
<td>(</td>
<td class="paramtype">const <a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> & </td>
<td class="paramname"><em>it</em></td><td>)</td>
<td> const<code> [inline, inherited]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00616_source.html#l00288">288</a> of file <a class="el" href="a00616_source.html">iterator.hpp</a>.</p>
</div>
</div>
<hr/><h2>Friends And Related Function Documentation</h2>
<a class="anchor" id="a1c0d3ea5f2d7d3b493f4eae9d081d0f1"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::operator++" ref="a1c0d3ea5f2d7d3b493f4eae9d081d0f1" args="(derived_iterator_type &d, int)" -->
<div class="memitem">
<div class="memproto">
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE friend <a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> operator++ </td>
<td>(</td>
<td class="paramtype"><a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> & </td>
<td class="paramname"><em>d</em>, </td>
</tr>
<tr>
<td class="paramkey"></td>
<td></td>
<td class="paramtype">int </td>
<td class="paramname"> </td>
</tr>
<tr>
<td></td>
<td>)</td>
<td></td><td><code> [friend, inherited]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00616_source.html#l00227">227</a> of file <a class="el" href="a00616_source.html">iterator.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a19302b59c0ccd2f7c3b208d4ce400259"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::operator--" ref="a19302b59c0ccd2f7c3b208d4ce400259" args="(derived_iterator_type &d, int)" -->
<div class="memitem">
<div class="memproto">
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE friend <a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> operator-- </td>
<td>(</td>
<td class="paramtype"><a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> & </td>
<td class="paramname"><em>d</em>, </td>
</tr>
<tr>
<td class="paramkey"></td>
<td></td>
<td class="paramtype">int </td>
<td class="paramname"> </td>
</tr>
<tr>
<td></td>
<td>)</td>
<td></td><td><code> [friend, inherited]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00616_source.html#l00240">240</a> of file <a class="el" href="a00616_source.html">iterator.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="abb4cfc5387c01f67b9e5bbd080f37442"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::operator+" ref="abb4cfc5387c01f67b9e5bbd080f37442" args="(const derived_iterator_type &d, derived_difference_type n)" -->
<div class="memitem">
<div class="memproto">
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE friend <a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> operator+ </td>
<td>(</td>
<td class="paramtype">const <a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> & </td>
<td class="paramname"><em>d</em>, </td>
</tr>
<tr>
<td class="paramkey"></td>
<td></td>
<td class="paramtype"><a class="el" href="a00365.html#a04f7a751d0da8c435dfbcd0bbdbd0f97">derived_difference_type</a> </td>
<td class="paramname"><em>n</em> </td>
</tr>
<tr>
<td></td>
<td>)</td>
<td></td><td><code> [friend, inherited]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00616_source.html#l00251">251</a> of file <a class="el" href="a00616_source.html">iterator.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a3826889dd869a60a6986c42bb478300e"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::operator+" ref="a3826889dd869a60a6986c42bb478300e" args="(derived_difference_type n, const derived_iterator_type &d)" -->
<div class="memitem">
<div class="memproto">
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE friend <a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> operator+ </td>
<td>(</td>
<td class="paramtype"><a class="el" href="a00365.html#a04f7a751d0da8c435dfbcd0bbdbd0f97">derived_difference_type</a> </td>
<td class="paramname"><em>n</em>, </td>
</tr>
<tr>
<td class="paramkey"></td>
<td></td>
<td class="paramtype">const <a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> & </td>
<td class="paramname"><em>d</em> </td>
</tr>
<tr>
<td></td>
<td>)</td>
<td></td><td><code> [friend, inherited]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00616_source.html#l00256">256</a> of file <a class="el" href="a00616_source.html">iterator.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a0ab20b3654dc9412e56bf27849f05c3b"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::operator-" ref="a0ab20b3654dc9412e56bf27849f05c3b" args="(const derived_iterator_type &d, derived_difference_type n)" -->
<div class="memitem">
<div class="memproto">
<table class="memname">
<tr>
<td class="memname">BOOST_UBLAS_INLINE friend <a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> operator- </td>
<td>(</td>
<td class="paramtype">const <a class="el" href="a00365.html#ab67db8b64253554465be5b53fcec475f">derived_iterator_type</a> & </td>
<td class="paramname"><em>d</em>, </td>
</tr>
<tr>
<td class="paramkey"></td>
<td></td>
<td class="paramtype"><a class="el" href="a00365.html#a04f7a751d0da8c435dfbcd0bbdbd0f97">derived_difference_type</a> </td>
<td class="paramname"><em>n</em> </td>
</tr>
<tr>
<td></td>
<td>)</td>
<td></td><td><code> [friend, inherited]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00616_source.html#l00266">266</a> of file <a class="el" href="a00616_source.html">iterator.hpp</a>.</p>
</div>
</div>
<hr/><h2>Member Data Documentation</h2>
<a class="anchor" id="a0871c1687cfe2ee41bab95d1648d2146"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::begin_" ref="a0871c1687cfe2ee41bab95d1648d2146" args="" -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">int <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::<a class="el" href="a00147.html#a0871c1687cfe2ee41bab95d1648d2146">const_iterator2::begin_</a><code> [private]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l02236">2236</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a3e30f30a13a7a5195c46f5b2ad7da1d6"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::end_" ref="a3e30f30a13a7a5195c46f5b2ad7da1d6" args="" -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">int <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::<a class="el" href="a00147.html#a3e30f30a13a7a5195c46f5b2ad7da1d6">const_iterator2::end_</a><code> [private]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l02237">2237</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="addb0435823a52d4c33172a3b32b40768"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::current_" ref="addb0435823a52d4c33172a3b32b40768" args="" -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname">int <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::<a class="el" href="a00147.html#addb0435823a52d4c33172a3b32b40768">const_iterator2::current_</a><code> [private]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l02238">2238</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="acaab268ada603452e3d4597a06c324be"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::it1_begin_" ref="acaab268ada603452e3d4597a06c324be" args="" -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname"><a class="el" href="a00145.html#ae32c96561b3c927bef1378ca9a429b7d">const_subiterator1_type</a> <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::<a class="el" href="a00147.html#acaab268ada603452e3d4597a06c324be">const_iterator2::it1_begin_</a><code> [private]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l02239">2239</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a883909d2f5e36feb2ab169222241d20b"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::it1_end_" ref="a883909d2f5e36feb2ab169222241d20b" args="" -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname"><a class="el" href="a00145.html#ae32c96561b3c927bef1378ca9a429b7d">const_subiterator1_type</a> <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::<a class="el" href="a00147.html#a883909d2f5e36feb2ab169222241d20b">const_iterator2::it1_end_</a><code> [private]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l02240">2240</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a0fc2222e5c96c81ebf117dbce40b3532"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::it1_" ref="a0fc2222e5c96c81ebf117dbce40b3532" args="" -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname"><a class="el" href="a00145.html#ae32c96561b3c927bef1378ca9a429b7d">const_subiterator1_type</a> <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::<a class="el" href="a00147.html#a0fc2222e5c96c81ebf117dbce40b3532">const_iterator2::it1_</a><code> [private]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l02241">2241</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a0f44274bacf229b4cd1d7943b4031ebd"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::it2_begin_" ref="a0f44274bacf229b4cd1d7943b4031ebd" args="" -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname"><a class="el" href="a00145.html#a51ee0a44350af41401b0ff4cc3973802">const_subiterator2_type</a> <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::<a class="el" href="a00147.html#a0f44274bacf229b4cd1d7943b4031ebd">const_iterator2::it2_begin_</a><code> [private]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l02242">2242</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="ab4c0090b0f1a9dad72de080487723d5d"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::it2_end_" ref="ab4c0090b0f1a9dad72de080487723d5d" args="" -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname"><a class="el" href="a00145.html#a51ee0a44350af41401b0ff4cc3973802">const_subiterator2_type</a> <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::<a class="el" href="a00147.html#ab4c0090b0f1a9dad72de080487723d5d">const_iterator2::it2_end_</a><code> [private]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l02243">2243</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<a class="anchor" id="a569740d3a7c084898738e01e0ea5e6d5"></a><!-- doxytag: member="boost::numeric::ublas::hermitian_adaptor::const_iterator2::it2_" ref="a569740d3a7c084898738e01e0ea5e6d5" args="" -->
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<class M, class TRI> </div>
<table class="memname">
<tr>
<td class="memname"><a class="el" href="a00145.html#a51ee0a44350af41401b0ff4cc3973802">const_subiterator2_type</a> <a class="el" href="a00145.html">boost::numeric::ublas::hermitian_adaptor</a>< M, TRI >::<a class="el" href="a00147.html#a569740d3a7c084898738e01e0ea5e6d5">const_iterator2::it2_</a><code> [private]</code></td>
</tr>
</table>
</div>
<div class="memdoc">
<p>Definition at line <a class="el" href="a00614_source.html#l02244">2244</a> of file <a class="el" href="a00614_source.html">hermitian.hpp</a>.</p>
</div>
</div>
<hr/>The documentation for this class was generated from the following file:<ul>
<li><a class="el" href="a00614_source.html">hermitian.hpp</a></li>
</ul>
</div>
</div>
<div id="nav-path" class="navpath">
<ul>
<li class="navelem"><a class="el" href="a00648.html">boost</a> </li>
<li class="navelem"><a class="el" href="a00649.html">numeric</a> </li>
<li class="navelem"><a class="el" href="a00595.html">ublas</a> </li>
<li class="navelem"><a class="el" href="a00145.html">hermitian_adaptor</a> </li>
<li class="navelem"><a class="el" href="a00147.html">const_iterator2</a> </li>
<!--- window showing the filter options -->
<div id="MSearchSelectWindow"
onmouseover="return searchBox.OnSearchSelectShow()"
onmouseout="return searchBox.OnSearchSelectHide()"
onkeydown="return searchBox.OnSearchSelectKey(event)">
<a class="SelectItem" href="javascript:void(0)" onclick="searchBox.OnSelectItem(0)"><span class="SelectionMark"> </span>All</a><a class="SelectItem" href="javascript:void(0)" onclick="searchBox.OnSelectItem(1)"><span class="SelectionMark"> </span>Classes</a><a class="SelectItem" href="javascript:void(0)" onclick="searchBox.OnSelectItem(2)"><span class="SelectionMark"> </span>Namespaces</a><a class="SelectItem" href="javascript:void(0)" onclick="searchBox.OnSelectItem(3)"><span class="SelectionMark"> </span>Files</a><a class="SelectItem" href="javascript:void(0)" onclick="searchBox.OnSelectItem(4)"><span class="SelectionMark"> </span>Functions</a><a class="SelectItem" href="javascript:void(0)" onclick="searchBox.OnSelectItem(5)"><span class="SelectionMark"> </span>Variables</a><a class="SelectItem" href="javascript:void(0)" onclick="searchBox.OnSelectItem(6)"><span class="SelectionMark"> </span>Typedefs</a><a class="SelectItem" href="javascript:void(0)" onclick="searchBox.OnSelectItem(7)"><span class="SelectionMark"> </span>Friends</a><a class="SelectItem" href="javascript:void(0)" onclick="searchBox.OnSelectItem(8)"><span class="SelectionMark"> </span>Defines</a></div>
<!-- iframe showing the search results (closed by default) -->
<div id="MSearchResultsWindow">
<iframe src="" frameborder="0"
name="MSearchResults" id="MSearchResults">
</iframe>
</div>
<small>
<small>
<small>
<table width="100%">
<tr>
<td align="right">
Copyright © 2010-2011 David Bellot - Distributed under the <a href="http://www.boost.org/LICENSE_1_0.txt" target="_top">Boost Software License, Version 1.0.</a>
</td>
</tr>
</table>
</small>
</small>
</small>
| rkq/cxxexp | third-party/src/boost_1_56_0/libs/numeric/ublas/doc/doxyfiles/html/a00147.html | HTML | mit | 91,402 |
class Member < ActiveRecord::Base
rolify role_cname: 'Permission', role_table_name: :permission, role_join_table_name: :members_permissions
has_many :attendance_warnings
has_many :bans
has_many :eligibility_inquiries
has_many :session_invitations
has_many :invitations
has_many :auth_services
has_many :feedbacks, foreign_key: :coach_id
has_many :jobs, foreign_key: :created_by_id
has_many :subscriptions
has_many :groups, through: :subscriptions
has_many :member_notes
has_many :chapters, -> { uniq }, through: :groups
has_many :announcements, -> { uniq }, through: :groups
validates :auth_services, presence: true
validates :name, :surname, :email, :about_you, presence: true, if: :can_log_in?
validates_uniqueness_of :email
scope :subscribers, -> { joins(:subscriptions).order('created_at desc').uniq }
attr_accessor :attendance
def banned?
bans.active.present?
end
def full_name
[name, surname].join " "
end
def student?
groups.students.count > 0
end
def coach?
groups.coaches.count > 0
end
def organised_chapters
Chapter.with_role(:organiser, self)
end
def received_welcome_for?(subscription)
return received_student_welcome_email if subscription.student?
return received_coach_welcome_email if subscription.coach?
true
end
def send_eligibility_email(user)
MemberMailer.eligibility_check(self)
self.eligibility_inquiries.create(sent_by_id: user.id)
end
def send_attendance_email(user)
MemberMailer.attendance_warning(self)
self.attendance_warnings.create(sent_by_id: user.id)
end
def avatar size=100
"http://gravatar.com/avatar/#{md5_email}?s=#{size}"
end
def attended_sessions
session_invitations.attended.map(&:sessions)
end
def requires_additional_details?
can_log_in? && !valid?
end
def verified?
session_invitations.exists?(role: "Coach", attended: true)
end
def twitter_url
"http://twitter.com/#{twitter}"
end
def has_existing_RSVP_on date
invitations_on(date).count > 0
end
private
def invitations_on date
session_invitations.joins(:sessions).where('sessions.date_and_time BETWEEN ? AND ?', date.beginning_of_day, date.end_of_day).where(attending: true)
end
def md5_email
Digest::MD5.hexdigest(email.strip.downcase)
end
end
| webycel/planner | app/models/member.rb | Ruby | mit | 2,341 |
/*=================================================
* FileName: BuoyantMeshComponent.h
*
* Created by: quantumv
* Project name: OceanProject
* Unreal Engine version: 4.9
* Created on: 2015/09/21
*
* Last Edited on: 2015/11/18
* Last Edited by: quantumv
*
* -------------------------------------------------
* For parts referencing UE4 code, the following copyright applies:
* Copyright 1998-2015 Epic Games, Inc. All Rights Reserved.
*
* Feel free to use this software in any commercial/free game.
* Selling this as a plugin/item, in whole or part, is not allowed.
* See "OceanProject\License.md" for full licensing details.
* =================================================*/
#include "OceanPluginPrivatePCH.h"
#include "OceanManager.h"
#include "BuoyantMesh/WaterHeightmapComponent.h"
using FTrianglePlane = UWaterHeightmapComponent::FTrianglePlane;
using FIntVector2D = UWaterHeightmapComponent::FIntVector2D;
UWaterHeightmapComponent::UWaterHeightmapComponent()
{
PrimaryComponentTick.TickGroup = TG_PrePhysics;
PrimaryComponentTick.bCanEverTick = true;
UActorComponent::SetComponentTickEnabled(true);
}
// Called every frame
void UWaterHeightmapComponent::TickComponent(float DeltaTime,
ELevelTick TickType,
FActorComponentTickFunction* ThisTickFunction)
{
Super::TickComponent(DeltaTime, TickType, ThisTickFunction);
bGridSizeNeedsUpdate = true;
if (bDrawHeightmap)
{
DrawHeightmap();
}
}
void UWaterHeightmapComponent::EnsureComponentIsInitialized()
{
if (!bHasInitialized)
{
Initialize();
bHasInitialized = true;
}
}
void UWaterHeightmapComponent::EnsureUpToDateGridSize()
{
if (bGridSizeNeedsUpdate)
{
UpdateGridSize();
bGridSizeNeedsUpdate = false;
}
}
void UWaterHeightmapComponent::UpdateGridSize()
{
EnsureComponentIsInitialized();
const auto Owner = GetOwner();
check(Owner);
FVector BoxCenter;
FVector BoxExtent;
Owner->GetActorBounds(bOnlyCollidingComponents, /*out*/ BoxCenter, /*out*/ BoxExtent);
GridSizeInUU = FVector2D{BoxExtent} * 2.f * GridSizeMultiplier;
GridCenter = FVector2D{BoxCenter};
LowerLeftGridCorner = FVector2D{BoxCenter - BoxExtent};
GridSizeInCells = FIntVector2D(FMath::Max(1, FMath::RoundToInt(GridSizeInUU.X / DesiredCellSize)),
FMath::Max(1, FMath::RoundToInt(GridSizeInUU.Y / DesiredCellSize)));
CellSize = FVector2D{GridSizeInUU.X / GridSizeInCells.X, GridSizeInUU.Y / GridSizeInCells.Y};
ResetGridData();
}
void UWaterHeightmapComponent::ResetGridData()
{
const auto GridVertexCount = (GridSizeInCells.X + 1) * (GridSizeInCells.Y + 1);
VertexHeights.Empty(GridVertexCount);
VertexHeights.AddDefaulted(GridVertexCount);
const auto CellCount = GridSizeInCells.X * GridSizeInCells.Y;
LowerRightTrianglePlanes.Empty(CellCount);
LowerRightTrianglePlanes.AddDefaulted(CellCount);
UpperLeftTrianglePlanes.Empty(CellCount);
UpperLeftTrianglePlanes.AddDefaulted(CellCount);
}
void UWaterHeightmapComponent::DrawHeightmap()
{
EnsureUpToDateGridSize();
// Query the height from every triangle in the heightmap so it can be drawn.
const auto UpperRightGridCorner = LowerLeftGridCorner + GridSizeInUU;
const auto SampleSize = 0.13f; // Arbitrary value that makes sure every triangle is visited.
for (float X = LowerLeftGridCorner.X; X < UpperRightGridCorner.X; X += CellSize.X * SampleSize)
{
for (float Y = LowerLeftGridCorner.Y; Y < UpperRightGridCorner.Y; Y += CellSize.Y * SampleSize)
{
const auto Position = FVector{X, Y, 0.f};
// As a side effect, this will draw the triangle when bDrawHeightmap is true.
const auto Height = GetHeightAtPosition(Position);
DrawDebugPoint(GetWorld(), FVector{Position.X, Position.Y, Height}, 2.f, FColor::Green);
}
}
}
void UWaterHeightmapComponent::Initialize()
{
for (auto Actor : TActorRange<AOceanManager>(GetWorld()))
{
if (IsValid(Actor))
{
OceanManager = Actor;
}
}
if (!OceanManager)
{
UE_LOG(LogTemp, Error, TEXT("WaterPatchComponent requires an OceanManager in the level."));
}
}
FVector UWaterHeightmapComponent::GetSurfaceVertex(const FIntVector2D VertexCoordinates)
{
const auto Position = FVector(LowerLeftGridCorner.X + VertexCoordinates.X * CellSize.X,
LowerLeftGridCorner.Y + VertexCoordinates.Y * CellSize.Y,
0.f);
const auto VertexIndex = VertexCoordinates.X * (GridSizeInCells.Y + 1) + VertexCoordinates.Y;
if (const auto HeightMaybe = VertexHeights[VertexIndex])
{
// Point is cached, use it
return FVector{Position.X, Position.Y, HeightMaybe.GetValue()};
}
else
{
// Point isn't in cache, compute and store it
const auto Height = OceanManager->GetWaveHeight(Position);
VertexHeights[VertexIndex] = Height;
return FVector{Position.X, Position.Y, Height};
}
}
FTrianglePlane UWaterHeightmapComponent::GetLowerRightTrianglePlane(const FIntVector2D& CellCoordinates)
{
const auto Vertex1 = FIntVector2D{CellCoordinates.X + 1, CellCoordinates.Y + 0};
const auto Vertex2 = FIntVector2D{CellCoordinates.X + 0, CellCoordinates.Y + 0};
const auto Vertex3 = FIntVector2D{CellCoordinates.X + 1, CellCoordinates.Y + 1};
return GetTrianglePlane(LowerRightTrianglePlanes, CellCoordinates, Vertex1, Vertex2, Vertex3);
}
FTrianglePlane UWaterHeightmapComponent::GetUpperLeftTrianglePlane(const FIntVector2D& CellCoordinates)
{
const auto Vertex1 = FIntVector2D{CellCoordinates.X + 0, CellCoordinates.Y + 1};
const auto Vertex2 = FIntVector2D{CellCoordinates.X + 0, CellCoordinates.Y + 0};
const auto Vertex3 = FIntVector2D{CellCoordinates.X + 1, CellCoordinates.Y + 1};
return GetTrianglePlane(UpperLeftTrianglePlanes, CellCoordinates, Vertex1, Vertex2, Vertex3);
}
int32 UWaterHeightmapComponent::GetCellIndex(const FIntVector2D CellCoordinates) const
{
return CellCoordinates.X * GridSizeInCells.Y + CellCoordinates.Y;
}
FTrianglePlane UWaterHeightmapComponent::GetTrianglePlane(TArray<TOptional<FTrianglePlane>> TrianglePlanes,
const FIntVector2D& CellCoordinates,
const FIntVector2D& Vertex1GridCoordinates,
const FIntVector2D& Vertex2GridCoordinates,
const FIntVector2D& Vertex3GridCoordinates)
{
const auto CellIndex = GetCellIndex(CellCoordinates);
if (const auto& TrianglePlaneMaybe = TrianglePlanes[CellIndex])
{
// The triangle plane is already cached.
return TrianglePlaneMaybe.GetValue();
}
else
{
// Compute and cache the triangle plane.
const auto SurfaceVertex1 = GetSurfaceVertex(Vertex1GridCoordinates);
const auto SurfaceVertex2 = GetSurfaceVertex(Vertex2GridCoordinates);
const auto SurfaceVertex3 = GetSurfaceVertex(Vertex3GridCoordinates);
const auto TrianglePlane = FTrianglePlane::FromTriangle(SurfaceVertex1, SurfaceVertex2, SurfaceVertex3);
TrianglePlanes[CellIndex] = TrianglePlane;
if (bDrawUsedTriangles || bDrawHeightmap)
{
DrawDebugLine(GetWorld(), SurfaceVertex1, SurfaceVertex2, FColor::White);
DrawDebugLine(GetWorld(), SurfaceVertex2, SurfaceVertex3, FColor::White);
DrawDebugLine(GetWorld(), SurfaceVertex3, SurfaceVertex1, FColor::White);
}
return TrianglePlane;
}
}
FIntVector2D UWaterHeightmapComponent::GetCellCoordinates(const FVector& WorldPosition) const
{
const auto GridRow = FMath::FloorToInt((WorldPosition.X - LowerLeftGridCorner.X) / CellSize.X);
const auto GridColumn = FMath::FloorToInt((WorldPosition.Y - LowerLeftGridCorner.Y) / CellSize.Y);
return FIntVector2D{GridRow, GridColumn};
}
bool UWaterHeightmapComponent::IsCellInBounds(const FIntVector2D CellCoords) const
{
return (CellCoords.X >= 0) && (CellCoords.X < GridSizeInCells.X) && (CellCoords.Y >= 0) &&
(CellCoords.Y < GridSizeInCells.Y);
}
float UWaterHeightmapComponent::GetHeightAtPosition(const FVector& Position)
{
EnsureUpToDateGridSize();
const auto CellCoordinates = GetCellCoordinates(Position);
if (!IsCellInBounds(CellCoordinates))
{
return IsValid(OceanManager) ? OceanManager->GetWaveHeight(Position) : 0.f;
}
const auto Position2D = FVector2D{Position};
const auto CellCoordinatesFloat = FVector2D(CellCoordinates.X, CellCoordinates.Y);
// Coordinates of the wanted position relative to the heightmap grid.
FVector2D GridSpacePosition = Position2D - LowerLeftGridCorner;
// In-cell coordinates
FVector2D CellSpacePosition = GridSpacePosition - CellCoordinatesFloat * CellSize;
if (CellSpacePosition.X > CellSpacePosition.Y)
{
// Lower right triangle
const auto TrianglePlane = GetLowerRightTrianglePlane(CellCoordinates);
return TrianglePlane.GetHeightAtPosition(Position2D);
}
else
{
// Upper Left Triangle
const auto TrianglePlane = GetUpperLeftTrianglePlane(CellCoordinates);
return TrianglePlane.GetHeightAtPosition(Position2D);
}
}
float FTrianglePlane::GetHeightAtPosition(const FVector2D& Position) const
{
if (e4 != 0.f)
{
return (e1 * Position.Y + e2 * Position.X + e3) / e4;
}
else
{
return 0.f;
}
}
FTrianglePlane FTrianglePlane::FromTriangle(const FVector& A, const FVector& B, const FVector& C)
{
const auto e1 = ((B.X - A.X) * C.Z + (A.Z - B.Z) * C.X + A.X * B.Z - A.Z * B.X);
const auto e2 = ((A.Y - B.Y) * C.Z + (B.Z - A.Z) * C.Y - A.Y * B.Z + A.Z * B.Y);
const auto e3 = (A.X * B.Y - A.Y * B.X) * C.Z + (A.Z * B.X - A.X * B.Z) * C.Y + (A.Y * B.Z - A.Z * B.Y) * C.X;
const auto e4 = (B.X - A.X) * C.Y + (A.Y - B.Y) * C.X + A.X * B.Y - A.Y * B.X;
return FTrianglePlane(e1, e2, e3, e4);
};
| toams69/UnderTheSea | ui/divr/Plugins/OceanPlugin/Source/OceanPlugin/Private/BuoyantMesh/WaterHeightmapComponent.cpp | C++ | mit | 9,682 |
import isVoidElement from './utils/void-elements';
export function generateBuilder(){
reset(builder);
return builder;
}
function reset(builder){
var programNode = {
type: 'program',
childNodes: []
};
builder.currentNode = programNode;
builder.previousNodes = [];
builder._ast = programNode;
}
var builder = {
toAST: function(){
return this._ast;
},
generateText: function(content){
return {type: 'text', content: content};
},
text: function(content){
var node = this.generateText(content);
this.currentNode.childNodes.push(node);
return node;
},
generateInTagText: function(content){
return {type: 'inTagText', content: content};
},
inTagText: function(content){
var node = this.generateInTagText(content);
this.currentNode.inTagText.push(node);
return node;
},
generateElement: function(tagName){
return {
type: 'element',
tagName: tagName,
isVoid: isVoidElement(tagName),
inTagText: [],
attrStaches: [],
classNameBindings: [],
childNodes: []
};
},
element: function(tagName){
var node = this.generateElement(tagName);
this.currentNode.childNodes.push(node);
return node;
},
generateMustache: function(content, escaped){
return {
type: 'mustache',
escaped: escaped !== false,
content: content
};
},
generateAssignedMustache: function(content, key) {
return {
type: 'assignedMustache',
content: content,
key: key
};
},
mustache: function(content, escaped){
var node = this.generateMustache(content, escaped);
this.currentNode.childNodes.push(node);
return node;
},
generateBlock: function(content){
return {
type: 'block',
content: content,
childNodes: [],
invertibleNodes: []
};
},
block: function(content){
var node = this.generateBlock(content);
this.currentNode.childNodes.push(node);
return node;
},
attribute: function(attrName, attrContent){
var node = {
type: 'attribute',
name: attrName,
content: attrContent
};
this.currentNode.attrStaches.push(node);
return node;
},
generateClassNameBinding: function(classNameBinding){
return {
type: 'classNameBinding',
name: classNameBinding // could be "color", or could be "hasColor:red" or ":color"
};
},
classNameBinding: function(classNameBinding){
var node = this.generateClassNameBinding(classNameBinding);
this.currentNode.classNameBindings.push(node);
return node;
},
enter: function(node){
this.previousNodes.push(this.currentNode);
this.currentNode = node;
},
exit: function(){
var lastNode = this.currentNode;
this.currentNode = this.previousNodes.pop();
return lastNode;
},
add: function(label, node) {
if (Array.isArray(node)){
for (var i=0, l=node.length; i<l; i++) {
this.add(label, node[i]);
}
} else {
this.currentNode[label].push(node);
}
}
};
| machty/emblem.js | lib/ast-builder.js | JavaScript | mit | 3,057 |
//
// Copyright 2011 @ S1N1.COM,All right reseved.
// Name:TemplateCache.cs
// Author:newmin
// Create:2011/06/05
//
using System;
using System.Collections.Generic;
namespace JR.Stand.Core.Template.Impl
{
/// <summary>
/// 模板缓存
/// </summary>
static class TemplateCache
{
/// <summary>
/// 模板编号列表
/// </summary>
internal static IDictionary<string, Template> templateDictionary = new Dictionary<string, Template>();
/// <summary>
/// 标签词典
/// </summary>
public static readonly TagCollection Tags = new TagCollection();
/// <summary>
/// 标签
/// </summary>
public class TagCollection
{
private static IDictionary<string, string> tagDictionary = new Dictionary<string, string>();
public string this[string key]
{
get
{
if (!tagDictionary.ContainsKey(key)) return "${" + key + "}";
return tagDictionary[key];
}
set
{
if (tagDictionary.ContainsKey(key)) tagDictionary[key] = value;
else tagDictionary.Add(key, value);
}
}
public void Add(string key, string value)
{
if (tagDictionary.ContainsKey(key))
throw new ArgumentException("键:" + key + "已经存在!");
else tagDictionary.Add(key, value);
}
}
/// <summary>
/// 注册模板
/// </summary>
/// <param name="templateID"></param>
/// <param name="filePath"></param>
internal static void RegisterTemplate(string templateID, string filePath)
{
templateID = templateID.ToLower();
if (!templateDictionary.ContainsKey(templateID))
{
templateDictionary.Add(templateID, new Template
{
Id = templateID,
FilePath = filePath
});
}
}
/// <summary>
/// 是否存在模板
/// </summary>
/// <param name="templatePath"></param>
/// <returns></returns>
internal static bool Exists(String templatePath)
{
return templateDictionary.ContainsKey(templatePath);
}
/// <summary>
/// 获取模板的实际路径
/// </summary>
/// <param name="templatePath"></param>
/// <returns></returns>
internal static String GetTemplateFilePath(String templatePath)
{
if (Exists(templatePath))
{
Template t = templateDictionary[templatePath];
return t.FilePath;
}
return null;
}
/// <summary>
/// 如果模板字典包含改模板则获取缓存
/// </summary>
/// <param name="templateID"></param>
/// <returns></returns>
internal static string GetTemplateContent(string templateID)
{
if (templateDictionary.ContainsKey(templateID))
{
return templateDictionary[templateID].Content;
}
throw new ArgumentNullException("TemplateID", String.Format("模板{0}不存在。", templateID));
}
}
} | jsix/devfw | src/JR.Stand.Core/Template/Impl/TemplateCache.cs | C# | mit | 3,451 |
#!/bin/sh
set -e
mkdir -p "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}"
RESOURCES_TO_COPY=${PODS_ROOT}/resources-to-copy-${TARGETNAME}.txt
> "$RESOURCES_TO_COPY"
XCASSET_FILES=()
case "${TARGETED_DEVICE_FAMILY}" in
1,2)
TARGET_DEVICE_ARGS="--target-device ipad --target-device iphone"
;;
1)
TARGET_DEVICE_ARGS="--target-device iphone"
;;
2)
TARGET_DEVICE_ARGS="--target-device ipad"
;;
3)
TARGET_DEVICE_ARGS="--target-device tv"
;;
4)
TARGET_DEVICE_ARGS="--target-device watch"
;;
*)
TARGET_DEVICE_ARGS="--target-device mac"
;;
esac
install_resource()
{
if [[ "$1" = /* ]] ; then
RESOURCE_PATH="$1"
else
RESOURCE_PATH="${PODS_ROOT}/$1"
fi
if [[ ! -e "$RESOURCE_PATH" ]] ; then
cat << EOM
error: Resource "$RESOURCE_PATH" not found. Run 'pod install' to update the copy resources script.
EOM
exit 1
fi
case $RESOURCE_PATH in
*.storyboard)
echo "ibtool --reference-external-strings-file --errors --warnings --notices --minimum-deployment-target ${!DEPLOYMENT_TARGET_SETTING_NAME} --output-format human-readable-text --compile ${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/`basename \"$RESOURCE_PATH\" .storyboard`.storyboardc $RESOURCE_PATH --sdk ${SDKROOT} ${TARGET_DEVICE_ARGS}"
ibtool --reference-external-strings-file --errors --warnings --notices --minimum-deployment-target ${!DEPLOYMENT_TARGET_SETTING_NAME} --output-format human-readable-text --compile "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/`basename \"$RESOURCE_PATH\" .storyboard`.storyboardc" "$RESOURCE_PATH" --sdk "${SDKROOT}" ${TARGET_DEVICE_ARGS}
;;
*.xib)
echo "ibtool --reference-external-strings-file --errors --warnings --notices --minimum-deployment-target ${!DEPLOYMENT_TARGET_SETTING_NAME} --output-format human-readable-text --compile ${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/`basename \"$RESOURCE_PATH\" .xib`.nib $RESOURCE_PATH --sdk ${SDKROOT} ${TARGET_DEVICE_ARGS}"
ibtool --reference-external-strings-file --errors --warnings --notices --minimum-deployment-target ${!DEPLOYMENT_TARGET_SETTING_NAME} --output-format human-readable-text --compile "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/`basename \"$RESOURCE_PATH\" .xib`.nib" "$RESOURCE_PATH" --sdk "${SDKROOT}" ${TARGET_DEVICE_ARGS}
;;
*.framework)
echo "mkdir -p ${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}"
mkdir -p "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}"
echo "rsync -av $RESOURCE_PATH ${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}"
rsync -av "$RESOURCE_PATH" "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}"
;;
*.xcdatamodel)
echo "xcrun momc \"$RESOURCE_PATH\" \"${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/`basename "$RESOURCE_PATH"`.mom\""
xcrun momc "$RESOURCE_PATH" "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/`basename "$RESOURCE_PATH" .xcdatamodel`.mom"
;;
*.xcdatamodeld)
echo "xcrun momc \"$RESOURCE_PATH\" \"${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/`basename "$RESOURCE_PATH" .xcdatamodeld`.momd\""
xcrun momc "$RESOURCE_PATH" "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/`basename "$RESOURCE_PATH" .xcdatamodeld`.momd"
;;
*.xcmappingmodel)
echo "xcrun mapc \"$RESOURCE_PATH\" \"${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/`basename "$RESOURCE_PATH" .xcmappingmodel`.cdm\""
xcrun mapc "$RESOURCE_PATH" "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/`basename "$RESOURCE_PATH" .xcmappingmodel`.cdm"
;;
*.xcassets)
ABSOLUTE_XCASSET_FILE="$RESOURCE_PATH"
XCASSET_FILES+=("$ABSOLUTE_XCASSET_FILE")
;;
*)
echo "$RESOURCE_PATH"
echo "$RESOURCE_PATH" >> "$RESOURCES_TO_COPY"
;;
esac
}
if [[ "$CONFIGURATION" == "Debug" ]]; then
install_resource "$PODS_CONFIGURATION_BUILD_DIR/RMPZoomTransitionAnimator/RMPZoomTransitionAnimator.bundle"
fi
if [[ "$CONFIGURATION" == "Release" ]]; then
install_resource "$PODS_CONFIGURATION_BUILD_DIR/RMPZoomTransitionAnimator/RMPZoomTransitionAnimator.bundle"
fi
mkdir -p "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}"
rsync -avr --copy-links --no-relative --exclude '*/.svn/*' --files-from="$RESOURCES_TO_COPY" / "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}"
if [[ "${ACTION}" == "install" ]] && [[ "${SKIP_INSTALL}" == "NO" ]]; then
mkdir -p "${INSTALL_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}"
rsync -avr --copy-links --no-relative --exclude '*/.svn/*' --files-from="$RESOURCES_TO_COPY" / "${INSTALL_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}"
fi
rm -f "$RESOURCES_TO_COPY"
if [[ -n "${WRAPPER_EXTENSION}" ]] && [ "`xcrun --find actool`" ] && [ -n "$XCASSET_FILES" ]
then
# Find all other xcassets (this unfortunately includes those of path pods and other targets).
OTHER_XCASSETS=$(find "$PWD" -iname "*.xcassets" -type d)
while read line; do
if [[ $line != "${PODS_ROOT}*" ]]; then
XCASSET_FILES+=("$line")
fi
done <<<"$OTHER_XCASSETS"
printf "%s\0" "${XCASSET_FILES[@]}" | xargs -0 xcrun actool --output-format human-readable-text --notices --warnings --platform "${PLATFORM_NAME}" --minimum-deployment-target "${!DEPLOYMENT_TARGET_SETTING_NAME}" ${TARGET_DEVICE_ARGS} --compress-pngs --compile "${BUILT_PRODUCTS_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}"
fi
| recruit-mp/RMPZoomTransitionAnimator | Example/Pods/Target Support Files/Pods-Tests/Pods-Tests-resources.sh | Shell | mit | 5,440 |
@charset "UTF-8";/*!
* @alifd/next@1.23.0-beta.2 (https://fusion.design)
* Copyright 2018-present Alibaba Group,
* Licensed under MIT (https://github.com/alibaba-fusion/next/blob/master/LICENSE)
*/.next-sr-only{position:absolute;width:1px;height:1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);white-space:nowrap;border:0;top:0;margin:-1px}@-webkit-keyframes fadeIn{0%{opacity:0}100%{opacity:1}}@-moz-keyframes fadeIn{0%{opacity:0}100%{opacity:1}}@-ms-keyframes fadeIn{0%{opacity:0}100%{opacity:1}}@-o-keyframes fadeIn{0%{opacity:0}100%{opacity:1}}@keyframes fadeIn{0%{opacity:0}100%{opacity:1}}@-webkit-keyframes fadeInDown{0%{opacity:0;-webkit-transform:translateY(-8px);-moz-transform:translateY(-8px);-ms-transform:translateY(-8px);-o-transform:translateY(-8px);transform:translateY(-8px)}100%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}}@-moz-keyframes fadeInDown{0%{opacity:0;-webkit-transform:translateY(-8px);-moz-transform:translateY(-8px);-ms-transform:translateY(-8px);-o-transform:translateY(-8px);transform:translateY(-8px)}100%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}}@-ms-keyframes fadeInDown{0%{opacity:0;-webkit-transform:translateY(-8px);-moz-transform:translateY(-8px);-ms-transform:translateY(-8px);-o-transform:translateY(-8px);transform:translateY(-8px)}100%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}}@-o-keyframes fadeInDown{0%{opacity:0;-webkit-transform:translateY(-8px);-moz-transform:translateY(-8px);-ms-transform:translateY(-8px);-o-transform:translateY(-8px);transform:translateY(-8px)}100%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}}@keyframes fadeInDown{0%{opacity:0;-webkit-transform:translateY(-8px);-moz-transform:translateY(-8px);-ms-transform:translateY(-8px);-o-transform:translateY(-8px);transform:translateY(-8px)}100%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}}@-webkit-keyframes fadeInLeft{0%{opacity:0;-webkit-transform:translateX(-20px);-moz-transform:translateX(-20px);-ms-transform:translateX(-20px);-o-transform:translateX(-20px);transform:translateX(-20px)}100%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}}@-moz-keyframes fadeInLeft{0%{opacity:0;-webkit-transform:translateX(-20px);-moz-transform:translateX(-20px);-ms-transform:translateX(-20px);-o-transform:translateX(-20px);transform:translateX(-20px)}100%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}}@-ms-keyframes fadeInLeft{0%{opacity:0;-webkit-transform:translateX(-20px);-moz-transform:translateX(-20px);-ms-transform:translateX(-20px);-o-transform:translateX(-20px);transform:translateX(-20px)}100%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}}@-o-keyframes fadeInLeft{0%{opacity:0;-webkit-transform:translateX(-20px);-moz-transform:translateX(-20px);-ms-transform:translateX(-20px);-o-transform:translateX(-20px);transform:translateX(-20px)}100%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}}@keyframes fadeInLeft{0%{opacity:0;-webkit-transform:translateX(-20px);-moz-transform:translateX(-20px);-ms-transform:translateX(-20px);-o-transform:translateX(-20px);transform:translateX(-20px)}100%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}}@-webkit-keyframes fadeInRight{0%{opacity:0;-webkit-transform:translateX(20px);-moz-transform:translateX(20px);-ms-transform:translateX(20px);-o-transform:translateX(20px);transform:translateX(20px)}100%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}}@-moz-keyframes fadeInRight{0%{opacity:0;-webkit-transform:translateX(20px);-moz-transform:translateX(20px);-ms-transform:translateX(20px);-o-transform:translateX(20px);transform:translateX(20px)}100%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}}@-ms-keyframes fadeInRight{0%{opacity:0;-webkit-transform:translateX(20px);-moz-transform:translateX(20px);-ms-transform:translateX(20px);-o-transform:translateX(20px);transform:translateX(20px)}100%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}}@-o-keyframes fadeInRight{0%{opacity:0;-webkit-transform:translateX(20px);-moz-transform:translateX(20px);-ms-transform:translateX(20px);-o-transform:translateX(20px);transform:translateX(20px)}100%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}}@keyframes fadeInRight{0%{opacity:0;-webkit-transform:translateX(20px);-moz-transform:translateX(20px);-ms-transform:translateX(20px);-o-transform:translateX(20px);transform:translateX(20px)}100%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}}@-webkit-keyframes fadeInUp{0%{opacity:0;-webkit-transform:translateY(24px);-moz-transform:translateY(24px);-ms-transform:translateY(24px);-o-transform:translateY(24px);transform:translateY(24px)}100%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}}@-moz-keyframes fadeInUp{0%{opacity:0;-webkit-transform:translateY(24px);-moz-transform:translateY(24px);-ms-transform:translateY(24px);-o-transform:translateY(24px);transform:translateY(24px)}100%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}}@-ms-keyframes fadeInUp{0%{opacity:0;-webkit-transform:translateY(24px);-moz-transform:translateY(24px);-ms-transform:translateY(24px);-o-transform:translateY(24px);transform:translateY(24px)}100%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}}@-o-keyframes fadeInUp{0%{opacity:0;-webkit-transform:translateY(24px);-moz-transform:translateY(24px);-ms-transform:translateY(24px);-o-transform:translateY(24px);transform:translateY(24px)}100%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}}@keyframes fadeInUp{0%{opacity:0;-webkit-transform:translateY(24px);-moz-transform:translateY(24px);-ms-transform:translateY(24px);-o-transform:translateY(24px);transform:translateY(24px)}100%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}}@-webkit-keyframes fadeOut{0%{opacity:1}100%{opacity:0}}@-moz-keyframes fadeOut{0%{opacity:1}100%{opacity:0}}@-ms-keyframes fadeOut{0%{opacity:1}100%{opacity:0}}@-o-keyframes fadeOut{0%{opacity:1}100%{opacity:0}}@keyframes fadeOut{0%{opacity:1}100%{opacity:0}}@-webkit-keyframes fadeOutDown{0%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(20px);-moz-transform:translateY(20px);-ms-transform:translateY(20px);-o-transform:translateY(20px);transform:translateY(20px)}}@-moz-keyframes fadeOutDown{0%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(20px);-moz-transform:translateY(20px);-ms-transform:translateY(20px);-o-transform:translateY(20px);transform:translateY(20px)}}@-ms-keyframes fadeOutDown{0%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(20px);-moz-transform:translateY(20px);-ms-transform:translateY(20px);-o-transform:translateY(20px);transform:translateY(20px)}}@-o-keyframes fadeOutDown{0%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(20px);-moz-transform:translateY(20px);-ms-transform:translateY(20px);-o-transform:translateY(20px);transform:translateY(20px)}}@keyframes fadeOutDown{0%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(20px);-moz-transform:translateY(20px);-ms-transform:translateY(20px);-o-transform:translateY(20px);transform:translateY(20px)}}@-webkit-keyframes fadeOutLeft{0%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}100%{opacity:0;-webkit-transform:translateX(-20px);-moz-transform:translateX(-20px);-ms-transform:translateX(-20px);-o-transform:translateX(-20px);transform:translateX(-20px)}}@-moz-keyframes fadeOutLeft{0%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}100%{opacity:0;-webkit-transform:translateX(-20px);-moz-transform:translateX(-20px);-ms-transform:translateX(-20px);-o-transform:translateX(-20px);transform:translateX(-20px)}}@-ms-keyframes fadeOutLeft{0%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}100%{opacity:0;-webkit-transform:translateX(-20px);-moz-transform:translateX(-20px);-ms-transform:translateX(-20px);-o-transform:translateX(-20px);transform:translateX(-20px)}}@-o-keyframes fadeOutLeft{0%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}100%{opacity:0;-webkit-transform:translateX(-20px);-moz-transform:translateX(-20px);-ms-transform:translateX(-20px);-o-transform:translateX(-20px);transform:translateX(-20px)}}@keyframes fadeOutLeft{0%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}100%{opacity:0;-webkit-transform:translateX(-20px);-moz-transform:translateX(-20px);-ms-transform:translateX(-20px);-o-transform:translateX(-20px);transform:translateX(-20px)}}@-webkit-keyframes fadeOutRight{0%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}100%{opacity:0;-webkit-transform:translateX(20px);-moz-transform:translateX(20px);-ms-transform:translateX(20px);-o-transform:translateX(20px);transform:translateX(20px)}}@-moz-keyframes fadeOutRight{0%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}100%{opacity:0;-webkit-transform:translateX(20px);-moz-transform:translateX(20px);-ms-transform:translateX(20px);-o-transform:translateX(20px);transform:translateX(20px)}}@-ms-keyframes fadeOutRight{0%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}100%{opacity:0;-webkit-transform:translateX(20px);-moz-transform:translateX(20px);-ms-transform:translateX(20px);-o-transform:translateX(20px);transform:translateX(20px)}}@-o-keyframes fadeOutRight{0%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}100%{opacity:0;-webkit-transform:translateX(20px);-moz-transform:translateX(20px);-ms-transform:translateX(20px);-o-transform:translateX(20px);transform:translateX(20px)}}@keyframes fadeOutRight{0%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}100%{opacity:0;-webkit-transform:translateX(20px);-moz-transform:translateX(20px);-ms-transform:translateX(20px);-o-transform:translateX(20px);transform:translateX(20px)}}@-webkit-keyframes fadeOutUp{0%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(-24px);-moz-transform:translateY(-24px);-ms-transform:translateY(-24px);-o-transform:translateY(-24px);transform:translateY(-24px)}}@-moz-keyframes fadeOutUp{0%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(-24px);-moz-transform:translateY(-24px);-ms-transform:translateY(-24px);-o-transform:translateY(-24px);transform:translateY(-24px)}}@-ms-keyframes fadeOutUp{0%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(-24px);-moz-transform:translateY(-24px);-ms-transform:translateY(-24px);-o-transform:translateY(-24px);transform:translateY(-24px)}}@-o-keyframes fadeOutUp{0%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(-24px);-moz-transform:translateY(-24px);-ms-transform:translateY(-24px);-o-transform:translateY(-24px);transform:translateY(-24px)}}@keyframes fadeOutUp{0%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(-24px);-moz-transform:translateY(-24px);-ms-transform:translateY(-24px);-o-transform:translateY(-24px);transform:translateY(-24px)}}@-webkit-keyframes fadeOutUpSmall{0%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(-8px);-moz-transform:translateY(-8px);-ms-transform:translateY(-8px);-o-transform:translateY(-8px);transform:translateY(-8px)}}@-moz-keyframes fadeOutUpSmall{0%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(-8px);-moz-transform:translateY(-8px);-ms-transform:translateY(-8px);-o-transform:translateY(-8px);transform:translateY(-8px)}}@-ms-keyframes fadeOutUpSmall{0%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(-8px);-moz-transform:translateY(-8px);-ms-transform:translateY(-8px);-o-transform:translateY(-8px);transform:translateY(-8px)}}@-o-keyframes fadeOutUpSmall{0%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(-8px);-moz-transform:translateY(-8px);-ms-transform:translateY(-8px);-o-transform:translateY(-8px);transform:translateY(-8px)}}@keyframes fadeOutUpSmall{0%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(-8px);-moz-transform:translateY(-8px);-ms-transform:translateY(-8px);-o-transform:translateY(-8px);transform:translateY(-8px)}}@-webkit-keyframes slideOutDown{0%{-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(2000px);-moz-transform:translateY(2000px);-ms-transform:translateY(2000px);-o-transform:translateY(2000px);transform:translateY(2000px)}}@-moz-keyframes slideOutDown{0%{-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(2000px);-moz-transform:translateY(2000px);-ms-transform:translateY(2000px);-o-transform:translateY(2000px);transform:translateY(2000px)}}@-ms-keyframes slideOutDown{0%{-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(2000px);-moz-transform:translateY(2000px);-ms-transform:translateY(2000px);-o-transform:translateY(2000px);transform:translateY(2000px)}}@-o-keyframes slideOutDown{0%{-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(2000px);-moz-transform:translateY(2000px);-ms-transform:translateY(2000px);-o-transform:translateY(2000px);transform:translateY(2000px)}}@keyframes slideOutDown{0%{-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(2000px);-moz-transform:translateY(2000px);-ms-transform:translateY(2000px);-o-transform:translateY(2000px);transform:translateY(2000px)}}@-webkit-keyframes slideOutLeft{0%{-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}100%{opacity:0;-webkit-transform:translateX(-2000px);-moz-transform:translateX(-2000px);-ms-transform:translateX(-2000px);-o-transform:translateX(-2000px);transform:translateX(-2000px)}}@-moz-keyframes slideOutLeft{0%{-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}100%{opacity:0;-webkit-transform:translateX(-2000px);-moz-transform:translateX(-2000px);-ms-transform:translateX(-2000px);-o-transform:translateX(-2000px);transform:translateX(-2000px)}}@-ms-keyframes slideOutLeft{0%{-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}100%{opacity:0;-webkit-transform:translateX(-2000px);-moz-transform:translateX(-2000px);-ms-transform:translateX(-2000px);-o-transform:translateX(-2000px);transform:translateX(-2000px)}}@-o-keyframes slideOutLeft{0%{-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}100%{opacity:0;-webkit-transform:translateX(-2000px);-moz-transform:translateX(-2000px);-ms-transform:translateX(-2000px);-o-transform:translateX(-2000px);transform:translateX(-2000px)}}@keyframes slideOutLeft{0%{-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}100%{opacity:0;-webkit-transform:translateX(-2000px);-moz-transform:translateX(-2000px);-ms-transform:translateX(-2000px);-o-transform:translateX(-2000px);transform:translateX(-2000px)}}@-webkit-keyframes slideOutRight{0%{-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}100%{opacity:0;-webkit-transform:translateX(2000px);-moz-transform:translateX(2000px);-ms-transform:translateX(2000px);-o-transform:translateX(2000px);transform:translateX(2000px)}}@-moz-keyframes slideOutRight{0%{-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}100%{opacity:0;-webkit-transform:translateX(2000px);-moz-transform:translateX(2000px);-ms-transform:translateX(2000px);-o-transform:translateX(2000px);transform:translateX(2000px)}}@-ms-keyframes slideOutRight{0%{-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}100%{opacity:0;-webkit-transform:translateX(2000px);-moz-transform:translateX(2000px);-ms-transform:translateX(2000px);-o-transform:translateX(2000px);transform:translateX(2000px)}}@-o-keyframes slideOutRight{0%{-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}100%{opacity:0;-webkit-transform:translateX(2000px);-moz-transform:translateX(2000px);-ms-transform:translateX(2000px);-o-transform:translateX(2000px);transform:translateX(2000px)}}@keyframes slideOutRight{0%{-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}100%{opacity:0;-webkit-transform:translateX(2000px);-moz-transform:translateX(2000px);-ms-transform:translateX(2000px);-o-transform:translateX(2000px);transform:translateX(2000px)}}@-webkit-keyframes slideOutUp{0%{-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(-2000px);-moz-transform:translateY(-2000px);-ms-transform:translateY(-2000px);-o-transform:translateY(-2000px);transform:translateY(-2000px)}}@-moz-keyframes slideOutUp{0%{-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(-2000px);-moz-transform:translateY(-2000px);-ms-transform:translateY(-2000px);-o-transform:translateY(-2000px);transform:translateY(-2000px)}}@-ms-keyframes slideOutUp{0%{-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(-2000px);-moz-transform:translateY(-2000px);-ms-transform:translateY(-2000px);-o-transform:translateY(-2000px);transform:translateY(-2000px)}}@-o-keyframes slideOutUp{0%{-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(-2000px);-moz-transform:translateY(-2000px);-ms-transform:translateY(-2000px);-o-transform:translateY(-2000px);transform:translateY(-2000px)}}@keyframes slideOutUp{0%{-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}100%{opacity:0;-webkit-transform:translateY(-2000px);-moz-transform:translateY(-2000px);-ms-transform:translateY(-2000px);-o-transform:translateY(-2000px);transform:translateY(-2000px)}}@-webkit-keyframes slideInDown{0%{opacity:0;-webkit-transform:translateY(-100%);-moz-transform:translateY(-100%);-ms-transform:translateY(-100%);-o-transform:translateY(-100%);transform:translateY(-100%)}100%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}}@-moz-keyframes slideInDown{0%{opacity:0;-webkit-transform:translateY(-100%);-moz-transform:translateY(-100%);-ms-transform:translateY(-100%);-o-transform:translateY(-100%);transform:translateY(-100%)}100%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}}@-ms-keyframes slideInDown{0%{opacity:0;-webkit-transform:translateY(-100%);-moz-transform:translateY(-100%);-ms-transform:translateY(-100%);-o-transform:translateY(-100%);transform:translateY(-100%)}100%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}}@-o-keyframes slideInDown{0%{opacity:0;-webkit-transform:translateY(-100%);-moz-transform:translateY(-100%);-ms-transform:translateY(-100%);-o-transform:translateY(-100%);transform:translateY(-100%)}100%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}}@keyframes slideInDown{0%{opacity:0;-webkit-transform:translateY(-100%);-moz-transform:translateY(-100%);-ms-transform:translateY(-100%);-o-transform:translateY(-100%);transform:translateY(-100%)}100%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}}@-webkit-keyframes slideInLeft{0%{opacity:0;-webkit-transform:translateX(-100%);-moz-transform:translateX(-100%);-ms-transform:translateX(-100%);-o-transform:translateX(-100%);transform:translateX(-100%)}100%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}}@-moz-keyframes slideInLeft{0%{opacity:0;-webkit-transform:translateX(-100%);-moz-transform:translateX(-100%);-ms-transform:translateX(-100%);-o-transform:translateX(-100%);transform:translateX(-100%)}100%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}}@-ms-keyframes slideInLeft{0%{opacity:0;-webkit-transform:translateX(-100%);-moz-transform:translateX(-100%);-ms-transform:translateX(-100%);-o-transform:translateX(-100%);transform:translateX(-100%)}100%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}}@-o-keyframes slideInLeft{0%{opacity:0;-webkit-transform:translateX(-100%);-moz-transform:translateX(-100%);-ms-transform:translateX(-100%);-o-transform:translateX(-100%);transform:translateX(-100%)}100%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}}@keyframes slideInLeft{0%{opacity:0;-webkit-transform:translateX(-100%);-moz-transform:translateX(-100%);-ms-transform:translateX(-100%);-o-transform:translateX(-100%);transform:translateX(-100%)}100%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}}@-webkit-keyframes slideInRight{0%{opacity:0;-webkit-transform:translateX(100%);-moz-transform:translateX(100%);-ms-transform:translateX(100%);-o-transform:translateX(100%);transform:translateX(100%)}100%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}}@-moz-keyframes slideInRight{0%{opacity:0;-webkit-transform:translateX(100%);-moz-transform:translateX(100%);-ms-transform:translateX(100%);-o-transform:translateX(100%);transform:translateX(100%)}100%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}}@-ms-keyframes slideInRight{0%{opacity:0;-webkit-transform:translateX(100%);-moz-transform:translateX(100%);-ms-transform:translateX(100%);-o-transform:translateX(100%);transform:translateX(100%)}100%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}}@-o-keyframes slideInRight{0%{opacity:0;-webkit-transform:translateX(100%);-moz-transform:translateX(100%);-ms-transform:translateX(100%);-o-transform:translateX(100%);transform:translateX(100%)}100%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}}@keyframes slideInRight{0%{opacity:0;-webkit-transform:translateX(100%);-moz-transform:translateX(100%);-ms-transform:translateX(100%);-o-transform:translateX(100%);transform:translateX(100%)}100%{opacity:1;-webkit-transform:translateX(0);-moz-transform:translateX(0);-ms-transform:translateX(0);-o-transform:translateX(0);transform:translateX(0)}}@-webkit-keyframes slideInUp{0%{opacity:0;-webkit-transform:translateY(100%);-moz-transform:translateY(100%);-ms-transform:translateY(100%);-o-transform:translateY(100%);transform:translateY(100%)}100%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}}@-moz-keyframes slideInUp{0%{opacity:0;-webkit-transform:translateY(100%);-moz-transform:translateY(100%);-ms-transform:translateY(100%);-o-transform:translateY(100%);transform:translateY(100%)}100%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}}@-ms-keyframes slideInUp{0%{opacity:0;-webkit-transform:translateY(100%);-moz-transform:translateY(100%);-ms-transform:translateY(100%);-o-transform:translateY(100%);transform:translateY(100%)}100%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}}@-o-keyframes slideInUp{0%{opacity:0;-webkit-transform:translateY(100%);-moz-transform:translateY(100%);-ms-transform:translateY(100%);-o-transform:translateY(100%);transform:translateY(100%)}100%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}}@keyframes slideInUp{0%{opacity:0;-webkit-transform:translateY(100%);-moz-transform:translateY(100%);-ms-transform:translateY(100%);-o-transform:translateY(100%);transform:translateY(100%)}100%{opacity:1;-webkit-transform:translateY(0);-moz-transform:translateY(0);-ms-transform:translateY(0);-o-transform:translateY(0);transform:translateY(0)}}@-webkit-keyframes zoomIn{0%{opacity:0;-webkit-transform:scale3d(.3,.3,.3);-moz-transform:scale3d(.3,.3,.3);-ms-transform:scale3d(.3,.3,.3);-o-transform:scale3d(.3,.3,.3);transform:scale3d(.3,.3,.3)}50%{opacity:1}}@-moz-keyframes zoomIn{0%{opacity:0;-webkit-transform:scale3d(.3,.3,.3);-moz-transform:scale3d(.3,.3,.3);-ms-transform:scale3d(.3,.3,.3);-o-transform:scale3d(.3,.3,.3);transform:scale3d(.3,.3,.3)}50%{opacity:1}}@-ms-keyframes zoomIn{0%{opacity:0;-webkit-transform:scale3d(.3,.3,.3);-moz-transform:scale3d(.3,.3,.3);-ms-transform:scale3d(.3,.3,.3);-o-transform:scale3d(.3,.3,.3);transform:scale3d(.3,.3,.3)}50%{opacity:1}}@-o-keyframes zoomIn{0%{opacity:0;-webkit-transform:scale3d(.3,.3,.3);-moz-transform:scale3d(.3,.3,.3);-ms-transform:scale3d(.3,.3,.3);-o-transform:scale3d(.3,.3,.3);transform:scale3d(.3,.3,.3)}50%{opacity:1}}@keyframes zoomIn{0%{opacity:0;-webkit-transform:scale3d(.3,.3,.3);-moz-transform:scale3d(.3,.3,.3);-ms-transform:scale3d(.3,.3,.3);-o-transform:scale3d(.3,.3,.3);transform:scale3d(.3,.3,.3)}50%{opacity:1}}@-webkit-keyframes zoomOut{0%{opacity:1}50%{opacity:0;-webkit-transform:scale3d(.3,.3,.3);-moz-transform:scale3d(.3,.3,.3);-ms-transform:scale3d(.3,.3,.3);-o-transform:scale3d(.3,.3,.3);transform:scale3d(.3,.3,.3)}100%{opacity:0}}@-moz-keyframes zoomOut{0%{opacity:1}50%{opacity:0;-webkit-transform:scale3d(.3,.3,.3);-moz-transform:scale3d(.3,.3,.3);-ms-transform:scale3d(.3,.3,.3);-o-transform:scale3d(.3,.3,.3);transform:scale3d(.3,.3,.3)}100%{opacity:0}}@-ms-keyframes zoomOut{0%{opacity:1}50%{opacity:0;-webkit-transform:scale3d(.3,.3,.3);-moz-transform:scale3d(.3,.3,.3);-ms-transform:scale3d(.3,.3,.3);-o-transform:scale3d(.3,.3,.3);transform:scale3d(.3,.3,.3)}100%{opacity:0}}@-o-keyframes zoomOut{0%{opacity:1}50%{opacity:0;-webkit-transform:scale3d(.3,.3,.3);-moz-transform:scale3d(.3,.3,.3);-ms-transform:scale3d(.3,.3,.3);-o-transform:scale3d(.3,.3,.3);transform:scale3d(.3,.3,.3)}100%{opacity:0}}@keyframes zoomOut{0%{opacity:1}50%{opacity:0;-webkit-transform:scale3d(.3,.3,.3);-moz-transform:scale3d(.3,.3,.3);-ms-transform:scale3d(.3,.3,.3);-o-transform:scale3d(.3,.3,.3);transform:scale3d(.3,.3,.3)}100%{opacity:0}}@-webkit-keyframes expandInDown{0%{opacity:0;-webkit-transform:scaleY(.6);-moz-transform:scaleY(.6);-ms-transform:scaleY(.6);-o-transform:scaleY(.6);transform:scaleY(.6);-webkit-transform-origin:left top 0;-moz-transform-origin:left top 0;-ms-transform-origin:left top 0;-o-transform-origin:left top 0;transform-origin:left top 0}100%{opacity:1;-webkit-transform:scaleY(1);-moz-transform:scaleY(1);-ms-transform:scaleY(1);-o-transform:scaleY(1);transform:scaleY(1);-webkit-transform-origin:left top 0;-moz-transform-origin:left top 0;-ms-transform-origin:left top 0;-o-transform-origin:left top 0;transform-origin:left top 0}}@-moz-keyframes expandInDown{0%{opacity:0;-webkit-transform:scaleY(.6);-moz-transform:scaleY(.6);-ms-transform:scaleY(.6);-o-transform:scaleY(.6);transform:scaleY(.6);-webkit-transform-origin:left top 0;-moz-transform-origin:left top 0;-ms-transform-origin:left top 0;-o-transform-origin:left top 0;transform-origin:left top 0}100%{opacity:1;-webkit-transform:scaleY(1);-moz-transform:scaleY(1);-ms-transform:scaleY(1);-o-transform:scaleY(1);transform:scaleY(1);-webkit-transform-origin:left top 0;-moz-transform-origin:left top 0;-ms-transform-origin:left top 0;-o-transform-origin:left top 0;transform-origin:left top 0}}@-ms-keyframes expandInDown{0%{opacity:0;-webkit-transform:scaleY(.6);-moz-transform:scaleY(.6);-ms-transform:scaleY(.6);-o-transform:scaleY(.6);transform:scaleY(.6);-webkit-transform-origin:left top 0;-moz-transform-origin:left top 0;-ms-transform-origin:left top 0;-o-transform-origin:left top 0;transform-origin:left top 0}100%{opacity:1;-webkit-transform:scaleY(1);-moz-transform:scaleY(1);-ms-transform:scaleY(1);-o-transform:scaleY(1);transform:scaleY(1);-webkit-transform-origin:left top 0;-moz-transform-origin:left top 0;-ms-transform-origin:left top 0;-o-transform-origin:left top 0;transform-origin:left top 0}}@-o-keyframes expandInDown{0%{opacity:0;-webkit-transform:scaleY(.6);-moz-transform:scaleY(.6);-ms-transform:scaleY(.6);-o-transform:scaleY(.6);transform:scaleY(.6);-webkit-transform-origin:left top 0;-moz-transform-origin:left top 0;-ms-transform-origin:left top 0;-o-transform-origin:left top 0;transform-origin:left top 0}100%{opacity:1;-webkit-transform:scaleY(1);-moz-transform:scaleY(1);-ms-transform:scaleY(1);-o-transform:scaleY(1);transform:scaleY(1);-webkit-transform-origin:left top 0;-moz-transform-origin:left top 0;-ms-transform-origin:left top 0;-o-transform-origin:left top 0;transform-origin:left top 0}}@keyframes expandInDown{0%{opacity:0;-webkit-transform:scaleY(.6);-moz-transform:scaleY(.6);-ms-transform:scaleY(.6);-o-transform:scaleY(.6);transform:scaleY(.6);-webkit-transform-origin:left top 0;-moz-transform-origin:left top 0;-ms-transform-origin:left top 0;-o-transform-origin:left top 0;transform-origin:left top 0}100%{opacity:1;-webkit-transform:scaleY(1);-moz-transform:scaleY(1);-ms-transform:scaleY(1);-o-transform:scaleY(1);transform:scaleY(1);-webkit-transform-origin:left top 0;-moz-transform-origin:left top 0;-ms-transform-origin:left top 0;-o-transform-origin:left top 0;transform-origin:left top 0}}@-webkit-keyframes expandInUp{0%{opacity:0;-webkit-transform:scaleY(.6);-moz-transform:scaleY(.6);-ms-transform:scaleY(.6);-o-transform:scaleY(.6);transform:scaleY(.6);-webkit-transform-origin:left bottom 0;-moz-transform-origin:left bottom 0;-ms-transform-origin:left bottom 0;-o-transform-origin:left bottom 0;transform-origin:left bottom 0}100%{opacity:1;-webkit-transform:scaleY(1);-moz-transform:scaleY(1);-ms-transform:scaleY(1);-o-transform:scaleY(1);transform:scaleY(1);-webkit-transform-origin:left bottom 0;-moz-transform-origin:left bottom 0;-ms-transform-origin:left bottom 0;-o-transform-origin:left bottom 0;transform-origin:left bottom 0}}@-moz-keyframes expandInUp{0%{opacity:0;-webkit-transform:scaleY(.6);-moz-transform:scaleY(.6);-ms-transform:scaleY(.6);-o-transform:scaleY(.6);transform:scaleY(.6);-webkit-transform-origin:left bottom 0;-moz-transform-origin:left bottom 0;-ms-transform-origin:left bottom 0;-o-transform-origin:left bottom 0;transform-origin:left bottom 0}100%{opacity:1;-webkit-transform:scaleY(1);-moz-transform:scaleY(1);-ms-transform:scaleY(1);-o-transform:scaleY(1);transform:scaleY(1);-webkit-transform-origin:left bottom 0;-moz-transform-origin:left bottom 0;-ms-transform-origin:left bottom 0;-o-transform-origin:left bottom 0;transform-origin:left bottom 0}}@-ms-keyframes expandInUp{0%{opacity:0;-webkit-transform:scaleY(.6);-moz-transform:scaleY(.6);-ms-transform:scaleY(.6);-o-transform:scaleY(.6);transform:scaleY(.6);-webkit-transform-origin:left bottom 0;-moz-transform-origin:left bottom 0;-ms-transform-origin:left bottom 0;-o-transform-origin:left bottom 0;transform-origin:left bottom 0}100%{opacity:1;-webkit-transform:scaleY(1);-moz-transform:scaleY(1);-ms-transform:scaleY(1);-o-transform:scaleY(1);transform:scaleY(1);-webkit-transform-origin:left bottom 0;-moz-transform-origin:left bottom 0;-ms-transform-origin:left bottom 0;-o-transform-origin:left bottom 0;transform-origin:left bottom 0}}@-o-keyframes expandInUp{0%{opacity:0;-webkit-transform:scaleY(.6);-moz-transform:scaleY(.6);-ms-transform:scaleY(.6);-o-transform:scaleY(.6);transform:scaleY(.6);-webkit-transform-origin:left bottom 0;-moz-transform-origin:left bottom 0;-ms-transform-origin:left bottom 0;-o-transform-origin:left bottom 0;transform-origin:left bottom 0}100%{opacity:1;-webkit-transform:scaleY(1);-moz-transform:scaleY(1);-ms-transform:scaleY(1);-o-transform:scaleY(1);transform:scaleY(1);-webkit-transform-origin:left bottom 0;-moz-transform-origin:left bottom 0;-ms-transform-origin:left bottom 0;-o-transform-origin:left bottom 0;transform-origin:left bottom 0}}@keyframes expandInUp{0%{opacity:0;-webkit-transform:scaleY(.6);-moz-transform:scaleY(.6);-ms-transform:scaleY(.6);-o-transform:scaleY(.6);transform:scaleY(.6);-webkit-transform-origin:left bottom 0;-moz-transform-origin:left bottom 0;-ms-transform-origin:left bottom 0;-o-transform-origin:left bottom 0;transform-origin:left bottom 0}100%{opacity:1;-webkit-transform:scaleY(1);-moz-transform:scaleY(1);-ms-transform:scaleY(1);-o-transform:scaleY(1);transform:scaleY(1);-webkit-transform-origin:left bottom 0;-moz-transform-origin:left bottom 0;-ms-transform-origin:left bottom 0;-o-transform-origin:left bottom 0;transform-origin:left bottom 0}}@-webkit-keyframes expandInWithFade{0%{opacity:0}40%{opacity:.1}50%{opacity:.9}100%{opacity:1}}@-moz-keyframes expandInWithFade{0%{opacity:0}40%{opacity:.1}50%{opacity:.9}100%{opacity:1}}@-ms-keyframes expandInWithFade{0%{opacity:0}40%{opacity:.1}50%{opacity:.9}100%{opacity:1}}@-o-keyframes expandInWithFade{0%{opacity:0}40%{opacity:.1}50%{opacity:.9}100%{opacity:1}}@keyframes expandInWithFade{0%{opacity:0}40%{opacity:.1}50%{opacity:.9}100%{opacity:1}}@-webkit-keyframes expandOutUp{0%{opacity:1;-webkit-transform:scaleY(1);-moz-transform:scaleY(1);-ms-transform:scaleY(1);-o-transform:scaleY(1);transform:scaleY(1);-webkit-transform-origin:left top 0;-moz-transform-origin:left top 0;-ms-transform-origin:left top 0;-o-transform-origin:left top 0;transform-origin:left top 0}100%{opacity:0;-webkit-transform:scaleY(.6);-moz-transform:scaleY(.6);-ms-transform:scaleY(.6);-o-transform:scaleY(.6);transform:scaleY(.6);-webkit-transform-origin:left top 0;-moz-transform-origin:left top 0;-ms-transform-origin:left top 0;-o-transform-origin:left top 0;transform-origin:left top 0}}@-moz-keyframes expandOutUp{0%{opacity:1;-webkit-transform:scaleY(1);-moz-transform:scaleY(1);-ms-transform:scaleY(1);-o-transform:scaleY(1);transform:scaleY(1);-webkit-transform-origin:left top 0;-moz-transform-origin:left top 0;-ms-transform-origin:left top 0;-o-transform-origin:left top 0;transform-origin:left top 0}100%{opacity:0;-webkit-transform:scaleY(.6);-moz-transform:scaleY(.6);-ms-transform:scaleY(.6);-o-transform:scaleY(.6);transform:scaleY(.6);-webkit-transform-origin:left top 0;-moz-transform-origin:left top 0;-ms-transform-origin:left top 0;-o-transform-origin:left top 0;transform-origin:left top 0}}@-ms-keyframes expandOutUp{0%{opacity:1;-webkit-transform:scaleY(1);-moz-transform:scaleY(1);-ms-transform:scaleY(1);-o-transform:scaleY(1);transform:scaleY(1);-webkit-transform-origin:left top 0;-moz-transform-origin:left top 0;-ms-transform-origin:left top 0;-o-transform-origin:left top 0;transform-origin:left top 0}100%{opacity:0;-webkit-transform:scaleY(.6);-moz-transform:scaleY(.6);-ms-transform:scaleY(.6);-o-transform:scaleY(.6);transform:scaleY(.6);-webkit-transform-origin:left top 0;-moz-transform-origin:left top 0;-ms-transform-origin:left top 0;-o-transform-origin:left top 0;transform-origin:left top 0}}@-o-keyframes expandOutUp{0%{opacity:1;-webkit-transform:scaleY(1);-moz-transform:scaleY(1);-ms-transform:scaleY(1);-o-transform:scaleY(1);transform:scaleY(1);-webkit-transform-origin:left top 0;-moz-transform-origin:left top 0;-ms-transform-origin:left top 0;-o-transform-origin:left top 0;transform-origin:left top 0}100%{opacity:0;-webkit-transform:scaleY(.6);-moz-transform:scaleY(.6);-ms-transform:scaleY(.6);-o-transform:scaleY(.6);transform:scaleY(.6);-webkit-transform-origin:left top 0;-moz-transform-origin:left top 0;-ms-transform-origin:left top 0;-o-transform-origin:left top 0;transform-origin:left top 0}}@keyframes expandOutUp{0%{opacity:1;-webkit-transform:scaleY(1);-moz-transform:scaleY(1);-ms-transform:scaleY(1);-o-transform:scaleY(1);transform:scaleY(1);-webkit-transform-origin:left top 0;-moz-transform-origin:left top 0;-ms-transform-origin:left top 0;-o-transform-origin:left top 0;transform-origin:left top 0}100%{opacity:0;-webkit-transform:scaleY(.6);-moz-transform:scaleY(.6);-ms-transform:scaleY(.6);-o-transform:scaleY(.6);transform:scaleY(.6);-webkit-transform-origin:left top 0;-moz-transform-origin:left top 0;-ms-transform-origin:left top 0;-o-transform-origin:left top 0;transform-origin:left top 0}}@-webkit-keyframes expandOutDown{0%{opacity:1;-webkit-transform:scaleY(1);-moz-transform:scaleY(1);-ms-transform:scaleY(1);-o-transform:scaleY(1);transform:scaleY(1);-webkit-transform-origin:left bottom 0;-moz-transform-origin:left bottom 0;-ms-transform-origin:left bottom 0;-o-transform-origin:left bottom 0;transform-origin:left bottom 0}100%{opacity:0;-webkit-transform:scaleY(.6);-moz-transform:scaleY(.6);-ms-transform:scaleY(.6);-o-transform:scaleY(.6);transform:scaleY(.6);-webkit-transform-origin:left bottom 0;-moz-transform-origin:left bottom 0;-ms-transform-origin:left bottom 0;-o-transform-origin:left bottom 0;transform-origin:left bottom 0}}@-moz-keyframes expandOutDown{0%{opacity:1;-webkit-transform:scaleY(1);-moz-transform:scaleY(1);-ms-transform:scaleY(1);-o-transform:scaleY(1);transform:scaleY(1);-webkit-transform-origin:left bottom 0;-moz-transform-origin:left bottom 0;-ms-transform-origin:left bottom 0;-o-transform-origin:left bottom 0;transform-origin:left bottom 0}100%{opacity:0;-webkit-transform:scaleY(.6);-moz-transform:scaleY(.6);-ms-transform:scaleY(.6);-o-transform:scaleY(.6);transform:scaleY(.6);-webkit-transform-origin:left bottom 0;-moz-transform-origin:left bottom 0;-ms-transform-origin:left bottom 0;-o-transform-origin:left bottom 0;transform-origin:left bottom 0}}@-ms-keyframes expandOutDown{0%{opacity:1;-webkit-transform:scaleY(1);-moz-transform:scaleY(1);-ms-transform:scaleY(1);-o-transform:scaleY(1);transform:scaleY(1);-webkit-transform-origin:left bottom 0;-moz-transform-origin:left bottom 0;-ms-transform-origin:left bottom 0;-o-transform-origin:left bottom 0;transform-origin:left bottom 0}100%{opacity:0;-webkit-transform:scaleY(.6);-moz-transform:scaleY(.6);-ms-transform:scaleY(.6);-o-transform:scaleY(.6);transform:scaleY(.6);-webkit-transform-origin:left bottom 0;-moz-transform-origin:left bottom 0;-ms-transform-origin:left bottom 0;-o-transform-origin:left bottom 0;transform-origin:left bottom 0}}@-o-keyframes expandOutDown{0%{opacity:1;-webkit-transform:scaleY(1);-moz-transform:scaleY(1);-ms-transform:scaleY(1);-o-transform:scaleY(1);transform:scaleY(1);-webkit-transform-origin:left bottom 0;-moz-transform-origin:left bottom 0;-ms-transform-origin:left bottom 0;-o-transform-origin:left bottom 0;transform-origin:left bottom 0}100%{opacity:0;-webkit-transform:scaleY(.6);-moz-transform:scaleY(.6);-ms-transform:scaleY(.6);-o-transform:scaleY(.6);transform:scaleY(.6);-webkit-transform-origin:left bottom 0;-moz-transform-origin:left bottom 0;-ms-transform-origin:left bottom 0;-o-transform-origin:left bottom 0;transform-origin:left bottom 0}}@keyframes expandOutDown{0%{opacity:1;-webkit-transform:scaleY(1);-moz-transform:scaleY(1);-ms-transform:scaleY(1);-o-transform:scaleY(1);transform:scaleY(1);-webkit-transform-origin:left bottom 0;-moz-transform-origin:left bottom 0;-ms-transform-origin:left bottom 0;-o-transform-origin:left bottom 0;transform-origin:left bottom 0}100%{opacity:0;-webkit-transform:scaleY(.6);-moz-transform:scaleY(.6);-ms-transform:scaleY(.6);-o-transform:scaleY(.6);transform:scaleY(.6);-webkit-transform-origin:left bottom 0;-moz-transform-origin:left bottom 0;-ms-transform-origin:left bottom 0;-o-transform-origin:left bottom 0;transform-origin:left bottom 0}}@-webkit-keyframes expandOutWithFade{0%{opacity:1}70%{opacity:0}100%{opacity:0}}@-moz-keyframes expandOutWithFade{0%{opacity:1}70%{opacity:0}100%{opacity:0}}@-ms-keyframes expandOutWithFade{0%{opacity:1}70%{opacity:0}100%{opacity:0}}@-o-keyframes expandOutWithFade{0%{opacity:1}70%{opacity:0}100%{opacity:0}}@keyframes expandOutWithFade{0%{opacity:1}70%{opacity:0}100%{opacity:0}}@-webkit-keyframes pulse{from{-webkit-transform:scale(1);-moz-transform:scale(1);-ms-transform:scale(1);-o-transform:scale(1);transform:scale(1)}20%{-webkit-transform:scale(1.2);-moz-transform:scale(1.2);-ms-transform:scale(1.2);-o-transform:scale(1.2);transform:scale(1.2)}to{-webkit-transform:scale(1);-moz-transform:scale(1);-ms-transform:scale(1);-o-transform:scale(1);transform:scale(1)}}@-moz-keyframes pulse{from{-webkit-transform:scale(1);-moz-transform:scale(1);-ms-transform:scale(1);-o-transform:scale(1);transform:scale(1)}20%{-webkit-transform:scale(1.2);-moz-transform:scale(1.2);-ms-transform:scale(1.2);-o-transform:scale(1.2);transform:scale(1.2)}to{-webkit-transform:scale(1);-moz-transform:scale(1);-ms-transform:scale(1);-o-transform:scale(1);transform:scale(1)}}@-ms-keyframes pulse{from{-webkit-transform:scale(1);-moz-transform:scale(1);-ms-transform:scale(1);-o-transform:scale(1);transform:scale(1)}20%{-webkit-transform:scale(1.2);-moz-transform:scale(1.2);-ms-transform:scale(1.2);-o-transform:scale(1.2);transform:scale(1.2)}to{-webkit-transform:scale(1);-moz-transform:scale(1);-ms-transform:scale(1);-o-transform:scale(1);transform:scale(1)}}@-o-keyframes pulse{from{-webkit-transform:scale(1);-moz-transform:scale(1);-ms-transform:scale(1);-o-transform:scale(1);transform:scale(1)}20%{-webkit-transform:scale(1.2);-moz-transform:scale(1.2);-ms-transform:scale(1.2);-o-transform:scale(1.2);transform:scale(1.2)}to{-webkit-transform:scale(1);-moz-transform:scale(1);-ms-transform:scale(1);-o-transform:scale(1);transform:scale(1)}}@keyframes pulse{from{-webkit-transform:scale(1);-moz-transform:scale(1);-ms-transform:scale(1);-o-transform:scale(1);transform:scale(1)}20%{-webkit-transform:scale(1.2);-moz-transform:scale(1.2);-ms-transform:scale(1.2);-o-transform:scale(1.2);transform:scale(1.2)}to{-webkit-transform:scale(1);-moz-transform:scale(1);-ms-transform:scale(1);-o-transform:scale(1);transform:scale(1)}}.fadeIn{-webkit-animation-name:fadeIn;-moz-animation-name:fadeIn;-ms-animation-name:fadeIn;-o-animation-name:fadeIn;animation-name:fadeIn;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:.3s;-webkit-animation-duration:var(--durationDefault,.3s);-moz-animation-duration:.3s;-moz-animation-duration:var(--durationDefault,.3s);-ms-animation-duration:.3s;-ms-animation-duration:var(--durationDefault,.3s);-o-animation-duration:.3s;-o-animation-duration:var(--durationDefault,.3s);animation-duration:.3s;animation-duration:var(--durationDefault,.3s);-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.4,0,.2,1);-webkit-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-moz-animation-timing-function:cubic-bezier(.4,0,.2,1);-moz-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-ms-animation-timing-function:cubic-bezier(.4,0,.2,1);-ms-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-o-animation-timing-function:cubic-bezier(.4,0,.2,1);-o-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));animation-timing-function:cubic-bezier(.4,0,.2,1);animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.fadeInDown{-webkit-animation-name:fadeInDown;-moz-animation-name:fadeInDown;-ms-animation-name:fadeInDown;-o-animation-name:fadeInDown;animation-name:fadeInDown;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:.3s;-webkit-animation-duration:var(--durationDefault,.3s);-moz-animation-duration:.3s;-moz-animation-duration:var(--durationDefault,.3s);-ms-animation-duration:.3s;-ms-animation-duration:var(--durationDefault,.3s);-o-animation-duration:.3s;-o-animation-duration:var(--durationDefault,.3s);animation-duration:.3s;animation-duration:var(--durationDefault,.3s);-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.23,1,.32,1);-webkit-animation-timing-function:var(--ease-out-quint,cubic-bezier(.23,1,.32,1));-moz-animation-timing-function:cubic-bezier(.23,1,.32,1);-moz-animation-timing-function:var(--ease-out-quint,cubic-bezier(.23,1,.32,1));-ms-animation-timing-function:cubic-bezier(.23,1,.32,1);-ms-animation-timing-function:var(--ease-out-quint,cubic-bezier(.23,1,.32,1));-o-animation-timing-function:cubic-bezier(.23,1,.32,1);-o-animation-timing-function:var(--ease-out-quint,cubic-bezier(.23,1,.32,1));animation-timing-function:cubic-bezier(.23,1,.32,1);animation-timing-function:var(--ease-out-quint,cubic-bezier(.23,1,.32,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.fadeInLeft{-webkit-animation-name:fadeInLeft;-moz-animation-name:fadeInLeft;-ms-animation-name:fadeInLeft;-o-animation-name:fadeInLeft;animation-name:fadeInLeft;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:.3s;-webkit-animation-duration:var(--durationDefault,.3s);-moz-animation-duration:.3s;-moz-animation-duration:var(--durationDefault,.3s);-ms-animation-duration:.3s;-ms-animation-duration:var(--durationDefault,.3s);-o-animation-duration:.3s;-o-animation-duration:var(--durationDefault,.3s);animation-duration:.3s;animation-duration:var(--durationDefault,.3s);-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.23,1,.32,1);-webkit-animation-timing-function:var(--ease-out-quint,cubic-bezier(.23,1,.32,1));-moz-animation-timing-function:cubic-bezier(.23,1,.32,1);-moz-animation-timing-function:var(--ease-out-quint,cubic-bezier(.23,1,.32,1));-ms-animation-timing-function:cubic-bezier(.23,1,.32,1);-ms-animation-timing-function:var(--ease-out-quint,cubic-bezier(.23,1,.32,1));-o-animation-timing-function:cubic-bezier(.23,1,.32,1);-o-animation-timing-function:var(--ease-out-quint,cubic-bezier(.23,1,.32,1));animation-timing-function:cubic-bezier(.23,1,.32,1);animation-timing-function:var(--ease-out-quint,cubic-bezier(.23,1,.32,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.fadeInRight{-webkit-animation-name:fadeInRight;-moz-animation-name:fadeInRight;-ms-animation-name:fadeInRight;-o-animation-name:fadeInRight;animation-name:fadeInRight;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:.3s;-webkit-animation-duration:var(--durationDefault,.3s);-moz-animation-duration:.3s;-moz-animation-duration:var(--durationDefault,.3s);-ms-animation-duration:.3s;-ms-animation-duration:var(--durationDefault,.3s);-o-animation-duration:.3s;-o-animation-duration:var(--durationDefault,.3s);animation-duration:.3s;animation-duration:var(--durationDefault,.3s);-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.23,1,.32,1);-webkit-animation-timing-function:var(--ease-out-quint,cubic-bezier(.23,1,.32,1));-moz-animation-timing-function:cubic-bezier(.23,1,.32,1);-moz-animation-timing-function:var(--ease-out-quint,cubic-bezier(.23,1,.32,1));-ms-animation-timing-function:cubic-bezier(.23,1,.32,1);-ms-animation-timing-function:var(--ease-out-quint,cubic-bezier(.23,1,.32,1));-o-animation-timing-function:cubic-bezier(.23,1,.32,1);-o-animation-timing-function:var(--ease-out-quint,cubic-bezier(.23,1,.32,1));animation-timing-function:cubic-bezier(.23,1,.32,1);animation-timing-function:var(--ease-out-quint,cubic-bezier(.23,1,.32,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.fadeInUp{-webkit-animation-name:fadeInUp;-moz-animation-name:fadeInUp;-ms-animation-name:fadeInUp;-o-animation-name:fadeInUp;animation-name:fadeInUp;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:.3s;-webkit-animation-duration:var(--motion-duration-standard-in,300ms);-moz-animation-duration:.3s;-moz-animation-duration:var(--motion-duration-standard-in,300ms);-ms-animation-duration:.3s;-ms-animation-duration:var(--motion-duration-standard-in,300ms);-o-animation-duration:.3s;-o-animation-duration:var(--motion-duration-standard-in,300ms);animation-duration:.3s;animation-duration:var(--motion-duration-standard-in,300ms);-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.4,0,.2,1);-webkit-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-moz-animation-timing-function:cubic-bezier(.4,0,.2,1);-moz-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-ms-animation-timing-function:cubic-bezier(.4,0,.2,1);-ms-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-o-animation-timing-function:cubic-bezier(.4,0,.2,1);-o-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));animation-timing-function:cubic-bezier(.4,0,.2,1);animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.fadeOut{-webkit-animation-name:fadeOut;-moz-animation-name:fadeOut;-ms-animation-name:fadeOut;-o-animation-name:fadeOut;animation-name:fadeOut;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:.35s;-webkit-animation-duration:var(--durationBigDefault,.35s);-moz-animation-duration:.35s;-moz-animation-duration:var(--durationBigDefault,.35s);-ms-animation-duration:.35s;-ms-animation-duration:var(--durationBigDefault,.35s);-o-animation-duration:.35s;-o-animation-duration:var(--durationBigDefault,.35s);animation-duration:.35s;animation-duration:var(--durationBigDefault,.35s);-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.4,0,.2,1);-webkit-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-moz-animation-timing-function:cubic-bezier(.4,0,.2,1);-moz-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-ms-animation-timing-function:cubic-bezier(.4,0,.2,1);-ms-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-o-animation-timing-function:cubic-bezier(.4,0,.2,1);-o-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));animation-timing-function:cubic-bezier(.4,0,.2,1);animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.fadeOutDown{-webkit-animation-name:fadeOutDown;-moz-animation-name:fadeOutDown;-ms-animation-name:fadeOutDown;-o-animation-name:fadeOutDown;animation-name:fadeOutDown;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:250ms;-webkit-animation-duration:var(--motion-duration-standard-out,250ms);-moz-animation-duration:250ms;-moz-animation-duration:var(--motion-duration-standard-out,250ms);-ms-animation-duration:250ms;-ms-animation-duration:var(--motion-duration-standard-out,250ms);-o-animation-duration:250ms;-o-animation-duration:var(--motion-duration-standard-out,250ms);animation-duration:250ms;animation-duration:var(--motion-duration-standard-out,250ms);-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.4,0,.2,1);-webkit-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-moz-animation-timing-function:cubic-bezier(.4,0,.2,1);-moz-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-ms-animation-timing-function:cubic-bezier(.4,0,.2,1);-ms-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-o-animation-timing-function:cubic-bezier(.4,0,.2,1);-o-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));animation-timing-function:cubic-bezier(.4,0,.2,1);animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.fadeOutLeft{-webkit-animation-name:fadeOutLeft;-moz-animation-name:fadeOutLeft;-ms-animation-name:fadeOutLeft;-o-animation-name:fadeOutLeft;animation-name:fadeOutLeft;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:250ms;-webkit-animation-duration:var(--motion-duration-standard-out,250ms);-moz-animation-duration:250ms;-moz-animation-duration:var(--motion-duration-standard-out,250ms);-ms-animation-duration:250ms;-ms-animation-duration:var(--motion-duration-standard-out,250ms);-o-animation-duration:250ms;-o-animation-duration:var(--motion-duration-standard-out,250ms);animation-duration:250ms;animation-duration:var(--motion-duration-standard-out,250ms);-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.4,0,.2,1);-webkit-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-moz-animation-timing-function:cubic-bezier(.4,0,.2,1);-moz-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-ms-animation-timing-function:cubic-bezier(.4,0,.2,1);-ms-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-o-animation-timing-function:cubic-bezier(.4,0,.2,1);-o-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));animation-timing-function:cubic-bezier(.4,0,.2,1);animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.fadeOutRight{-webkit-animation-name:fadeOutRight;-moz-animation-name:fadeOutRight;-ms-animation-name:fadeOutRight;-o-animation-name:fadeOutRight;animation-name:fadeOutRight;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:250ms;-webkit-animation-duration:var(--motion-duration-standard-out,250ms);-moz-animation-duration:250ms;-moz-animation-duration:var(--motion-duration-standard-out,250ms);-ms-animation-duration:250ms;-ms-animation-duration:var(--motion-duration-standard-out,250ms);-o-animation-duration:250ms;-o-animation-duration:var(--motion-duration-standard-out,250ms);animation-duration:250ms;animation-duration:var(--motion-duration-standard-out,250ms);-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.4,0,.2,1);-webkit-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-moz-animation-timing-function:cubic-bezier(.4,0,.2,1);-moz-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-ms-animation-timing-function:cubic-bezier(.4,0,.2,1);-ms-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-o-animation-timing-function:cubic-bezier(.4,0,.2,1);-o-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));animation-timing-function:cubic-bezier(.4,0,.2,1);animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.fadeOutUp{-webkit-animation-name:fadeOutUp;-moz-animation-name:fadeOutUp;-ms-animation-name:fadeOutUp;-o-animation-name:fadeOutUp;animation-name:fadeOutUp;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:250ms;-webkit-animation-duration:var(--motion-duration-standard-out,250ms);-moz-animation-duration:250ms;-moz-animation-duration:var(--motion-duration-standard-out,250ms);-ms-animation-duration:250ms;-ms-animation-duration:var(--motion-duration-standard-out,250ms);-o-animation-duration:250ms;-o-animation-duration:var(--motion-duration-standard-out,250ms);animation-duration:250ms;animation-duration:var(--motion-duration-standard-out,250ms);-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.4,0,.2,1);-webkit-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-moz-animation-timing-function:cubic-bezier(.4,0,.2,1);-moz-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-ms-animation-timing-function:cubic-bezier(.4,0,.2,1);-ms-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-o-animation-timing-function:cubic-bezier(.4,0,.2,1);-o-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));animation-timing-function:cubic-bezier(.4,0,.2,1);animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.fadeOutUpSmall{-webkit-animation-name:fadeOutUpSmall;-moz-animation-name:fadeOutUpSmall;-ms-animation-name:fadeOutUpSmall;-o-animation-name:fadeOutUpSmall;animation-name:fadeOutUpSmall;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:250ms;-webkit-animation-duration:var(--motion-duration-standard-out,250ms);-moz-animation-duration:250ms;-moz-animation-duration:var(--motion-duration-standard-out,250ms);-ms-animation-duration:250ms;-ms-animation-duration:var(--motion-duration-standard-out,250ms);-o-animation-duration:250ms;-o-animation-duration:var(--motion-duration-standard-out,250ms);animation-duration:250ms;animation-duration:var(--motion-duration-standard-out,250ms);-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.4,0,.2,1);-webkit-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-moz-animation-timing-function:cubic-bezier(.4,0,.2,1);-moz-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-ms-animation-timing-function:cubic-bezier(.4,0,.2,1);-ms-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-o-animation-timing-function:cubic-bezier(.4,0,.2,1);-o-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));animation-timing-function:cubic-bezier(.4,0,.2,1);animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.slideInUp{-webkit-animation-name:slideInUp;-moz-animation-name:slideInUp;-ms-animation-name:slideInUp;-o-animation-name:slideInUp;animation-name:slideInUp;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:.35s;-webkit-animation-duration:var(--durationBigDefault,.35s);-moz-animation-duration:.35s;-moz-animation-duration:var(--durationBigDefault,.35s);-ms-animation-duration:.35s;-ms-animation-duration:var(--durationBigDefault,.35s);-o-animation-duration:.35s;-o-animation-duration:var(--durationBigDefault,.35s);animation-duration:.35s;animation-duration:var(--durationBigDefault,.35s);-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.4,0,.2,1);-webkit-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-moz-animation-timing-function:cubic-bezier(.4,0,.2,1);-moz-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-ms-animation-timing-function:cubic-bezier(.4,0,.2,1);-ms-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-o-animation-timing-function:cubic-bezier(.4,0,.2,1);-o-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));animation-timing-function:cubic-bezier(.4,0,.2,1);animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.slideInDown{-webkit-animation-name:slideInDown;-moz-animation-name:slideInDown;-ms-animation-name:slideInDown;-o-animation-name:slideInDown;animation-name:slideInDown;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:.35s;-webkit-animation-duration:var(--durationBigDefault,.35s);-moz-animation-duration:.35s;-moz-animation-duration:var(--durationBigDefault,.35s);-ms-animation-duration:.35s;-ms-animation-duration:var(--durationBigDefault,.35s);-o-animation-duration:.35s;-o-animation-duration:var(--durationBigDefault,.35s);animation-duration:.35s;animation-duration:var(--durationBigDefault,.35s);-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.4,0,.2,1);-webkit-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-moz-animation-timing-function:cubic-bezier(.4,0,.2,1);-moz-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-ms-animation-timing-function:cubic-bezier(.4,0,.2,1);-ms-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-o-animation-timing-function:cubic-bezier(.4,0,.2,1);-o-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));animation-timing-function:cubic-bezier(.4,0,.2,1);animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.slideInLeft{-webkit-animation-name:slideInLeft;-moz-animation-name:slideInLeft;-ms-animation-name:slideInLeft;-o-animation-name:slideInLeft;animation-name:slideInLeft;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:.35s;-webkit-animation-duration:var(--durationBigDefault,.35s);-moz-animation-duration:.35s;-moz-animation-duration:var(--durationBigDefault,.35s);-ms-animation-duration:.35s;-ms-animation-duration:var(--durationBigDefault,.35s);-o-animation-duration:.35s;-o-animation-duration:var(--durationBigDefault,.35s);animation-duration:.35s;animation-duration:var(--durationBigDefault,.35s);-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.4,0,.2,1);-webkit-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-moz-animation-timing-function:cubic-bezier(.4,0,.2,1);-moz-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-ms-animation-timing-function:cubic-bezier(.4,0,.2,1);-ms-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-o-animation-timing-function:cubic-bezier(.4,0,.2,1);-o-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));animation-timing-function:cubic-bezier(.4,0,.2,1);animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.slideInRight{-webkit-animation-name:slideInRight;-moz-animation-name:slideInRight;-ms-animation-name:slideInRight;-o-animation-name:slideInRight;animation-name:slideInRight;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:.35s;-webkit-animation-duration:var(--durationBigDefault,.35s);-moz-animation-duration:.35s;-moz-animation-duration:var(--durationBigDefault,.35s);-ms-animation-duration:.35s;-ms-animation-duration:var(--durationBigDefault,.35s);-o-animation-duration:.35s;-o-animation-duration:var(--durationBigDefault,.35s);animation-duration:.35s;animation-duration:var(--durationBigDefault,.35s);-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.4,0,.2,1);-webkit-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-moz-animation-timing-function:cubic-bezier(.4,0,.2,1);-moz-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-ms-animation-timing-function:cubic-bezier(.4,0,.2,1);-ms-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-o-animation-timing-function:cubic-bezier(.4,0,.2,1);-o-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));animation-timing-function:cubic-bezier(.4,0,.2,1);animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.slideOutUp{-webkit-animation-name:slideOutUp;-moz-animation-name:slideOutUp;-ms-animation-name:slideOutUp;-o-animation-name:slideOutUp;animation-name:slideOutUp;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:.3s;-webkit-animation-duration:var(--durationDefault,.3s);-moz-animation-duration:.3s;-moz-animation-duration:var(--durationDefault,.3s);-ms-animation-duration:.3s;-ms-animation-duration:var(--durationDefault,.3s);-o-animation-duration:.3s;-o-animation-duration:var(--durationDefault,.3s);animation-duration:.3s;animation-duration:var(--durationDefault,.3s);-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.4,0,.2,1);-webkit-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-moz-animation-timing-function:cubic-bezier(.4,0,.2,1);-moz-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-ms-animation-timing-function:cubic-bezier(.4,0,.2,1);-ms-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-o-animation-timing-function:cubic-bezier(.4,0,.2,1);-o-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));animation-timing-function:cubic-bezier(.4,0,.2,1);animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.slideOutRight{-webkit-animation-name:slideOutRight;-moz-animation-name:slideOutRight;-ms-animation-name:slideOutRight;-o-animation-name:slideOutRight;animation-name:slideOutRight;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:.3s;-webkit-animation-duration:var(--durationDefault,.3s);-moz-animation-duration:.3s;-moz-animation-duration:var(--durationDefault,.3s);-ms-animation-duration:.3s;-ms-animation-duration:var(--durationDefault,.3s);-o-animation-duration:.3s;-o-animation-duration:var(--durationDefault,.3s);animation-duration:.3s;animation-duration:var(--durationDefault,.3s);-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.4,0,.2,1);-webkit-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-moz-animation-timing-function:cubic-bezier(.4,0,.2,1);-moz-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-ms-animation-timing-function:cubic-bezier(.4,0,.2,1);-ms-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-o-animation-timing-function:cubic-bezier(.4,0,.2,1);-o-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));animation-timing-function:cubic-bezier(.4,0,.2,1);animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.slideOutLeft{-webkit-animation-name:slideOutLeft;-moz-animation-name:slideOutLeft;-ms-animation-name:slideOutLeft;-o-animation-name:slideOutLeft;animation-name:slideOutLeft;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:.3s;-webkit-animation-duration:var(--durationDefault,.3s);-moz-animation-duration:.3s;-moz-animation-duration:var(--durationDefault,.3s);-ms-animation-duration:.3s;-ms-animation-duration:var(--durationDefault,.3s);-o-animation-duration:.3s;-o-animation-duration:var(--durationDefault,.3s);animation-duration:.3s;animation-duration:var(--durationDefault,.3s);-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.4,0,.2,1);-webkit-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-moz-animation-timing-function:cubic-bezier(.4,0,.2,1);-moz-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-ms-animation-timing-function:cubic-bezier(.4,0,.2,1);-ms-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-o-animation-timing-function:cubic-bezier(.4,0,.2,1);-o-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));animation-timing-function:cubic-bezier(.4,0,.2,1);animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.slideOutDown{-webkit-animation-name:slideOutDown;-moz-animation-name:slideOutDown;-ms-animation-name:slideOutDown;-o-animation-name:slideOutDown;animation-name:slideOutDown;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:.3s;-webkit-animation-duration:var(--durationDefault,.3s);-moz-animation-duration:.3s;-moz-animation-duration:var(--durationDefault,.3s);-ms-animation-duration:.3s;-ms-animation-duration:var(--durationDefault,.3s);-o-animation-duration:.3s;-o-animation-duration:var(--durationDefault,.3s);animation-duration:.3s;animation-duration:var(--durationDefault,.3s);-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.4,0,.2,1);-webkit-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-moz-animation-timing-function:cubic-bezier(.4,0,.2,1);-moz-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-ms-animation-timing-function:cubic-bezier(.4,0,.2,1);-ms-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-o-animation-timing-function:cubic-bezier(.4,0,.2,1);-o-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));animation-timing-function:cubic-bezier(.4,0,.2,1);animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.zoomIn{-webkit-animation-name:zoomIn;-moz-animation-name:zoomIn;-ms-animation-name:zoomIn;-o-animation-name:zoomIn;animation-name:zoomIn;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:.3s;-webkit-animation-duration:var(--durationDefault,.3s);-moz-animation-duration:.3s;-moz-animation-duration:var(--durationDefault,.3s);-ms-animation-duration:.3s;-ms-animation-duration:var(--durationDefault,.3s);-o-animation-duration:.3s;-o-animation-duration:var(--durationDefault,.3s);animation-duration:.3s;animation-duration:var(--durationDefault,.3s);-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.23,1,.32,1);-webkit-animation-timing-function:var(--ease-out-quint,cubic-bezier(.23,1,.32,1));-moz-animation-timing-function:cubic-bezier(.23,1,.32,1);-moz-animation-timing-function:var(--ease-out-quint,cubic-bezier(.23,1,.32,1));-ms-animation-timing-function:cubic-bezier(.23,1,.32,1);-ms-animation-timing-function:var(--ease-out-quint,cubic-bezier(.23,1,.32,1));-o-animation-timing-function:cubic-bezier(.23,1,.32,1);-o-animation-timing-function:var(--ease-out-quint,cubic-bezier(.23,1,.32,1));animation-timing-function:cubic-bezier(.23,1,.32,1);animation-timing-function:var(--ease-out-quint,cubic-bezier(.23,1,.32,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.zoomOut{-webkit-animation-name:zoomOut;-moz-animation-name:zoomOut;-ms-animation-name:zoomOut;-o-animation-name:zoomOut;animation-name:zoomOut;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:.3s;-webkit-animation-duration:var(--durationDefault,.3s);-moz-animation-duration:.3s;-moz-animation-duration:var(--durationDefault,.3s);-ms-animation-duration:.3s;-ms-animation-duration:var(--durationDefault,.3s);-o-animation-duration:.3s;-o-animation-duration:var(--durationDefault,.3s);animation-duration:.3s;animation-duration:var(--durationDefault,.3s);-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.4,0,.2,1);-webkit-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-moz-animation-timing-function:cubic-bezier(.4,0,.2,1);-moz-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-ms-animation-timing-function:cubic-bezier(.4,0,.2,1);-ms-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-o-animation-timing-function:cubic-bezier(.4,0,.2,1);-o-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));animation-timing-function:cubic-bezier(.4,0,.2,1);animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.expandInDown{-webkit-animation-name:expandInDown;-moz-animation-name:expandInDown;-ms-animation-name:expandInDown;-o-animation-name:expandInDown;animation-name:expandInDown;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:.3s;-webkit-animation-duration:var(--durationDefault,.3s);-moz-animation-duration:.3s;-moz-animation-duration:var(--durationDefault,.3s);-ms-animation-duration:.3s;-ms-animation-duration:var(--durationDefault,.3s);-o-animation-duration:.3s;-o-animation-duration:var(--durationDefault,.3s);animation-duration:.3s;animation-duration:var(--durationDefault,.3s);-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.23,1,.32,1);-webkit-animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));-moz-animation-timing-function:cubic-bezier(.23,1,.32,1);-moz-animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));-ms-animation-timing-function:cubic-bezier(.23,1,.32,1);-ms-animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));-o-animation-timing-function:cubic-bezier(.23,1,.32,1);-o-animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));animation-timing-function:cubic-bezier(.23,1,.32,1);animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.expandOutUp{-webkit-animation-name:expandOutUp;-moz-animation-name:expandOutUp;-ms-animation-name:expandOutUp;-o-animation-name:expandOutUp;animation-name:expandOutUp;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:.15s;-moz-animation-duration:.15s;-ms-animation-duration:.15s;-o-animation-duration:.15s;animation-duration:.15s;-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.23,1,.32,1);-webkit-animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));-moz-animation-timing-function:cubic-bezier(.23,1,.32,1);-moz-animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));-ms-animation-timing-function:cubic-bezier(.23,1,.32,1);-ms-animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));-o-animation-timing-function:cubic-bezier(.23,1,.32,1);-o-animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));animation-timing-function:cubic-bezier(.23,1,.32,1);animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.expandInUp{-webkit-animation-name:expandInUp;-moz-animation-name:expandInUp;-ms-animation-name:expandInUp;-o-animation-name:expandInUp;animation-name:expandInUp;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:.3s;-webkit-animation-duration:var(--durationDefault,.3s);-moz-animation-duration:.3s;-moz-animation-duration:var(--durationDefault,.3s);-ms-animation-duration:.3s;-ms-animation-duration:var(--durationDefault,.3s);-o-animation-duration:.3s;-o-animation-duration:var(--durationDefault,.3s);animation-duration:.3s;animation-duration:var(--durationDefault,.3s);-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.23,1,.32,1);-webkit-animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));-moz-animation-timing-function:cubic-bezier(.23,1,.32,1);-moz-animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));-ms-animation-timing-function:cubic-bezier(.23,1,.32,1);-ms-animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));-o-animation-timing-function:cubic-bezier(.23,1,.32,1);-o-animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));animation-timing-function:cubic-bezier(.23,1,.32,1);animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.expandOutDown{-webkit-animation-name:expandOutDown;-moz-animation-name:expandOutDown;-ms-animation-name:expandOutDown;-o-animation-name:expandOutDown;animation-name:expandOutDown;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:.15s;-moz-animation-duration:.15s;-ms-animation-duration:.15s;-o-animation-duration:.15s;animation-duration:.15s;-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.23,1,.32,1);-webkit-animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));-moz-animation-timing-function:cubic-bezier(.23,1,.32,1);-moz-animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));-ms-animation-timing-function:cubic-bezier(.23,1,.32,1);-ms-animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));-o-animation-timing-function:cubic-bezier(.23,1,.32,1);-o-animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));animation-timing-function:cubic-bezier(.23,1,.32,1);animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.pulse{-webkit-animation-name:pulse;-moz-animation-name:pulse;-ms-animation-name:pulse;-o-animation-name:pulse;animation-name:pulse;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:.3s;-webkit-animation-duration:var(--durationDefault,.3s);-moz-animation-duration:.3s;-moz-animation-duration:var(--durationDefault,.3s);-ms-animation-duration:.3s;-ms-animation-duration:var(--durationDefault,.3s);-o-animation-duration:.3s;-o-animation-duration:var(--durationDefault,.3s);animation-duration:.3s;animation-duration:var(--durationDefault,.3s);-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.4,0,.2,1);-webkit-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-moz-animation-timing-function:cubic-bezier(.4,0,.2,1);-moz-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-ms-animation-timing-function:cubic-bezier(.4,0,.2,1);-ms-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-o-animation-timing-function:cubic-bezier(.4,0,.2,1);-o-animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));animation-timing-function:cubic-bezier(.4,0,.2,1);animation-timing-function:var(--motion-default,cubic-bezier(.4,0,.2,1));-webkit-animation-fill-mode:both;-webkit-animation-fill-mode:var(--fillDefault,both);-moz-animation-fill-mode:both;-moz-animation-fill-mode:var(--fillDefault,both);-ms-animation-fill-mode:both;-ms-animation-fill-mode:var(--fillDefault,both);-o-animation-fill-mode:both;-o-animation-fill-mode:var(--fillDefault,both);animation-fill-mode:both;animation-fill-mode:var(--fillDefault,both);-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.expand-enter{overflow:hidden}.expand-enter-active{transition:all .3s ease-out}.expand-enter-active>*{-webkit-animation-name:expandInWithFade;-moz-animation-name:expandInWithFade;-ms-animation-name:expandInWithFade;-o-animation-name:expandInWithFade;animation-name:expandInWithFade;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:.2s;-moz-animation-duration:.2s;-ms-animation-duration:.2s;-o-animation-duration:.2s;animation-duration:.2s;-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.23,1,.32,1);-webkit-animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));-moz-animation-timing-function:cubic-bezier(.23,1,.32,1);-moz-animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));-ms-animation-timing-function:cubic-bezier(.23,1,.32,1);-ms-animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));-o-animation-timing-function:cubic-bezier(.23,1,.32,1);-o-animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));animation-timing-function:cubic-bezier(.23,1,.32,1);animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));-webkit-animation-fill-mode:forwards;-moz-animation-fill-mode:forwards;-ms-animation-fill-mode:forwards;-o-animation-fill-mode:forwards;animation-fill-mode:forwards;-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.expand-leave{overflow:hidden}.expand-leave-active{transition:all .2s ease-out}.expand-leave-active>*{-webkit-animation-name:expandOutWithFade;-moz-animation-name:expandOutWithFade;-ms-animation-name:expandOutWithFade;-o-animation-name:expandOutWithFade;animation-name:expandOutWithFade;-webkit-animation-iteration-count:1;-webkit-animation-iteration-count:var(--countDefault,1);-moz-animation-iteration-count:1;-moz-animation-iteration-count:var(--countDefault,1);-ms-animation-iteration-count:1;-ms-animation-iteration-count:var(--countDefault,1);-o-animation-iteration-count:1;-o-animation-iteration-count:var(--countDefault,1);animation-iteration-count:1;animation-iteration-count:var(--countDefault,1);-webkit-animation-duration:.2s;-moz-animation-duration:.2s;-ms-animation-duration:.2s;-o-animation-duration:.2s;animation-duration:.2s;-webkit-animation-delay:0s;-webkit-animation-delay:var(--delayDefault,0s);-moz-animation-delay:0s;-moz-animation-delay:var(--delayDefault,0s);-ms-animation-delay:0s;-ms-animation-delay:var(--delayDefault,0s);-o-animation-delay:0s;-o-animation-delay:var(--delayDefault,0s);animation-delay:0s;animation-delay:var(--delayDefault,0s);-webkit-animation-timing-function:cubic-bezier(.23,1,.32,1);-webkit-animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));-moz-animation-timing-function:cubic-bezier(.23,1,.32,1);-moz-animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));-ms-animation-timing-function:cubic-bezier(.23,1,.32,1);-ms-animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));-o-animation-timing-function:cubic-bezier(.23,1,.32,1);-o-animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));animation-timing-function:cubic-bezier(.23,1,.32,1);animation-timing-function:var(--functionDefault,cubic-bezier(.23,1,.32,1));-webkit-animation-fill-mode:forwards;-moz-animation-fill-mode:forwards;-ms-animation-fill-mode:forwards;-o-animation-fill-mode:forwards;animation-fill-mode:forwards;-webkit-backface-visibility:hidden;-webkit-backface-visibility:var(--visibilityDefault,hidden);-moz-backface-visibility:hidden;-moz-backface-visibility:var(--visibilityDefault,hidden);-ms-backface-visibility:hidden;-ms-backface-visibility:var(--visibilityDefault,hidden);-o-backface-visibility:hidden;-o-backface-visibility:var(--visibilityDefault,hidden);backface-visibility:hidden;backface-visibility:var(--visibilityDefault,hidden)}.next-sr-only{position:absolute;width:1px;height:1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);white-space:nowrap;border:0;top:0;margin:-1px}.next-badge{box-sizing:border-box;position:relative;display:inline-block;vertical-align:middle;line-height:1}.next-badge *,.next-badge :after,.next-badge :before{box-sizing:border-box}.next-badge .next-badge-count{color:#fff;color:var(--badge-color,#fff);background:#ff3000;background:var(--badge-color-bg,#ff3000);text-align:center;white-space:nowrap;border-radius:8px;border-radius:var(--badge-size-count-border-radius,8px);position:absolute;width:auto;width:var(--badge-size-count-width,auto);height:16px;height:var(--badge-size-count-height,16px);min-width:16px;min-width:var(--badge-size-count-min-width,16px);padding:0 4px 0 4px;padding:var(--badge-size-count-padding,0 4px 0 4px);font-size:12px;font-size:var(--badge-size-count-font,12px);line-height:16px;line-height:var(--badge-size-count-lineheight,16px);transform:translateX(-50%);top:-.5em}.next-badge .next-badge-count a,.next-badge .next-badge-count a:hover{color:#fff;color:var(--badge-color,#fff)}.next-badge .next-badge-dot{color:#fff;color:var(--badge-dot-color,#fff);background:#ff3000;background:var(--badge-dot-color-bg,#ff3000);text-align:center;white-space:nowrap;border-radius:8px;border-radius:var(--badge-size-dot-border-radius,8px);position:absolute;width:8px;width:var(--badge-size-dot-width,8px);height:8px;height:var(--badge-size-dot-height,8px);min-width:8px;min-width:var(--badge-size-dot-min-width,8px);padding:0;padding:var(--badge-size-dot-padding,0);font-size:1px;line-height:1;transform:translateX(-50%);top:-.5em}.next-badge .next-badge-dot a,.next-badge .next-badge-dot a:hover{color:#fff;color:var(--badge-dot-color,#fff)}.next-badge .next-badge-custom{line-height:1.166667;white-space:nowrap;font-size:12px;font-size:var(--font-size-caption,12px);padding-left:4px;padding-left:var(--badge-size-custom-padding-lr,4px);padding-right:4px;padding-right:var(--badge-size-custom-padding-lr,4px);border-radius:3px;border-radius:var(--badge-size-custom-border-radius,3px);transform:translateX(-50%)}.next-badge .next-badge-custom>*{line-height:1}.next-badge .next-badge-custom>.next-icon:before,.next-badge .next-badge-custom>i:before{font-size:inherit;width:auto;vertical-align:top}.next-badge .next-badge-scroll-number{position:absolute;top:-4px;z-index:10;overflow:hidden;transform-origin:left center}.next-badge-scroll-number-only{position:relative;display:inline-block;transition:transform .1s linear,-webkit-transform .1s linear;transition:transform var(--motion-duration-immediately,100ms) var(--motion-linear,linear),-webkit-transform var(--motion-duration-immediately,100ms) var(--motion-linear,linear);min-width:8px;min-width:var(--badge-size-dot-min-width,8px)}.next-badge-scroll-number-only span{display:block;height:16px;height:var(--badge-size-count-height,16px);line-height:16px;line-height:var(--badge-size-count-height,16px);font-size:12px;font-size:var(--badge-size-count-font,12px)}.next-badge-not-a-wrapper .next-badge-count,.next-badge-not-a-wrapper .next-badge-custom{position:relative;display:block;top:auto;transform:translateX(0)}.next-badge-not-a-wrapper .next-badge-dot{position:relative;display:block;top:auto;transform:translateX(0)}.next-badge-list-wrapper{margin-left:0}.next-badge-list-wrapper li{margin-bottom:0;margin-bottom:var(--badge-size-list-margin,0);list-style:none}.next-badge[dir=rtl] .next-badge-custom{padding-right:4px;padding-right:var(--badge-size-custom-padding-lr,4px);padding-left:4px;padding-left:var(--badge-size-custom-padding-lr,4px)}.next-badge[dir=rtl] .next-badge-scroll-number{left:0;transform-origin:right center}.next-sr-only{position:absolute;width:1px;height:1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);white-space:nowrap;border:0;top:0;margin:-1px}.next-balloon{box-sizing:border-box;position:absolute;max-width:300px;max-width:var(--balloon-size-max-width,300px);border-style:solid;border-style:var(--balloon-border-style,solid);border-radius:3px;border-radius:var(--balloon-corner,3px);font-size:12px;font-size:var(--balloon-content-font-size,12px);font-weight:400;font-weight:var(--balloon-content-font-weight,normal);animation-duration:.3s;animation-duration:var(--motion-duration-standard,300ms);animation-timing-function:ease-in-out;animation-timing-function:var(--motion-ease-in-out,ease-in-out);word-wrap:break-all;word-wrap:break-word;z-index:0}.next-balloon *,.next-balloon :after,.next-balloon :before{box-sizing:border-box}.next-balloon :focus,.next-balloon:focus{outline:0}.next-balloon-primary{color:#333;color:var(--balloon-primary-color,#333);border-color:#4494f9;border-color:var(--balloon-primary-color-border,#4494f9);background-color:#e3f2fd;background-color:var(--balloon-primary-color-bg,#e3f2fd);box-shadow:0 1px 3px 0 rgba(0,0,0,.12);box-shadow:var(--balloon-primary-shadow,0 1px 3px 0 rgba(0,0,0,.12));border-width:1px;border-width:var(--balloon-primary-border-width,1px)}.next-balloon-primary .next-balloon-close{position:absolute;top:12px;top:var(--balloon-size-close-margin-top,12px);right:12px;right:var(--balloon-size-close-margin-right,12px);font-size:12px;font-size:var(--balloon-size-close,12px);cursor:pointer;color:#999;color:var(--balloon-primary-color-close,#999)}.next-balloon-primary .next-balloon-close .next-icon{width:12px;width:var(--balloon-size-close,12px);height:12px;height:var(--balloon-size-close,12px);line-height:1em}.next-balloon-primary .next-balloon-close .next-icon:before{width:12px;width:var(--balloon-size-close,12px);height:12px;height:var(--balloon-size-close,12px);font-size:12px;font-size:var(--balloon-size-close,12px);line-height:1em}.next-balloon-primary .next-balloon-close :hover{color:#333;color:var(--balloon-primary-color-close-hover,#333)}.next-balloon-primary:after{position:absolute;width:12px;width:var(--balloon-size-arrow-size,12px);height:12px;height:var(--balloon-size-arrow-size,12px);content:'';transform:rotate(45deg);box-sizing:content-box!important;border:1px solid #4494f9;border:var(--balloon-primary-border-width,1px) var(--balloon-border-style,solid) var(--balloon-primary-color-border,#4494f9);background-color:#e3f2fd;background-color:var(--balloon-primary-color-bg,#e3f2fd);z-index:-1}.next-balloon-primary.next-balloon-top:after{top:-7px;top:var(--balloon-size-arrow-expose-primary,-7px);left:calc(50% - 7px);left:calc(50% + var(--balloon-size-arrow-expose-primary,calc(0px - 12px / 2 - 1px)));border-right:none;border-bottom:none}.next-balloon-primary.next-balloon-right:after{top:calc(50% - 7px);top:calc(50% + var(--balloon-size-arrow-expose-primary,calc(0px - 12px / 2 - 1px)));right:-7px;right:var(--balloon-size-arrow-expose-primary,-7px);border-left:none;border-bottom:none}.next-balloon-primary.next-balloon-bottom:after{bottom:-7px;bottom:var(--balloon-size-arrow-expose-primary,-7px);left:calc(50% - 7px);left:calc(50% + var(--balloon-size-arrow-expose-primary,calc(0px - 12px / 2 - 1px)));border-top:none;border-left:none}.next-balloon-primary.next-balloon-left:after{top:calc(50% - 7px);top:calc(50% + var(--balloon-size-arrow-expose-primary,calc(0px - 12px / 2 - 1px)));left:-7px;left:var(--balloon-size-arrow-expose-primary,-7px);border-top:none;border-right:none}.next-balloon-primary.next-balloon-left-top:after{top:12px;top:var(--balloon-size-arrow-margin,12px);left:-7px;left:var(--balloon-size-arrow-expose-primary,-7px);border-top:none;border-right:none}.next-balloon-primary.next-balloon-left-bottom:after{bottom:12px;bottom:var(--balloon-size-arrow-margin,12px);left:-7px;left:var(--balloon-size-arrow-expose-primary,-7px);border-top:none;border-right:none}.next-balloon-primary.next-balloon-right-top:after{top:12px;top:var(--balloon-size-arrow-margin,12px);right:-7px;right:var(--balloon-size-arrow-expose-primary,-7px);border-bottom:none;border-left:none}.next-balloon-primary.next-balloon-right-bottom:after{right:-7px;right:var(--balloon-size-arrow-expose-primary,-7px);bottom:12px;bottom:var(--balloon-size-arrow-margin,12px);border-bottom:none;border-left:none}.next-balloon-primary.next-balloon-top-left:after{top:-7px;top:var(--balloon-size-arrow-expose-primary,-7px);left:12px;left:var(--balloon-size-arrow-margin,12px);border-right:none;border-bottom:none}.next-balloon-primary.next-balloon-top-right:after{top:-7px;top:var(--balloon-size-arrow-expose-primary,-7px);right:12px;right:var(--balloon-size-arrow-margin,12px);border-right:none;border-bottom:none}.next-balloon-primary.next-balloon-bottom-left:after{bottom:-7px;bottom:var(--balloon-size-arrow-expose-primary,-7px);left:12px;left:var(--balloon-size-arrow-margin,12px);border-top:none;border-left:none}.next-balloon-primary.next-balloon-bottom-right:after{right:12px;right:var(--balloon-size-arrow-margin,12px);bottom:-7px;bottom:var(--balloon-size-arrow-expose-primary,-7px);border-top:none;border-left:none}.next-balloon-normal{color:#333;color:var(--balloon-normal-color,#333);border-color:#dcdee3;border-color:var(--balloon-normal-color-border,#dcdee3);background-color:#fff;background-color:var(--balloon-normal-color-bg,#fff);box-shadow:0 2px 4px 0 rgba(0,0,0,.12);box-shadow:var(--balloon-normal-shadow,0 2px 4px 0 rgba(0,0,0,.12));border-width:1px;border-width:var(--balloon-normal-border-width,1px)}.next-balloon-normal .next-balloon-close{position:absolute;top:12px;top:var(--balloon-size-close-margin-top,12px);right:12px;right:var(--balloon-size-close-margin-right,12px);font-size:12px;font-size:var(--balloon-size-close,12px);cursor:pointer;color:#999;color:var(--balloon-normal-color-close,#999)}.next-balloon-normal .next-balloon-close .next-icon{width:12px;width:var(--balloon-size-close,12px);height:12px;height:var(--balloon-size-close,12px);line-height:1em}.next-balloon-normal .next-balloon-close .next-icon:before{width:12px;width:var(--balloon-size-close,12px);height:12px;height:var(--balloon-size-close,12px);font-size:12px;font-size:var(--balloon-size-close,12px);line-height:1em}.next-balloon-normal .next-balloon-close :hover{color:#666;color:var(--balloon-normal-color-close-hover,#666)}.next-balloon-normal:after{position:absolute;width:12px;width:var(--balloon-size-arrow-size,12px);height:12px;height:var(--balloon-size-arrow-size,12px);content:'';transform:rotate(45deg);box-sizing:content-box!important;border:1px solid #dcdee3;border:var(--balloon-normal-border-width,1px) var(--balloon-border-style,solid) var(--balloon-normal-color-border,#dcdee3);background-color:#fff;background-color:var(--balloon-normal-color-bg,#fff);z-index:-1}.next-balloon-normal.next-balloon-top:after{top:-7px;top:var(--balloon-size-arrow-expose,-7px);left:calc(50% - 7px);left:calc(50% + var(--balloon-size-arrow-expose,calc(0px - 12px / 2 - 1px)));border-right:none;border-bottom:none}.next-balloon-normal.next-balloon-right:after{top:calc(50% - 7px);top:calc(50% + var(--balloon-size-arrow-expose,calc(0px - 12px / 2 - 1px)));right:-7px;right:var(--balloon-size-arrow-expose,-7px);border-left:none;border-bottom:none}.next-balloon-normal.next-balloon-bottom:after{bottom:-7px;bottom:var(--balloon-size-arrow-expose,-7px);left:calc(50% - 7px);left:calc(50% + var(--balloon-size-arrow-expose,calc(0px - 12px / 2 - 1px)));border-top:none;border-left:none}.next-balloon-normal.next-balloon-left:after{top:calc(50% - 7px);top:calc(50% + var(--balloon-size-arrow-expose,calc(0px - 12px / 2 - 1px)));left:-7px;left:var(--balloon-size-arrow-expose,-7px);border-top:none;border-right:none}.next-balloon-normal.next-balloon-left-top:after{top:12px;top:var(--balloon-size-arrow-margin,12px);left:-7px;left:var(--balloon-size-arrow-expose,-7px);border-top:none;border-right:none}.next-balloon-normal.next-balloon-left-bottom:after{bottom:12px;bottom:var(--balloon-size-arrow-margin,12px);left:-7px;left:var(--balloon-size-arrow-expose,-7px);border-top:none;border-right:none}.next-balloon-normal.next-balloon-right-top:after{top:12px;top:var(--balloon-size-arrow-margin,12px);right:-7px;right:var(--balloon-size-arrow-expose,-7px);border-bottom:none;border-left:none}.next-balloon-normal.next-balloon-right-bottom:after{right:-7px;right:var(--balloon-size-arrow-expose,-7px);bottom:12px;bottom:var(--balloon-size-arrow-margin,12px);border-bottom:none;border-left:none}.next-balloon-normal.next-balloon-top-left:after{top:-7px;top:var(--balloon-size-arrow-expose,-7px);left:12px;left:var(--balloon-size-arrow-margin,12px);border-right:none;border-bottom:none}.next-balloon-normal.next-balloon-top-right:after{top:-7px;top:var(--balloon-size-arrow-expose,-7px);right:12px;right:var(--balloon-size-arrow-margin,12px);border-right:none;border-bottom:none}.next-balloon-normal.next-balloon-bottom-left:after{bottom:-7px;bottom:var(--balloon-size-arrow-expose,-7px);left:12px;left:var(--balloon-size-arrow-margin,12px);border-top:none;border-left:none}.next-balloon-normal.next-balloon-bottom-right:after{right:12px;right:var(--balloon-size-arrow-margin,12px);bottom:-7px;bottom:var(--balloon-size-arrow-expose,-7px);border-top:none;border-left:none}.next-balloon.visible{display:block}.next-balloon.hidden{display:none}.next-balloon-medium{padding:16px 16px 16px 16px;padding:var(--balloon-size-padding-top,16px) var(--balloon-size-padding-right,16px) var(--balloon-size-padding-top,16px) var(--balloon-size-padding-right,16px)}.next-balloon-closable{padding:16px 40px 16px 16px;padding:var(--balloon-size-padding-top,16px) var(--balloon-size-padding-closable-right,40px) var(--balloon-size-padding-top,16px) var(--balloon-size-padding-right,16px)}.next-balloon-tooltip{box-sizing:border-box;position:absolute;max-width:300px;max-width:var(--balloon-size-max-width,300px);border-style:solid;border-style:var(--balloon-tooltip-border-style,solid);border-radius:3px;border-radius:var(--balloon-corner,3px);font-size:12px;font-size:var(--balloon-tooltip-content-font-size,12px);font-weight:400;font-weight:var(--balloon-tooltip-content-font-weight,normal);z-index:0;word-wrap:break-all;word-wrap:break-word;color:#333;color:var(--balloon-tooltip-color,#333);border-color:#dcdee3;border-color:var(--balloon-tooltip-color-border,#dcdee3);background-color:#f2f3f7;background-color:var(--balloon-tooltip-color-bg,#f2f3f7);box-shadow:none;box-shadow:var(--balloon-tooltip-shadow,none);border-width:1px;border-width:var(--balloon-tooltip-border-width,1px)}.next-balloon-tooltip *,.next-balloon-tooltip :after,.next-balloon-tooltip :before{box-sizing:border-box}.next-balloon-tooltip .next-balloon-arrow{position:absolute;display:block;width:24px;width:calc(var(--balloon-size-arrow-size,12px)*2);height:24px;height:calc(var(--balloon-size-arrow-size,12px)*2);overflow:hidden;background:0 0;pointer-events:none}.next-balloon-tooltip .next-balloon-arrow .next-balloon-arrow-content{content:"";position:absolute;top:0;right:0;bottom:0;left:0;display:block;width:12px;width:var(--balloon-size-arrow-size,12px);height:12px;height:var(--balloon-size-arrow-size,12px);margin:auto;background-color:#f2f3f7;background-color:var(--balloon-tooltip-color-bg,#f2f3f7);border:1px solid #dcdee3;border:var(--balloon-tooltip-border-width,1px) var(--balloon-tooltip-border-style,solid) var(--balloon-tooltip-color-border,#dcdee3);pointer-events:auto}.next-balloon-tooltip-top .next-balloon-arrow{top:-24px;top:calc(0px - var(--balloon-size-arrow-size,12px)*2);left:calc(50% - 12px);left:calc(50% - var(--balloon-size-arrow-size,12px))}.next-balloon-tooltip-top .next-balloon-arrow .next-balloon-arrow-content{transform:translateY(12px) rotate(45deg);transform:translateY(var(--balloon-size-arrow-size,12px)) rotate(45deg)}.next-balloon-tooltip-right .next-balloon-arrow{top:calc(50% - 12px);top:calc(50% - var(--balloon-size-arrow-size,12px));right:-24px;right:calc(0px - var(--balloon-size-arrow-size,12px)*2)}.next-balloon-tooltip-right .next-balloon-arrow .next-balloon-arrow-content{transform:translateX(-12px) rotate(45deg);transform:translateX(calc(0 - var(--balloon-size-arrow-size,12px))) rotate(45deg)}.next-balloon-tooltip-bottom .next-balloon-arrow{left:calc(50% - 12px);left:calc(50% - var(--balloon-size-arrow-size,12px));bottom:-24px;bottom:calc(0px - var(--balloon-size-arrow-size,12px)*2)}.next-balloon-tooltip-bottom .next-balloon-arrow .next-balloon-arrow-content{transform:translateY(-12px) rotate(45deg);transform:translateY(calc(0 - var(--balloon-size-arrow-size,12px))) rotate(45deg)}.next-balloon-tooltip-left .next-balloon-arrow{top:calc(50% - 12px);top:calc(50% - var(--balloon-size-arrow-size,12px));left:-24px;left:calc(0px - var(--balloon-size-arrow-size,12px)*2)}.next-balloon-tooltip-left .next-balloon-arrow .next-balloon-arrow-content{transform:translateX(12px) rotate(45deg);transform:translateX(var(--balloon-size-arrow-size,12px)) rotate(45deg)}.next-balloon-tooltip-left-top .next-balloon-arrow{top:6px;top:calc(var(--balloon-size-arrow-margin,12px) - var(--balloon-size-arrow-size,12px)/ 2);left:-24px;left:calc(0px - var(--balloon-size-arrow-size,12px)*2)}.next-balloon-tooltip-left-top .next-balloon-arrow .next-balloon-arrow-content{transform:translateX(12px) rotate(45deg);transform:translateX(var(--balloon-size-arrow-size,12px)) rotate(45deg)}.next-balloon-tooltip-left-bottom .next-balloon-arrow{bottom:6px;bottom:calc(var(--balloon-size-arrow-margin,12px) - var(--balloon-size-arrow-size,12px)/ 2);left:-24px;left:calc(0px - var(--balloon-size-arrow-size,12px)*2)}.next-balloon-tooltip-left-bottom .next-balloon-arrow .next-balloon-arrow-content{transform:translateX(12px) rotate(45deg);transform:translateX(var(--balloon-size-arrow-size,12px)) rotate(45deg)}.next-balloon-tooltip-right-top .next-balloon-arrow{top:6px;top:calc(var(--balloon-size-arrow-margin,12px) - var(--balloon-size-arrow-size,12px)/ 2);right:-24px;right:calc(0px - var(--balloon-size-arrow-size,12px)*2)}.next-balloon-tooltip-right-top .next-balloon-arrow .next-balloon-arrow-content{transform:translateX(-12px) rotate(45deg);transform:translateX(calc(0 - var(--balloon-size-arrow-size,12px))) rotate(45deg)}.next-balloon-tooltip-right-bottom .next-balloon-arrow{bottom:6px;bottom:calc(var(--balloon-size-arrow-margin,12px) - var(--balloon-size-arrow-size,12px)/ 2);right:-24px;right:calc(0px - var(--balloon-size-arrow-size,12px)*2)}.next-balloon-tooltip-right-bottom .next-balloon-arrow .next-balloon-arrow-content{transform:translateX(-12px) rotate(45deg);transform:translateX(calc(0 - var(--balloon-size-arrow-size,12px))) rotate(45deg)}.next-balloon-tooltip-top-left .next-balloon-arrow{left:6px;left:calc(var(--balloon-size-arrow-margin,12px) - var(--balloon-size-arrow-size,12px)/ 2);top:-24px;top:calc(0px - var(--balloon-size-arrow-size,12px)*2)}.next-balloon-tooltip-top-left .next-balloon-arrow .next-balloon-arrow-content{transform:translateY(12px) rotate(45deg);transform:translateY(var(--balloon-size-arrow-size,12px)) rotate(45deg)}.next-balloon-tooltip-top-right .next-balloon-arrow{right:6px;right:calc(var(--balloon-size-arrow-margin,12px) - var(--balloon-size-arrow-size,12px)/ 2);top:-24px;top:calc(0px - var(--balloon-size-arrow-size,12px)*2)}.next-balloon-tooltip-top-right .next-balloon-arrow .next-balloon-arrow-content{transform:translateY(12px) rotate(45deg);transform:translateY(var(--balloon-size-arrow-size,12px)) rotate(45deg)}.next-balloon-tooltip-bottom-left .next-balloon-arrow{left:6px;left:calc(var(--balloon-size-arrow-margin,12px) - var(--balloon-size-arrow-size,12px)/ 2);bottom:-24px;bottom:calc(0px - var(--balloon-size-arrow-size,12px)*2)}.next-balloon-tooltip-bottom-left .next-balloon-arrow .next-balloon-arrow-content{transform:translateY(-12px) rotate(45deg);transform:translateY(calc(0 - var(--balloon-size-arrow-size,12px))) rotate(45deg)}.next-balloon-tooltip-bottom-right .next-balloon-arrow{right:6px;right:calc(var(--balloon-size-arrow-margin,12px) - var(--balloon-size-arrow-size,12px)/ 2);bottom:-24px;bottom:calc(0px - var(--balloon-size-arrow-size,12px)*2)}.next-balloon-tooltip-bottom-right .next-balloon-arrow .next-balloon-arrow-content{transform:translateY(-12px) rotate(45deg);transform:translateY(calc(0 - var(--balloon-size-arrow-size,12px))) rotate(45deg)}.next-balloon-tooltip.visible{display:block}.next-balloon-tooltip.hidden{display:none}.next-balloon-tooltip-medium{padding:8px 8px 8px 8px;padding:var(--balloon-tooltip-size-padding-top,8px) var(--balloon-tooltip-size-padding-right,8px) var(--balloon-tooltip-size-padding-bottom,8px) var(--balloon-tooltip-size-padding-left,8px)}.next-balloon[dir=rtl].next-balloon-primary .next-balloon-close{left:12px;left:var(--balloon-size-close-margin-right,12px);right:auto}.next-balloon[dir=rtl].next-balloon-primary.next-balloon-right:after{left:-7px;left:var(--balloon-size-arrow-expose-primary,-7px);right:auto;border-right:none;border-top:none;border-left:inherit;border-bottom:inherit}.next-balloon[dir=rtl].next-balloon-primary.next-balloon-left:after{right:-7px;right:var(--balloon-size-arrow-expose-primary,-7px);left:auto;border-left:none;border-bottom:none;border-right:inherit;border-top:inherit}.next-balloon[dir=rtl].next-balloon-primary.next-balloon-left-top:after{right:-7px;right:var(--balloon-size-arrow-expose-primary,-7px);left:auto;border-left:none;border-bottom:none;border-top:inherit;border-right:inherit}.next-balloon[dir=rtl].next-balloon-primary.next-balloon-left-bottom:after{right:-7px;right:var(--balloon-size-arrow-expose-primary,-7px);left:auto;border-left:none;border-bottom:none;border-top:inherit;border-right:inherit}.next-balloon[dir=rtl].next-balloon-primary.next-balloon-right-top:after{left:-7px;left:var(--balloon-size-arrow-expose-primary,-7px);right:auto;border-right:none;border-top:none;border-bottom:inherit;border-left:inherit}.next-balloon[dir=rtl].next-balloon-primary.next-balloon-right-bottom:after{left:-7px;left:var(--balloon-size-arrow-expose-primary,-7px);right:auto;border-right:none;border-top:none;border-bottom:inherit;border-left:inherit}.next-balloon[dir=rtl].next-balloon-primary.next-balloon-top-left:after{right:12px;right:var(--balloon-size-arrow-margin,12px);left:auto}.next-balloon[dir=rtl].next-balloon-primary.next-balloon-top-right:after{right:auto;left:12px;left:var(--balloon-size-arrow-margin,12px)}.next-balloon[dir=rtl].next-balloon-primary.next-balloon-bottom-left:after{right:12px;right:var(--balloon-size-arrow-margin,12px);left:auto}.next-balloon[dir=rtl].next-balloon-primary.next-balloon-bottom-right:after{left:12px;left:var(--balloon-size-arrow-margin,12px);right:auto}.next-balloon[dir=rtl].next-balloon-normal .next-balloon-close{left:12px;left:var(--balloon-size-close-margin-right,12px);right:auto}.next-balloon[dir=rtl].next-balloon-normal.next-balloon-right:after{left:-7px;left:var(--balloon-size-arrow-expose,-7px);right:auto;border-right:none;border-top:none;border-left:inherit;border-bottom:inherit}.next-balloon[dir=rtl].next-balloon-normal.next-balloon-left:after{right:-7px;right:var(--balloon-size-arrow-expose,-7px);left:auto;border-left:none;border-bottom:none;border-right:inherit;border-top:inherit}.next-balloon[dir=rtl].next-balloon-normal.next-balloon-left-top:after{right:-7px;right:var(--balloon-size-arrow-expose,-7px);left:auto;border-left:none;border-bottom:none;border-top:inherit;border-right:inherit}.next-balloon[dir=rtl].next-balloon-normal.next-balloon-left-bottom:after{right:-7px;right:var(--balloon-size-arrow-expose,-7px);left:auto;border-left:none;border-bottom:none;border-top:inherit;border-right:inherit}.next-balloon[dir=rtl].next-balloon-normal.next-balloon-right-top:after{left:-7px;left:var(--balloon-size-arrow-expose,-7px);right:auto;border-right:none;border-top:none;border-bottom:inherit;border-left:inherit}.next-balloon[dir=rtl].next-balloon-normal.next-balloon-right-bottom:after{left:-7px;left:var(--balloon-size-arrow-expose,-7px);right:auto;border-right:none;border-top:none;border-bottom:inherit;border-left:inherit}.next-balloon[dir=rtl].next-balloon-normal.next-balloon-top-left:after{right:12px;right:var(--balloon-size-arrow-margin,12px);left:auto}.next-balloon[dir=rtl].next-balloon-normal.next-balloon-top-right:after{right:auto;left:12px;left:var(--balloon-size-arrow-margin,12px)}.next-balloon[dir=rtl].next-balloon-normal.next-balloon-bottom-left:after{right:12px;right:var(--balloon-size-arrow-margin,12px);left:auto}.next-balloon[dir=rtl].next-balloon-normal.next-balloon-bottom-right:after{left:12px;left:var(--balloon-size-arrow-margin,12px);right:auto}.next-balloon[dir=rtl].next-balloon-closable{padding:16px 16px 16px 40px;padding:var(--balloon-size-padding-top,16px) var(--balloon-size-padding-right,16px) var(--balloon-size-padding-top,16px) var(--balloon-size-padding-closable-right,40px)}.next-balloon-tooltip[dir=rtl].next-balloon-tooltip-right .next-balloon-arrow{left:-24px;left:calc(0px - var(--balloon-size-arrow-size,12px)*2);right:auto}.next-balloon-tooltip[dir=rtl].next-balloon-tooltip-right .next-balloon-arrow .next-balloon-arrow-content{transform:translateX(12px) rotate(45deg);transform:translateX(var(--balloon-size-arrow-size,12px)) rotate(45deg)}.next-balloon-tooltip[dir=rtl].next-balloon-tooltip-left .next-balloon-arrow{right:-24px;right:calc(0px - var(--balloon-size-arrow-size,12px)*2);left:auto}.next-balloon-tooltip[dir=rtl].next-balloon-tooltip-left .next-balloon-arrow .next-balloon-arrow-content{transform:translateX(-12px) rotate(45deg)}.next-balloon-tooltip[dir=rtl].next-balloon-tooltip-left-top .next-balloon-arrow{right:-24px;right:calc(0px - var(--balloon-size-arrow-size,12px)*2);left:auto}.next-balloon-tooltip[dir=rtl].next-balloon-tooltip-left-top .next-balloon-arrow .next-balloon-arrow-content{transform:translateX(-12px) rotate(45deg)}.next-balloon-tooltip[dir=rtl].next-balloon-tooltip-left-bottom .next-balloon-arrow{right:-24px;right:calc(0px - var(--balloon-size-arrow-size,12px)*2);left:auto}.next-balloon-tooltip[dir=rtl].next-balloon-tooltip-left-bottom .next-balloon-arrow .next-balloon-arrow-content{transform:translateX(-12px) rotate(45deg)}.next-balloon-tooltip[dir=rtl].next-balloon-tooltip-right-top .next-balloon-arrow{left:-24px;left:calc(0px - var(--balloon-size-arrow-size,12px)*2);right:auto}.next-balloon-tooltip[dir=rtl].next-balloon-tooltip-right-top .next-balloon-arrow .next-balloon-arrow-content{transform:translateX(12px) rotate(45deg);transform:translateX(var(--balloon-size-arrow-size,12px)) rotate(45deg)}.next-balloon-tooltip[dir=rtl].next-balloon-tooltip-right-bottom .next-balloon-arrow{left:-24px;left:calc(0px - var(--balloon-size-arrow-size,12px)*2);right:auto}.next-balloon-tooltip[dir=rtl].next-balloon-tooltip-right-bottom .next-balloon-arrow .next-balloon-arrow-content{transform:translateX(12px) rotate(45deg);transform:translateX(var(--balloon-size-arrow-size,12px)) rotate(45deg)}.next-balloon-tooltip[dir=rtl].next-balloon-tooltip-top-left .next-balloon-arrow{right:10px;right:calc(var(--balloon-size-arrow-margin,12px) - 2px);left:auto}.next-balloon-tooltip[dir=rtl].next-balloon-tooltip-top-right .next-balloon-arrow{left:10px;left:calc(var(--balloon-size-arrow-margin,12px) - 2px);right:auto}.next-balloon-tooltip[dir=rtl].next-balloon-tooltip-bottom-left .next-balloon-arrow{right:10px;right:calc(var(--balloon-size-arrow-margin,12px) - 2px);left:auto}.next-balloon-tooltip[dir=rtl].next-balloon-tooltip-bottom-right .next-balloon-arrow{left:10px;left:calc(var(--balloon-size-arrow-margin,12px) - 2px);right:auto}.next-balloon-tooltip[dir=rtl].next-balloon-tooltip-medium{padding:8px 8px 8px 8px;padding:var(--balloon-tooltip-size-padding-top,8px) var(--balloon-tooltip-size-padding-left,8px) var(--balloon-tooltip-size-padding-bottom,8px) var(--balloon-tooltip-size-padding-right,8px)}.next-sr-only{position:absolute;width:1px;height:1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);white-space:nowrap;border:0;top:0;margin:-1px}.next-breadcrumb{display:block;margin:0;padding:0;white-space:nowrap;height:16px;height:var(--breadcrumb-height,16px);line-height:16px;line-height:var(--breadcrumb-height,16px)}.next-breadcrumb .next-breadcrumb-item{display:inline-block}.next-breadcrumb .next-breadcrumb-item .next-breadcrumb-text{display:inline-block;text-decoration:none;text-align:center;overflow:hidden;text-overflow:ellipsis;white-space:nowrap;transition:all .1s linear;transition:all var(--motion-duration-immediately,100ms) var(--motion-linear,linear)}.next-breadcrumb .next-breadcrumb-item .next-breadcrumb-text>b{font-weight:400}.next-breadcrumb .next-breadcrumb-item .next-breadcrumb-separator{display:inline-block;vertical-align:top}.next-breadcrumb .next-breadcrumb-text{height:16px;height:var(--breadcrumb-height,16px);min-width:16px;min-width:var(--breadcrumb-text-min-width,16px);font-size:12px;font-size:var(--breadcrumb-size-m-font-size,12px);line-height:16px;line-height:var(--breadcrumb-height,16px)}.next-breadcrumb .next-breadcrumb-separator{height:16px;height:var(--breadcrumb-height,16px);margin:0 8px;margin:0 var(--breadcrumb-size-m-icon-margin,8px);font-size:8px;font-size:var(--breadcrumb-size-m-icon-size,8px);line-height:16px;line-height:var(--breadcrumb-height,16px)}.next-breadcrumb .next-breadcrumb-separator .next-icon:before{display:block}.next-breadcrumb .next-breadcrumb-separator .next-icon .next-icon-remote,.next-breadcrumb .next-breadcrumb-separator .next-icon:before{width:8px;width:var(--breadcrumb-size-m-icon-size,8px);font-size:8px;font-size:var(--breadcrumb-size-m-icon-size,8px);line-height:inherit}@media all and (-webkit-min-device-pixel-ratio:0) and (min-resolution:0.001dpcm){.next-breadcrumb .next-breadcrumb-separator .next-icon{transform:scale(.5);margin-left:-4px;margin-left:calc(0px - var(--icon-s,16px)/ 2 + var(--breadcrumb-size-m-icon-size,8px)/ 2);margin-right:-4px;margin-right:calc(0px - var(--icon-s,16px)/ 2 + var(--breadcrumb-size-m-icon-size,8px)/ 2)}.next-breadcrumb .next-breadcrumb-separator .next-icon:before{width:16px;width:var(--icon-s,16px);font-size:16px;font-size:var(--icon-s,16px)}}.next-breadcrumb .next-breadcrumb-text-ellipsis{font-size:12px;font-size:var(--breadcrumb-size-ellipsis-font-size,12px)}.next-breadcrumb .next-breadcrumb-text{color:#666;color:var(--breadcrumb-text-color,#666)}.next-breadcrumb .next-breadcrumb-text>b{color:#5584ff;color:var(--breadcrumb-text-keyword-color,#5584ff)}.next-breadcrumb .next-breadcrumb-text>a{color:#666;color:var(--breadcrumb-text-color,#666);text-decoration:none;text-align:center}.next-breadcrumb .next-breadcrumb-text.activated{color:#333;color:var(--breadcrumb-text-current-color,#333);font-weight:400;font-weight:var(--breadcrumb-text-current-weight,normal)}.next-breadcrumb .next-breadcrumb-text.activated>a{color:#333;color:var(--breadcrumb-text-current-color,#333);font-weight:400;font-weight:var(--breadcrumb-text-current-weight,normal)}.next-breadcrumb .next-breadcrumb-text-ellipsis{color:#666;color:var(--breadcrumb-text-ellipsis-color,#666);cursor:default}.next-breadcrumb .next-breadcrumb-separator{color:#a0a2ad;color:var(--breadcrumb-icon-color,#a0a2ad)}.next-breadcrumb .next-breadcrumb-text:not(.next-breadcrumb-text-ellipsis):hover>a{color:#5584ff;color:var(--breadcrumb-text-color-hover,#5584ff)}.next-breadcrumb a.next-breadcrumb-text.activated:hover>a{color:#5584ff;color:var(--breadcrumb-text-current-color-hover,#5584ff)}.next-breadcrumb a.next-breadcrumb-text:not(.next-breadcrumb-text-ellipsis):hover{color:#5584ff;color:var(--breadcrumb-text-color-hover,#5584ff)}.next-breadcrumb a.next-breadcrumb-text:not(.next-breadcrumb-text-ellipsis):hover>b{color:#5584ff;color:var(--breadcrumb-text-keyword-color-hover,#5584ff)}.next-breadcrumb a.next-breadcrumb-text.activated:hover{color:#5584ff;color:var(--breadcrumb-text-current-color-hover,#5584ff);font-weight:400;font-weight:var(--breadcrumb-text-current-weight,normal)}.next-breadcrumb-icon-sep::before{content:"\E619";content:var(--breadcrumb-icon-sep-content, "\E619")}.next-sr-only{position:absolute;width:1px;height:1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);white-space:nowrap;border:0;top:0;margin:-1px}.next-btn{box-sizing:border-box}.next-btn *,.next-btn :after,.next-btn :before{box-sizing:border-box}.next-btn::-moz-focus-inner{border:0;padding:0}.next-btn,.next-btn:active,.next-btn:focus,.next-btn:hover{outline:0}@keyframes loadingCircle{0%{transform-origin:50% 50%;transform:rotate(0)}100%{transform-origin:50% 50%;transform:rotate(360deg)}}.next-btn{position:relative;display:inline-block;box-shadow:none;box-shadow:var(--btn-shadow,none);text-decoration:none;text-align:center;text-transform:none;white-space:nowrap;vertical-align:middle;user-select:none;transition:all .1s linear;transition:all var(--motion-duration-immediately,100ms) var(--motion-linear,linear);line-height:1;cursor:pointer}.next-btn:after{text-align:center;position:absolute;opacity:0;visibility:hidden;transition:opacity .1s linear;transition:opacity var(--motion-duration-immediately,100ms) var(--motion-linear,linear)}.next-btn::before{content:'';display:inline-block;height:100%;width:0;vertical-align:middle}.next-btn .next-icon{display:inline-block;font-size:0;vertical-align:middle}.next-btn>div,.next-btn>span{display:inline-block;vertical-align:middle}.next-btn>.next-btn-helper{text-decoration:inherit;display:inline-block;vertical-align:middle}.next-btn.hover,.next-btn:hover{box-shadow:none;box-shadow:var(--btn-shadow-hover,none)}.next-btn.next-small{border-radius:3px;border-radius:var(--btn-size-s-corner,3px);padding:0 8px;padding:0 var(--btn-size-s-padding,8px);height:20px;height:var(--btn-size-s-height,20px);font-size:12px;font-size:var(--btn-size-s-font,12px);border-width:1px;border-width:var(--btn-size-s-border-width,1px)}.next-btn.next-small>.next-btn-icon.next-icon-first{margin-left:0;margin-right:4px;margin-right:var(--btn-size-s-icon-margin,4px)}.next-btn.next-small>.next-btn-icon.next-icon-first .next-icon-remote,.next-btn.next-small>.next-btn-icon.next-icon-first:before{width:12px;width:var(--btn-size-s-icon-size,12px);font-size:12px;font-size:var(--btn-size-s-icon-size,12px);line-height:inherit}.next-btn.next-small>.next-btn-icon.next-icon-last{margin-left:4px;margin-left:var(--btn-size-s-icon-margin,4px);margin-right:0}.next-btn.next-small>.next-btn-icon.next-icon-last .next-icon-remote,.next-btn.next-small>.next-btn-icon.next-icon-last:before{width:12px;width:var(--btn-size-s-icon-size,12px);font-size:12px;font-size:var(--btn-size-s-icon-size,12px);line-height:inherit}.next-btn.next-small>.next-btn-icon.next-icon-alone .next-icon-remote,.next-btn.next-small>.next-btn-icon.next-icon-alone:before{width:12px;width:var(--btn-size-s-icon-size,12px);font-size:12px;font-size:var(--btn-size-s-icon-size,12px);line-height:inherit}.next-btn.next-small.next-btn-loading:before{width:12px;width:var(--btn-size-s-icon-size,12px);height:12px;height:var(--btn-size-s-icon-size,12px);font-size:12px;font-size:var(--btn-size-s-icon-size,12px);line-height:12px;line-height:var(--btn-size-s-icon-size,12px);left:8px;left:var(--btn-size-s-padding,8px);top:50%;text-align:center;margin-right:4px;margin-right:var(--btn-size-s-icon-margin,4px)}.next-btn.next-small.next-btn-loading>.next-icon{display:none}.next-btn.next-small>.next-btn-custom-loading-icon{opacity:0;width:0}.next-btn.next-small>.next-btn-custom-loading-icon.show{width:12px;width:var(--btn-size-s-icon-size,12px);margin-right:4px;margin-right:var(--btn-size-s-icon-margin,4px);opacity:1;transition:all .1s linear;transition:all var(--motion-duration-immediately,100ms) var(--motion-linear,linear)}.next-btn.next-medium{border-radius:3px;border-radius:var(--btn-size-m-corner,3px);padding:0 12px;padding:0 var(--btn-size-m-padding,12px);height:28px;height:var(--btn-size-m-height,28px);font-size:12px;font-size:var(--btn-size-m-font,12px);border-width:1px;border-width:var(--btn-size-m-border-width,1px)}.next-btn.next-medium>.next-btn-icon.next-icon-first{margin-left:0;margin-right:4px;margin-right:var(--btn-size-m-icon-margin,4px)}.next-btn.next-medium>.next-btn-icon.next-icon-first .next-icon-remote,.next-btn.next-medium>.next-btn-icon.next-icon-first:before{width:12px;width:var(--btn-size-m-icon-size,12px);font-size:12px;font-size:var(--btn-size-m-icon-size,12px);line-height:inherit}.next-btn.next-medium>.next-btn-icon.next-icon-last{margin-left:4px;margin-left:var(--btn-size-m-icon-margin,4px);margin-right:0}.next-btn.next-medium>.next-btn-icon.next-icon-last .next-icon-remote,.next-btn.next-medium>.next-btn-icon.next-icon-last:before{width:12px;width:var(--btn-size-m-icon-size,12px);font-size:12px;font-size:var(--btn-size-m-icon-size,12px);line-height:inherit}.next-btn.next-medium>.next-btn-icon.next-icon-alone .next-icon-remote,.next-btn.next-medium>.next-btn-icon.next-icon-alone:before{width:12px;width:var(--btn-size-m-icon-size,12px);font-size:12px;font-size:var(--btn-size-m-icon-size,12px);line-height:inherit}.next-btn.next-medium.next-btn-loading:before{width:12px;width:var(--btn-size-m-icon-size,12px);height:12px;height:var(--btn-size-m-icon-size,12px);font-size:12px;font-size:var(--btn-size-m-icon-size,12px);line-height:12px;line-height:var(--btn-size-m-icon-size,12px);left:12px;left:var(--btn-size-m-padding,12px);top:50%;text-align:center;margin-right:4px;margin-right:var(--btn-size-m-icon-margin,4px)}.next-btn.next-medium.next-btn-loading>.next-icon{display:none}.next-btn.next-medium>.next-btn-custom-loading-icon{opacity:0;width:0}.next-btn.next-medium>.next-btn-custom-loading-icon.show{width:12px;width:var(--btn-size-m-icon-size,12px);margin-right:4px;margin-right:var(--btn-size-m-icon-margin,4px);opacity:1;transition:all .1s linear;transition:all var(--motion-duration-immediately,100ms) var(--motion-linear,linear)}.next-btn.next-large{border-radius:3px;border-radius:var(--btn-size-l-corner,3px);padding:0 16px;padding:0 var(--btn-size-l-padding,16px);height:40px;height:var(--btn-size-l-height,40px);font-size:16px;font-size:var(--btn-size-l-font,16px);border-width:1px;border-width:var(--btn-size-l-border-width,1px)}.next-btn.next-large>.next-btn-icon.next-icon-first{margin-left:0;margin-right:4px;margin-right:var(--btn-size-l-icon-margin,4px)}.next-btn.next-large>.next-btn-icon.next-icon-first .next-icon-remote,.next-btn.next-large>.next-btn-icon.next-icon-first:before{width:16px;width:var(--btn-size-l-icon-size,16px);font-size:16px;font-size:var(--btn-size-l-icon-size,16px);line-height:inherit}.next-btn.next-large>.next-btn-icon.next-icon-last{margin-left:4px;margin-left:var(--btn-size-l-icon-margin,4px);margin-right:0}.next-btn.next-large>.next-btn-icon.next-icon-last .next-icon-remote,.next-btn.next-large>.next-btn-icon.next-icon-last:before{width:16px;width:var(--btn-size-l-icon-size,16px);font-size:16px;font-size:var(--btn-size-l-icon-size,16px);line-height:inherit}.next-btn.next-large>.next-btn-icon.next-icon-alone .next-icon-remote,.next-btn.next-large>.next-btn-icon.next-icon-alone:before{width:16px;width:var(--btn-size-l-icon-size,16px);font-size:16px;font-size:var(--btn-size-l-icon-size,16px);line-height:inherit}.next-btn.next-large.next-btn-loading:before{width:16px;width:var(--btn-size-l-icon-size,16px);height:16px;height:var(--btn-size-l-icon-size,16px);font-size:16px;font-size:var(--btn-size-l-icon-size,16px);line-height:16px;line-height:var(--btn-size-l-icon-size,16px);left:16px;left:var(--btn-size-l-padding,16px);top:50%;text-align:center;margin-right:4px;margin-right:var(--btn-size-l-icon-margin,4px)}.next-btn.next-large.next-btn-loading>.next-icon{display:none}.next-btn.next-large>.next-btn-custom-loading-icon{opacity:0;width:0}.next-btn.next-large>.next-btn-custom-loading-icon.show{width:16px;width:var(--btn-size-l-icon-size,16px);margin-right:4px;margin-right:var(--btn-size-l-icon-margin,4px);opacity:1;transition:all .1s linear;transition:all var(--motion-duration-immediately,100ms) var(--motion-linear,linear)}.next-btn.next-btn-normal{border-style:solid;border-style:var(--btn-pure-normal-border-style,solid);background-color:#fff;background-color:var(--btn-pure-normal-bg,#fff);border-color:#c4c6cf;border-color:var(--btn-pure-normal-border-color,#c4c6cf)}.next-btn.next-btn-normal,.next-btn.next-btn-normal.visited,.next-btn.next-btn-normal:link,.next-btn.next-btn-normal:visited{color:#333;color:var(--btn-pure-normal-color,#333)}.next-btn.next-btn-normal.hover,.next-btn.next-btn-normal:focus,.next-btn.next-btn-normal:hover{color:#333;color:var(--btn-pure-normal-color-hover,#333);background-color:#f2f3f7;background-color:var(--btn-pure-normal-bg-hover,#f2f3f7);border-color:#a0a2ad;border-color:var(--btn-pure-normal-border-color-hover,#a0a2ad);text-decoration:none}.next-btn.next-btn-normal.active,.next-btn.next-btn-normal:active{color:#333;color:var(--btn-pure-normal-color-active,#333);background-color:#f2f3f7;background-color:var(--btn-pure-normal-bg-active,#f2f3f7);border-color:#a0a2ad;border-color:var(--btn-pure-normal-border-color-active,#a0a2ad);text-decoration:none}.next-btn.next-btn-primary{border-style:solid;border-style:var(--btn-pure-primary-border-style,solid);background-color:#5584ff;background-color:var(--btn-pure-primary-bg,#5584ff);border-color:transparent;border-color:var(--btn-pure-primary-border-color,transparent)}.next-btn.next-btn-primary,.next-btn.next-btn-primary.visited,.next-btn.next-btn-primary:link,.next-btn.next-btn-primary:visited{color:#fff;color:var(--btn-pure-primary-color,#fff)}.next-btn.next-btn-primary.hover,.next-btn.next-btn-primary:focus,.next-btn.next-btn-primary:hover{color:#fff;color:var(--btn-pure-primary-color-hover,#fff);background-color:#3e71f7;background-color:var(--btn-pure-primary-bg-hover,#3e71f7);border-color:transparent;border-color:var(--btn-pure-primary-border-color-hover,transparent);text-decoration:none}.next-btn.next-btn-primary.active,.next-btn.next-btn-primary:active{color:#fff;color:var(--btn-pure-primary-color-active,#fff);background-color:#3e71f7;background-color:var(--btn-pure-primary-bg-active,#3e71f7);border-color:transparent;border-color:var(--btn-pure-primary-border-color-active,transparent);text-decoration:none}.next-btn.next-btn-secondary{border-style:solid;border-style:var(--btn-pure-secondary-border-style,solid);background-color:#fff;background-color:var(--btn-pure-secondary-bg,#fff);border-color:#5584ff;border-color:var(--btn-pure-secondary-border-color,#5584ff)}.next-btn.next-btn-secondary,.next-btn.next-btn-secondary.visited,.next-btn.next-btn-secondary:link,.next-btn.next-btn-secondary:visited{color:#5584ff;color:var(--btn-pure-secondary-color,#5584ff)}.next-btn.next-btn-secondary.hover,.next-btn.next-btn-secondary:focus,.next-btn.next-btn-secondary:hover{color:#fff;color:var(--btn-pure-secondary-color-hover,#fff);background-color:#3e71f7;background-color:var(--btn-pure-secondary-bg-hover,#3e71f7);border-color:#3e71f7;border-color:var(--btn-pure-secondary-border-color-hover,#3e71f7);text-decoration:none}.next-btn.next-btn-secondary.active,.next-btn.next-btn-secondary:active{color:#fff;color:var(--btn-pure-secondary-color-active,#fff);background-color:#3e71f7;background-color:var(--btn-pure-secondary-bg-active,#3e71f7);border-color:#3e71f7;border-color:var(--btn-pure-secondary-border-color-active,#3e71f7);text-decoration:none}.next-btn.disabled,.next-btn[disabled]{cursor:not-allowed}.next-btn.disabled.next-btn-normal,.next-btn[disabled].next-btn-normal{background-color:#f7f8fa;background-color:var(--btn-pure-normal-bg-disabled,#f7f8fa);border-color:#e6e7eb;border-color:var(--btn-pure-normal-border-color-disabled,#e6e7eb)}.next-btn.disabled.next-btn-normal,.next-btn.disabled.next-btn-normal.visited,.next-btn.disabled.next-btn-normal:link,.next-btn.disabled.next-btn-normal:visited,.next-btn[disabled].next-btn-normal,.next-btn[disabled].next-btn-normal.visited,.next-btn[disabled].next-btn-normal:link,.next-btn[disabled].next-btn-normal:visited{color:#ccc;color:var(--btn-pure-normal-color-disabled,#ccc)}.next-btn.disabled.next-btn-normal.hover,.next-btn.disabled.next-btn-normal:focus,.next-btn.disabled.next-btn-normal:hover,.next-btn[disabled].next-btn-normal.hover,.next-btn[disabled].next-btn-normal:focus,.next-btn[disabled].next-btn-normal:hover{color:#ccc;color:var(--btn-pure-normal-color-disabled,#ccc);background-color:#f7f8fa;background-color:var(--btn-pure-normal-bg-disabled,#f7f8fa);border-color:#e6e7eb;border-color:var(--btn-pure-normal-border-color-disabled,#e6e7eb);text-decoration:none}.next-btn.disabled.next-btn-normal.active,.next-btn.disabled.next-btn-normal:active,.next-btn[disabled].next-btn-normal.active,.next-btn[disabled].next-btn-normal:active{color:#ccc;color:var(--btn-pure-normal-color-disabled,#ccc);background-color:#f7f8fa;background-color:var(--btn-pure-normal-bg-disabled,#f7f8fa);border-color:#e6e7eb;border-color:var(--btn-pure-normal-border-color-disabled,#e6e7eb);text-decoration:none}.next-btn.disabled.next-btn-primary,.next-btn[disabled].next-btn-primary{background-color:#f7f8fa;background-color:var(--btn-pure-primary-bg-disabled,#f7f8fa);border-color:#e6e7eb;border-color:var(--btn-pure-primary-border-color-disabled,#e6e7eb)}.next-btn.disabled.next-btn-primary,.next-btn.disabled.next-btn-primary.visited,.next-btn.disabled.next-btn-primary:link,.next-btn.disabled.next-btn-primary:visited,.next-btn[disabled].next-btn-primary,.next-btn[disabled].next-btn-primary.visited,.next-btn[disabled].next-btn-primary:link,.next-btn[disabled].next-btn-primary:visited{color:#ccc;color:var(--btn-pure-primary-color-disabled,#ccc)}.next-btn.disabled.next-btn-primary.hover,.next-btn.disabled.next-btn-primary:focus,.next-btn.disabled.next-btn-primary:hover,.next-btn[disabled].next-btn-primary.hover,.next-btn[disabled].next-btn-primary:focus,.next-btn[disabled].next-btn-primary:hover{color:#ccc;color:var(--btn-pure-primary-color-disabled,#ccc);background-color:#f7f8fa;background-color:var(--btn-pure-primary-bg-disabled,#f7f8fa);border-color:#e6e7eb;border-color:var(--btn-pure-primary-border-color-disabled,#e6e7eb);text-decoration:none}.next-btn.disabled.next-btn-primary.active,.next-btn.disabled.next-btn-primary:active,.next-btn[disabled].next-btn-primary.active,.next-btn[disabled].next-btn-primary:active{color:#ccc;color:var(--btn-pure-primary-color-disabled,#ccc);background-color:#f7f8fa;background-color:var(--btn-pure-primary-bg-disabled,#f7f8fa);border-color:#e6e7eb;border-color:var(--btn-pure-primary-border-color-disabled,#e6e7eb);text-decoration:none}.next-btn.disabled.next-btn-secondary,.next-btn[disabled].next-btn-secondary{background-color:#f7f8fa;background-color:var(--btn-pure-secondary-bg-disabled,#f7f8fa);border-color:#e6e7eb;border-color:var(--btn-pure-secondary-border-color-disabled,#e6e7eb)}.next-btn.disabled.next-btn-secondary,.next-btn.disabled.next-btn-secondary.visited,.next-btn.disabled.next-btn-secondary:link,.next-btn.disabled.next-btn-secondary:visited,.next-btn[disabled].next-btn-secondary,.next-btn[disabled].next-btn-secondary.visited,.next-btn[disabled].next-btn-secondary:link,.next-btn[disabled].next-btn-secondary:visited{color:#ccc;color:var(--btn-pure-secondary-color-disabled,#ccc)}.next-btn.disabled.next-btn-secondary.hover,.next-btn.disabled.next-btn-secondary:focus,.next-btn.disabled.next-btn-secondary:hover,.next-btn[disabled].next-btn-secondary.hover,.next-btn[disabled].next-btn-secondary:focus,.next-btn[disabled].next-btn-secondary:hover{color:#ccc;color:var(--btn-pure-secondary-color-disabled,#ccc);background-color:#f7f8fa;background-color:var(--btn-pure-secondary-bg-disabled,#f7f8fa);border-color:#e6e7eb;border-color:var(--btn-pure-secondary-border-color-disabled,#e6e7eb);text-decoration:none}.next-btn.disabled.next-btn-secondary.active,.next-btn.disabled.next-btn-secondary:active,.next-btn[disabled].next-btn-secondary.active,.next-btn[disabled].next-btn-secondary:active{color:#ccc;color:var(--btn-pure-secondary-color-disabled,#ccc);background-color:#f7f8fa;background-color:var(--btn-pure-secondary-bg-disabled,#f7f8fa);border-color:#e6e7eb;border-color:var(--btn-pure-secondary-border-color-disabled,#e6e7eb);text-decoration:none}.next-btn-warning{border-style:solid;border-style:var(--btn-warning-border-style,solid)}.next-btn-warning.next-btn-primary{background-color:#ff3000;background-color:var(--btn-warning-primary-bg,#ff3000);border-color:#ff3000;border-color:var(--btn-warning-primary-border-color,#ff3000)}.next-btn-warning.next-btn-primary,.next-btn-warning.next-btn-primary.visited,.next-btn-warning.next-btn-primary:link,.next-btn-warning.next-btn-primary:visited{color:#fff;color:var(--btn-warning-primary-color,#fff)}.next-btn-warning.next-btn-primary.hover,.next-btn-warning.next-btn-primary:focus,.next-btn-warning.next-btn-primary:hover{color:#fff;color:var(--btn-warning-primary-color-hover,#fff);background-color:#e72b00;background-color:var(--btn-warning-primary-bg-hover,#e72b00);border-color:#e72b00;border-color:var(--btn-warning-primary-border-color-hover,#e72b00);text-decoration:none}.next-btn-warning.next-btn-primary.active,.next-btn-warning.next-btn-primary:active{color:#fff;color:var(--btn-warning-primary-color-active,#fff);background-color:#e72b00;background-color:var(--btn-warning-primary-bg-active,#e72b00);border-color:#e72b00;border-color:var(--btn-warning-primary-border-color-active,#e72b00);text-decoration:none}.next-btn-warning.next-btn-primary.disabled,.next-btn-warning.next-btn-primary[disabled]{background-color:#f7f8fa;background-color:var(--btn-warning-primary-bg-disabled,#f7f8fa);border-color:#dcdee3;border-color:var(--btn-warning-primary-border-color-disabled,#dcdee3)}.next-btn-warning.next-btn-primary.disabled,.next-btn-warning.next-btn-primary.disabled.visited,.next-btn-warning.next-btn-primary.disabled:link,.next-btn-warning.next-btn-primary.disabled:visited,.next-btn-warning.next-btn-primary[disabled],.next-btn-warning.next-btn-primary[disabled].visited,.next-btn-warning.next-btn-primary[disabled]:link,.next-btn-warning.next-btn-primary[disabled]:visited{color:#ccc;color:var(--btn-warning-primary-color-disabled,#ccc)}.next-btn-warning.next-btn-primary.disabled.hover,.next-btn-warning.next-btn-primary.disabled:focus,.next-btn-warning.next-btn-primary.disabled:hover,.next-btn-warning.next-btn-primary[disabled].hover,.next-btn-warning.next-btn-primary[disabled]:focus,.next-btn-warning.next-btn-primary[disabled]:hover{color:#ccc;color:var(--btn-warning-primary-color-disabled,#ccc);background-color:#f7f8fa;background-color:var(--btn-warning-primary-bg-disabled,#f7f8fa);border-color:#dcdee3;border-color:var(--btn-warning-primary-border-color-disabled,#dcdee3);text-decoration:none}.next-btn-warning.next-btn-primary.disabled.active,.next-btn-warning.next-btn-primary.disabled:active,.next-btn-warning.next-btn-primary[disabled].active,.next-btn-warning.next-btn-primary[disabled]:active{color:#ccc;color:var(--btn-warning-primary-color-disabled,#ccc);background-color:#f7f8fa;background-color:var(--btn-warning-primary-bg-disabled,#f7f8fa);border-color:#dcdee3;border-color:var(--btn-warning-primary-border-color-disabled,#dcdee3);text-decoration:none}.next-btn-warning.next-btn-normal{background-color:#fff;background-color:var(--btn-warning-normal-bg,#fff);border-color:#ff3000;border-color:var(--btn-warning-normal-border-color,#ff3000)}.next-btn-warning.next-btn-normal,.next-btn-warning.next-btn-normal.visited,.next-btn-warning.next-btn-normal:link,.next-btn-warning.next-btn-normal:visited{color:#ff3000;color:var(--btn-warning-normal-color,#ff3000)}.next-btn-warning.next-btn-normal.hover,.next-btn-warning.next-btn-normal:focus,.next-btn-warning.next-btn-normal:hover{color:#fff;color:var(--btn-warning-normal-color-hover,#fff);background-color:#e72b00;background-color:var(--btn-warning-normal-bg-hover,#e72b00);border-color:#e72b00;border-color:var(--btn-warning-normal-border-color-hover,#e72b00);text-decoration:none}.next-btn-warning.next-btn-normal.active,.next-btn-warning.next-btn-normal:active{color:#fff;color:var(--btn-warning-normal-color-active,#fff);background-color:#e72b00;background-color:var(--btn-warning-normal-bg-active,#e72b00);border-color:#e72b00;border-color:var(--btn-warning-normal-border-color-active,#e72b00);text-decoration:none}.next-btn-warning.next-btn-normal.disabled,.next-btn-warning.next-btn-normal[disabled]{background-color:#f7f8fa;background-color:var(--btn-warning-normal-bg-disabled,#f7f8fa);border-color:#e6e7eb;border-color:var(--btn-warning-normal-border-color-disabled,#e6e7eb)}.next-btn-warning.next-btn-normal.disabled,.next-btn-warning.next-btn-normal.disabled.visited,.next-btn-warning.next-btn-normal.disabled:link,.next-btn-warning.next-btn-normal.disabled:visited,.next-btn-warning.next-btn-normal[disabled],.next-btn-warning.next-btn-normal[disabled].visited,.next-btn-warning.next-btn-normal[disabled]:link,.next-btn-warning.next-btn-normal[disabled]:visited{color:#ccc;color:var(--btn-warning-normal-color-disabled,#ccc)}.next-btn-warning.next-btn-normal.disabled.hover,.next-btn-warning.next-btn-normal.disabled:focus,.next-btn-warning.next-btn-normal.disabled:hover,.next-btn-warning.next-btn-normal[disabled].hover,.next-btn-warning.next-btn-normal[disabled]:focus,.next-btn-warning.next-btn-normal[disabled]:hover{color:#ccc;color:var(--btn-warning-normal-color-disabled,#ccc);background-color:#f7f8fa;background-color:var(--btn-warning-normal-bg-disabled,#f7f8fa);border-color:#e6e7eb;border-color:var(--btn-warning-normal-border-color-disabled,#e6e7eb);text-decoration:none}.next-btn-warning.next-btn-normal.disabled.active,.next-btn-warning.next-btn-normal.disabled:active,.next-btn-warning.next-btn-normal[disabled].active,.next-btn-warning.next-btn-normal[disabled]:active{color:#ccc;color:var(--btn-warning-normal-color-disabled,#ccc);background-color:#f7f8fa;background-color:var(--btn-warning-normal-bg-disabled,#f7f8fa);border-color:#e6e7eb;border-color:var(--btn-warning-normal-border-color-disabled,#e6e7eb);text-decoration:none}.next-btn-text{box-shadow:none;border-radius:0;user-select:text}.next-btn-text.hover,.next-btn-text:hover{box-shadow:none}.next-btn-text.next-btn-primary{background-color:transparent;border-color:transparent}.next-btn-text.next-btn-primary,.next-btn-text.next-btn-primary.visited,.next-btn-text.next-btn-primary:link,.next-btn-text.next-btn-primary:visited{color:#5584ff;color:var(--btn-text-primary-color,#5584ff)}.next-btn-text.next-btn-primary.hover,.next-btn-text.next-btn-primary:focus,.next-btn-text.next-btn-primary:hover{color:#3e71f7;color:var(--btn-text-primary-color-hover,#3e71f7);background-color:transparent;border-color:transparent;text-decoration:none}.next-btn-text.next-btn-primary.active,.next-btn-text.next-btn-primary:active{color:#3e71f7;color:var(--btn-text-primary-color-hover,#3e71f7);background-color:transparent;border-color:transparent;text-decoration:none}.next-btn-text.next-btn-primary.disabled,.next-btn-text.next-btn-primary[disabled]{background-color:transparent;border-color:transparent}.next-btn-text.next-btn-primary.disabled,.next-btn-text.next-btn-primary.disabled.visited,.next-btn-text.next-btn-primary.disabled:link,.next-btn-text.next-btn-primary.disabled:visited,.next-btn-text.next-btn-primary[disabled],.next-btn-text.next-btn-primary[disabled].visited,.next-btn-text.next-btn-primary[disabled]:link,.next-btn-text.next-btn-primary[disabled]:visited{color:#ccc;color:var(--btn-text-disabled-color,#ccc)}.next-btn-text.next-btn-primary.disabled.hover,.next-btn-text.next-btn-primary.disabled:focus,.next-btn-text.next-btn-primary.disabled:hover,.next-btn-text.next-btn-primary[disabled].hover,.next-btn-text.next-btn-primary[disabled]:focus,.next-btn-text.next-btn-primary[disabled]:hover{color:#ccc;color:var(--btn-text-disabled-color,#ccc);background-color:transparent;border-color:transparent;text-decoration:none}.next-btn-text.next-btn-primary.disabled.active,.next-btn-text.next-btn-primary.disabled:active,.next-btn-text.next-btn-primary[disabled].active,.next-btn-text.next-btn-primary[disabled]:active{color:#ccc;color:var(--btn-text-disabled-color,#ccc);background-color:transparent;border-color:transparent;text-decoration:none}.next-btn-text.next-btn-secondary{background-color:transparent;border-color:transparent}.next-btn-text.next-btn-secondary,.next-btn-text.next-btn-secondary.visited,.next-btn-text.next-btn-secondary:link,.next-btn-text.next-btn-secondary:visited{color:#666;color:var(--btn-text-secondary-color,#666)}.next-btn-text.next-btn-secondary.hover,.next-btn-text.next-btn-secondary:focus,.next-btn-text.next-btn-secondary:hover{color:#5584ff;color:var(--btn-text-secondary-color-hover,#5584ff);background-color:transparent;border-color:transparent;text-decoration:none}.next-btn-text.next-btn-secondary.active,.next-btn-text.next-btn-secondary:active{color:#5584ff;color:var(--btn-text-secondary-color-hover,#5584ff);background-color:transparent;border-color:transparent;text-decoration:none}.next-btn-text.next-btn-secondary.disabled,.next-btn-text.next-btn-secondary[disabled]{background-color:transparent;border-color:transparent}.next-btn-text.next-btn-secondary.disabled,.next-btn-text.next-btn-secondary.disabled.visited,.next-btn-text.next-btn-secondary.disabled:link,.next-btn-text.next-btn-secondary.disabled:visited,.next-btn-text.next-btn-secondary[disabled],.next-btn-text.next-btn-secondary[disabled].visited,.next-btn-text.next-btn-secondary[disabled]:link,.next-btn-text.next-btn-secondary[disabled]:visited{color:#ccc;color:var(--btn-text-disabled-color,#ccc)}.next-btn-text.next-btn-secondary.disabled.hover,.next-btn-text.next-btn-secondary.disabled:focus,.next-btn-text.next-btn-secondary.disabled:hover,.next-btn-text.next-btn-secondary[disabled].hover,.next-btn-text.next-btn-secondary[disabled]:focus,.next-btn-text.next-btn-secondary[disabled]:hover{color:#ccc;color:var(--btn-text-disabled-color,#ccc);background-color:transparent;border-color:transparent;text-decoration:none}.next-btn-text.next-btn-secondary.disabled.active,.next-btn-text.next-btn-secondary.disabled:active,.next-btn-text.next-btn-secondary[disabled].active,.next-btn-text.next-btn-secondary[disabled]:active{color:#ccc;color:var(--btn-text-disabled-color,#ccc);background-color:transparent;border-color:transparent;text-decoration:none}.next-btn-text.next-btn-normal{background-color:transparent;border-color:transparent}.next-btn-text.next-btn-normal,.next-btn-text.next-btn-normal.visited,.next-btn-text.next-btn-normal:link,.next-btn-text.next-btn-normal:visited{color:#333;color:var(--btn-text-normal-color,#333)}.next-btn-text.next-btn-normal.hover,.next-btn-text.next-btn-normal:focus,.next-btn-text.next-btn-normal:hover{color:#5584ff;color:var(--btn-text-normal-color-hover,#5584ff);background-color:transparent;border-color:transparent;text-decoration:none}.next-btn-text.next-btn-normal.active,.next-btn-text.next-btn-normal:active{color:#5584ff;color:var(--btn-text-normal-color-hover,#5584ff);background-color:transparent;border-color:transparent;text-decoration:none}.next-btn-text.next-btn-normal.disabled,.next-btn-text.next-btn-normal[disabled]{background-color:transparent;border-color:transparent}.next-btn-text.next-btn-normal.disabled,.next-btn-text.next-btn-normal.disabled.visited,.next-btn-text.next-btn-normal.disabled:link,.next-btn-text.next-btn-normal.disabled:visited,.next-btn-text.next-btn-normal[disabled],.next-btn-text.next-btn-normal[disabled].visited,.next-btn-text.next-btn-normal[disabled]:link,.next-btn-text.next-btn-normal[disabled]:visited{color:#ccc;color:var(--btn-text-disabled-color,#ccc)}.next-btn-text.next-btn-normal.disabled.hover,.next-btn-text.next-btn-normal.disabled:focus,.next-btn-text.next-btn-normal.disabled:hover,.next-btn-text.next-btn-normal[disabled].hover,.next-btn-text.next-btn-normal[disabled]:focus,.next-btn-text.next-btn-normal[disabled]:hover{color:#ccc;color:var(--btn-text-disabled-color,#ccc);background-color:transparent;border-color:transparent;text-decoration:none}.next-btn-text.next-btn-normal.disabled.active,.next-btn-text.next-btn-normal.disabled:active,.next-btn-text.next-btn-normal[disabled].active,.next-btn-text.next-btn-normal[disabled]:active{color:#ccc;color:var(--btn-text-disabled-color,#ccc);background-color:transparent;border-color:transparent;text-decoration:none}.next-btn-text.next-large{border-radius:0;padding:0 0;height:24px;height:var(--btn-text-size-l-height,24px);font-size:14px;font-size:var(--btn-text-size-l-font,14px);border-width:0}.next-btn-text.next-large>.next-btn-icon.next-icon-first{margin-left:0;margin-right:4px;margin-right:var(--btn-text-icon-l-margin,4px)}.next-btn-text.next-large>.next-btn-icon.next-icon-first .next-icon-remote,.next-btn-text.next-large>.next-btn-icon.next-icon-first:before{width:16px;width:var(--btn-size-l-icon-size,16px);font-size:16px;font-size:var(--btn-size-l-icon-size,16px);line-height:inherit}.next-btn-text.next-large>.next-btn-icon.next-icon-last{margin-left:4px;margin-left:var(--btn-text-icon-l-margin,4px);margin-right:0}.next-btn-text.next-large>.next-btn-icon.next-icon-last .next-icon-remote,.next-btn-text.next-large>.next-btn-icon.next-icon-last:before{width:16px;width:var(--btn-size-l-icon-size,16px);font-size:16px;font-size:var(--btn-size-l-icon-size,16px);line-height:inherit}.next-btn-text.next-large>.next-btn-icon.next-icon-alone .next-icon-remote,.next-btn-text.next-large>.next-btn-icon.next-icon-alone:before{width:16px;width:var(--btn-size-l-icon-size,16px);font-size:16px;font-size:var(--btn-size-l-icon-size,16px);line-height:inherit}.next-btn-text.next-large.next-btn-loading:before{width:16px;width:var(--btn-size-l-icon-size,16px);height:16px;height:var(--btn-size-l-icon-size,16px);font-size:16px;font-size:var(--btn-size-l-icon-size,16px);line-height:16px;line-height:var(--btn-size-l-icon-size,16px);left:0;top:50%;text-align:center;margin-right:4px;margin-right:var(--btn-text-icon-l-margin,4px)}.next-btn-text.next-large.next-btn-loading>.next-icon{display:none}.next-btn-text.next-large>.next-btn-custom-loading-icon{opacity:0;width:0}.next-btn-text.next-large>.next-btn-custom-loading-icon.show{width:16px;width:var(--btn-size-l-icon-size,16px);margin-right:4px;margin-right:var(--btn-text-icon-l-margin,4px);opacity:1;transition:all .1s linear;transition:all var(--motion-duration-immediately,100ms) var(--motion-linear,linear)}.next-btn-text.next-medium{border-radius:0;padding:0 0;height:20px;height:var(--btn-text-size-m-height,20px);font-size:12px;font-size:var(--btn-text-size-m-font,12px);border-width:0}.next-btn-text.next-medium>.next-btn-icon.next-icon-first{margin-left:0;margin-right:4px;margin-right:var(--btn-text-icon-m-margin,4px)}.next-btn-text.next-medium>.next-btn-icon.next-icon-first .next-icon-remote,.next-btn-text.next-medium>.next-btn-icon.next-icon-first:before{width:12px;width:var(--btn-size-m-icon-size,12px);font-size:12px;font-size:var(--btn-size-m-icon-size,12px);line-height:inherit}.next-btn-text.next-medium>.next-btn-icon.next-icon-last{margin-left:4px;margin-left:var(--btn-text-icon-m-margin,4px);margin-right:0}.next-btn-text.next-medium>.next-btn-icon.next-icon-last .next-icon-remote,.next-btn-text.next-medium>.next-btn-icon.next-icon-last:before{width:12px;width:var(--btn-size-m-icon-size,12px);font-size:12px;font-size:var(--btn-size-m-icon-size,12px);line-height:inherit}.next-btn-text.next-medium>.next-btn-icon.next-icon-alone .next-icon-remote,.next-btn-text.next-medium>.next-btn-icon.next-icon-alone:before{width:12px;width:var(--btn-size-m-icon-size,12px);font-size:12px;font-size:var(--btn-size-m-icon-size,12px);line-height:inherit}.next-btn-text.next-medium.next-btn-loading:before{width:12px;width:var(--btn-size-m-icon-size,12px);height:12px;height:var(--btn-size-m-icon-size,12px);font-size:12px;font-size:var(--btn-size-m-icon-size,12px);line-height:12px;line-height:var(--btn-size-m-icon-size,12px);left:0;top:50%;text-align:center;margin-right:4px;margin-right:var(--btn-text-icon-m-margin,4px)}.next-btn-text.next-medium.next-btn-loading>.next-icon{display:none}.next-btn-text.next-medium>.next-btn-custom-loading-icon{opacity:0;width:0}.next-btn-text.next-medium>.next-btn-custom-loading-icon.show{width:12px;width:var(--btn-size-m-icon-size,12px);margin-right:4px;margin-right:var(--btn-text-icon-m-margin,4px);opacity:1;transition:all .1s linear;transition:all var(--motion-duration-immediately,100ms) var(--motion-linear,linear)}.next-btn-text.next-small{border-radius:0;padding:0 0;height:16px;height:var(--btn-text-size-s-height,16px);font-size:12px;font-size:var(--btn-text-size-s-font,12px);border-width:0}.next-btn-text.next-small>.next-btn-icon.next-icon-first{margin-left:0;margin-right:4px;margin-right:var(--btn-text-icon-s-margin,4px)}.next-btn-text.next-small>.next-btn-icon.next-icon-first .next-icon-remote,.next-btn-text.next-small>.next-btn-icon.next-icon-first:before{width:12px;width:var(--btn-size-s-icon-size,12px);font-size:12px;font-size:var(--btn-size-s-icon-size,12px);line-height:inherit}.next-btn-text.next-small>.next-btn-icon.next-icon-last{margin-left:4px;margin-left:var(--btn-text-icon-s-margin,4px);margin-right:0}.next-btn-text.next-small>.next-btn-icon.next-icon-last .next-icon-remote,.next-btn-text.next-small>.next-btn-icon.next-icon-last:before{width:12px;width:var(--btn-size-s-icon-size,12px);font-size:12px;font-size:var(--btn-size-s-icon-size,12px);line-height:inherit}.next-btn-text.next-small>.next-btn-icon.next-icon-alone .next-icon-remote,.next-btn-text.next-small>.next-btn-icon.next-icon-alone:before{width:12px;width:var(--btn-size-s-icon-size,12px);font-size:12px;font-size:var(--btn-size-s-icon-size,12px);line-height:inherit}.next-btn-text.next-small.next-btn-loading:before{width:12px;width:var(--btn-size-s-icon-size,12px);height:12px;height:var(--btn-size-s-icon-size,12px);font-size:12px;font-size:var(--btn-size-s-icon-size,12px);line-height:12px;line-height:var(--btn-size-s-icon-size,12px);left:0;top:50%;text-align:center;margin-right:4px;margin-right:var(--btn-text-icon-s-margin,4px)}.next-btn-text.next-small.next-btn-loading>.next-icon{display:none}.next-btn-text.next-small>.next-btn-custom-loading-icon{opacity:0;width:0}.next-btn-text.next-small>.next-btn-custom-loading-icon.show{width:12px;width:var(--btn-size-s-icon-size,12px);margin-right:4px;margin-right:var(--btn-text-icon-s-margin,4px);opacity:1;transition:all .1s linear;transition:all var(--motion-duration-immediately,100ms) var(--motion-linear,linear)}.next-btn-text.next-btn-loading{background-color:transparent;border-color:transparent}.next-btn-text.next-btn-loading,.next-btn-text.next-btn-loading.visited,.next-btn-text.next-btn-loading:link,.next-btn-text.next-btn-loading:visited{color:#333;color:var(--btn-text-loading-color,#333)}.next-btn-text.next-btn-loading.hover,.next-btn-text.next-btn-loading:focus,.next-btn-text.next-btn-loading:hover{color:#333;color:var(--btn-text-loading-color,#333);background-color:transparent;border-color:transparent;text-decoration:none}.next-btn-text.next-btn-loading.active,.next-btn-text.next-btn-loading:active{color:#333;color:var(--btn-text-loading-color,#333);background-color:transparent;border-color:transparent;text-decoration:none}.next-btn-loading{pointer-events:none}.next-btn-loading:before{font-family:NextIcon;content:"\E646";content:var(--icon-content-loading, "\E646");opacity:1;visibility:visible;animation:loadingCircle 2s infinite linear}.next-btn-loading:after{content:'';display:inline-block;position:static;height:100%;width:0;vertical-align:middle}.next-btn-custom-loading{pointer-events:none}.next-btn-ghost{box-shadow:none;border-style:solid;border-style:var(--btn-ghost-border-style,solid)}.next-btn-ghost.next-btn-dark{background-color:rgba(0,0,0,0);background-color:var(--btn-ghost-dark-bg-normal,rgba(0,0,0,0));border-color:#fff;border-color:var(--btn-ghost-dark-border-color,#fff)}.next-btn-ghost.next-btn-dark,.next-btn-ghost.next-btn-dark.visited,.next-btn-ghost.next-btn-dark:link,.next-btn-ghost.next-btn-dark:visited{color:#fff;color:var(--btn-ghost-dark-color,#fff)}.next-btn-ghost.next-btn-dark.hover,.next-btn-ghost.next-btn-dark:focus,.next-btn-ghost.next-btn-dark:hover{color:#fff;color:var(--btn-ghost-dark-color-hover,#fff);background-color:rgba(255,255,255,.8);background-color:var(--btn-ghost-dark-bg-hover,rgba(255,255,255,.8));border-color:#fff;border-color:var(--btn-ghost-dark-border-color-hover,#fff);text-decoration:none}.next-btn-ghost.next-btn-dark.active,.next-btn-ghost.next-btn-dark:active{color:#fff;color:var(--btn-ghost-dark-color-hover,#fff);background-color:rgba(255,255,255,.8);background-color:var(--btn-ghost-dark-bg-hover,rgba(255,255,255,.8));border-color:#fff;border-color:var(--btn-ghost-dark-border-color-hover,#fff);text-decoration:none}.next-btn-ghost.next-btn-dark.disabled,.next-btn-ghost.next-btn-dark[disabled]{background-color:transparent;background-color:var(--btn-ghost-dark-bg-disabled,transparent);border-color:rgba(255,255,255,.4);border-color:var(--btn-ghost-dark-border-color-disabled,rgba(255,255,255,.4))}.next-btn-ghost.next-btn-dark.disabled,.next-btn-ghost.next-btn-dark.disabled.visited,.next-btn-ghost.next-btn-dark.disabled:link,.next-btn-ghost.next-btn-dark.disabled:visited,.next-btn-ghost.next-btn-dark[disabled],.next-btn-ghost.next-btn-dark[disabled].visited,.next-btn-ghost.next-btn-dark[disabled]:link,.next-btn-ghost.next-btn-dark[disabled]:visited{color:rgba(255,255,255,.4);color:var(--btn-ghost-dark-color-disabled,rgba(255,255,255,.4))}.next-btn-ghost.next-btn-dark.disabled.hover,.next-btn-ghost.next-btn-dark.disabled:focus,.next-btn-ghost.next-btn-dark.disabled:hover,.next-btn-ghost.next-btn-dark[disabled].hover,.next-btn-ghost.next-btn-dark[disabled]:focus,.next-btn-ghost.next-btn-dark[disabled]:hover{color:rgba(255,255,255,.4);color:var(--btn-ghost-dark-color-disabled,rgba(255,255,255,.4));background-color:transparent;background-color:var(--btn-ghost-dark-bg-disabled,transparent);border-color:rgba(255,255,255,.4);border-color:var(--btn-ghost-dark-border-color-disabled,rgba(255,255,255,.4));text-decoration:none}.next-btn-ghost.next-btn-dark.disabled.active,.next-btn-ghost.next-btn-dark.disabled:active,.next-btn-ghost.next-btn-dark[disabled].active,.next-btn-ghost.next-btn-dark[disabled]:active{color:rgba(255,255,255,.4);color:var(--btn-ghost-dark-color-disabled,rgba(255,255,255,.4));background-color:transparent;background-color:var(--btn-ghost-dark-bg-disabled,transparent);border-color:rgba(255,255,255,.4);border-color:var(--btn-ghost-dark-border-color-disabled,rgba(255,255,255,.4));text-decoration:none}.next-btn-ghost.next-btn-light{background-color:rgba(0,0,0,0);background-color:var(--btn-ghost-light-bg-normal,rgba(0,0,0,0));border-color:#333;border-color:var(--btn-ghost-light-border-color,#333)}.next-btn-ghost.next-btn-light,.next-btn-ghost.next-btn-light.visited,.next-btn-ghost.next-btn-light:link,.next-btn-ghost.next-btn-light:visited{color:#333;color:var(--btn-ghost-light-color,#333)}.next-btn-ghost.next-btn-light.hover,.next-btn-ghost.next-btn-light:focus,.next-btn-ghost.next-btn-light:hover{color:#999;color:var(--btn-ghost-light-color-hover,#999);background-color:rgba(0,0,0,.92);background-color:var(--btn-ghost-light-bg-hover,rgba(0,0,0,.92));border-color:#333;border-color:var(--btn-ghost-light-border-color-hover,#333);text-decoration:none}.next-btn-ghost.next-btn-light.active,.next-btn-ghost.next-btn-light:active{color:#999;color:var(--btn-ghost-light-color-hover,#999);background-color:rgba(0,0,0,.92);background-color:var(--btn-ghost-light-bg-hover,rgba(0,0,0,.92));border-color:#333;border-color:var(--btn-ghost-light-border-color-hover,#333);text-decoration:none}.next-btn-ghost.next-btn-light.disabled,.next-btn-ghost.next-btn-light[disabled]{background-color:transparent;background-color:var(--btn-ghost-light-bg-disabled,transparent);border-color:rgba(0,0,0,.1);border-color:var(--btn-ghost-light-border-color-disabled,rgba(0,0,0,.1))}.next-btn-ghost.next-btn-light.disabled,.next-btn-ghost.next-btn-light.disabled.visited,.next-btn-ghost.next-btn-light.disabled:link,.next-btn-ghost.next-btn-light.disabled:visited,.next-btn-ghost.next-btn-light[disabled],.next-btn-ghost.next-btn-light[disabled].visited,.next-btn-ghost.next-btn-light[disabled]:link,.next-btn-ghost.next-btn-light[disabled]:visited{color:rgba(0,0,0,.1);color:var(--btn-ghost-light-color-disabled,rgba(0,0,0,.1))}.next-btn-ghost.next-btn-light.disabled.hover,.next-btn-ghost.next-btn-light.disabled:focus,.next-btn-ghost.next-btn-light.disabled:hover,.next-btn-ghost.next-btn-light[disabled].hover,.next-btn-ghost.next-btn-light[disabled]:focus,.next-btn-ghost.next-btn-light[disabled]:hover{color:rgba(0,0,0,.1);color:var(--btn-ghost-light-color-disabled,rgba(0,0,0,.1));background-color:transparent;background-color:var(--btn-ghost-light-bg-disabled,transparent);border-color:rgba(0,0,0,.1);border-color:var(--btn-ghost-light-border-color-disabled,rgba(0,0,0,.1));text-decoration:none}.next-btn-ghost.next-btn-light.disabled.active,.next-btn-ghost.next-btn-light.disabled:active,.next-btn-ghost.next-btn-light[disabled].active,.next-btn-ghost.next-btn-light[disabled]:active{color:rgba(0,0,0,.1);color:var(--btn-ghost-light-color-disabled,rgba(0,0,0,.1));background-color:transparent;background-color:var(--btn-ghost-light-bg-disabled,transparent);border-color:rgba(0,0,0,.1);border-color:var(--btn-ghost-light-border-color-disabled,rgba(0,0,0,.1));text-decoration:none}.next-btn-group{position:relative;display:inline-block;vertical-align:middle}.next-btn-group>.next-btn{position:relative;float:left;box-shadow:none}.next-btn-group>.next-btn.active,.next-btn-group>.next-btn:active,.next-btn-group>.next-btn:focus,.next-btn-group>.next-btn:hover{z-index:1}.next-btn-group>.next-btn.disabled,.next-btn-group>.next-btn[disabled]{z-index:0}.next-btn-group .next-btn.next-btn{margin:0 0 0 -1px}.next-btn-group .next-btn:not(:first-child):not(:last-child){border-radius:0}.next-btn-group>.next-btn:first-child{margin:0}.next-btn-group>.next-btn:first-child:not(:last-child){border-bottom-right-radius:0;border-top-right-radius:0}.next-btn-group>.next-btn:last-child:not(:first-child){border-bottom-left-radius:0;border-top-left-radius:0}.next-btn-group>.next-btn-primary:not(:first-child){border-left-color:rgba(255,255,255,.2)}.next-btn-group>.next-btn-primary:not(:first-child):hover{border-left-color:transparent}.next-btn-group>.next-btn-primary:not(:first-child).disabled,.next-btn-group>.next-btn-primary:not(:first-child)[disabled]{border-left-color:#e6e7eb;border-left-color:var(--color-line1-1,#e6e7eb)}.next-btn-group[dir=rtl]>.next-btn{float:right}.next-btn-group[dir=rtl] .next-btn.next-btn{margin:0 -1px 0 0}.next-btn-group[dir=rtl]>.next-btn:first-child:not(:last-child){border-bottom-left-radius:0;border-top-left-radius:0}.next-btn-group[dir=rtl]>.next-btn:last-child:not(:first-child){border-bottom-right-radius:0;border-top-right-radius:0}.next-btn-group[dir=rtl]>.next-btn-primary:not(:first-child){border-right-color:rgba(255,255,255,.2)}.next-btn-group[dir=rtl]>.next-btn-primary:not(:first-child):hover{border-right-color:transparent}.next-btn-group[dir=rtl]>.next-btn-primary:not(:first-child).disabled,.next-btn-group[dir=rtl]>.next-btn-primary:not(:first-child)[disabled]{border-right-color:#e6e7eb;border-right-color:var(--color-line1-1,#e6e7eb)}.next-btn.next-small[dir=rtl]{border-radius:3px;border-radius:var(--btn-size-s-corner,3px)}.next-btn.next-small[dir=rtl]>.next-btn-icon.next-icon-first{margin-left:4px;margin-left:var(--btn-size-s-icon-margin,4px);margin-right:0}.next-btn.next-small[dir=rtl]>.next-btn-icon.next-icon-first .next-icon-remote,.next-btn.next-small[dir=rtl]>.next-btn-icon.next-icon-first:before{width:12px;width:var(--btn-size-s-icon-size,12px);font-size:12px;font-size:var(--btn-size-s-icon-size,12px);line-height:inherit}.next-btn.next-small[dir=rtl]>.next-btn-icon.next-icon-last{margin-left:0;margin-right:4px;margin-right:var(--btn-size-s-icon-margin,4px)}.next-btn.next-small[dir=rtl]>.next-btn-icon.next-icon-last .next-icon-remote,.next-btn.next-small[dir=rtl]>.next-btn-icon.next-icon-last:before{width:12px;width:var(--btn-size-s-icon-size,12px);font-size:12px;font-size:var(--btn-size-s-icon-size,12px);line-height:inherit}.next-btn.next-small[dir=rtl].next-btn-loading{padding-left:8px;padding-left:var(--btn-size-s-padding,8px);padding-right:24px;padding-right:calc(var(--btn-size-s-padding,8px) + var(--btn-size-s-icon-size,12px) + var(--btn-size-s-icon-margin,4px))}.next-btn.next-small[dir=rtl].next-btn-loading:after{right:8px;right:var(--btn-size-s-padding,8px);top:50%;margin-right:0;margin-left:4px;margin-left:var(--btn-size-s-icon-margin,4px)}.next-btn.next-medium[dir=rtl]{border-radius:3px;border-radius:var(--btn-size-m-corner,3px)}.next-btn.next-medium[dir=rtl]>.next-btn-icon.next-icon-first{margin-left:4px;margin-left:var(--btn-size-m-icon-margin,4px);margin-right:0}.next-btn.next-medium[dir=rtl]>.next-btn-icon.next-icon-first .next-icon-remote,.next-btn.next-medium[dir=rtl]>.next-btn-icon.next-icon-first:before{width:12px;width:var(--btn-size-m-icon-size,12px);font-size:12px;font-size:var(--btn-size-m-icon-size,12px);line-height:inherit}.next-btn.next-medium[dir=rtl]>.next-btn-icon.next-icon-last{margin-left:0;margin-right:4px;margin-right:var(--btn-size-m-icon-margin,4px)}.next-btn.next-medium[dir=rtl]>.next-btn-icon.next-icon-last .next-icon-remote,.next-btn.next-medium[dir=rtl]>.next-btn-icon.next-icon-last:before{width:12px;width:var(--btn-size-m-icon-size,12px);font-size:12px;font-size:var(--btn-size-m-icon-size,12px);line-height:inherit}.next-btn.next-medium[dir=rtl].next-btn-loading{padding-left:12px;padding-left:var(--btn-size-m-padding,12px);padding-right:28px;padding-right:calc(var(--btn-size-m-padding,12px) + var(--btn-size-m-icon-size,12px) + var(--btn-size-m-icon-margin,4px))}.next-btn.next-medium[dir=rtl].next-btn-loading:after{right:12px;right:var(--btn-size-m-padding,12px);top:50%;margin-right:0;margin-left:4px;margin-left:var(--btn-size-m-icon-margin,4px)}.next-btn.next-large[dir=rtl]{border-radius:3px;border-radius:var(--btn-size-l-corner,3px)}.next-btn.next-large[dir=rtl]>.next-btn-icon.next-icon-first{margin-left:4px;margin-left:var(--btn-size-l-icon-margin,4px);margin-right:0}.next-btn.next-large[dir=rtl]>.next-btn-icon.next-icon-first .next-icon-remote,.next-btn.next-large[dir=rtl]>.next-btn-icon.next-icon-first:before{width:16px;width:var(--btn-size-l-icon-size,16px);font-size:16px;font-size:var(--btn-size-l-icon-size,16px);line-height:inherit}.next-btn.next-large[dir=rtl]>.next-btn-icon.next-icon-last{margin-left:0;margin-right:4px;margin-right:var(--btn-size-l-icon-margin,4px)}.next-btn.next-large[dir=rtl]>.next-btn-icon.next-icon-last .next-icon-remote,.next-btn.next-large[dir=rtl]>.next-btn-icon.next-icon-last:before{width:16px;width:var(--btn-size-l-icon-size,16px);font-size:16px;font-size:var(--btn-size-l-icon-size,16px);line-height:inherit}.next-btn.next-large[dir=rtl].next-btn-loading{padding-left:16px;padding-left:var(--btn-size-l-padding,16px);padding-right:36px;padding-right:calc(var(--btn-size-l-padding,16px) + var(--btn-size-l-icon-size,16px) + var(--btn-size-l-icon-margin,4px))}.next-btn.next-large[dir=rtl].next-btn-loading:after{right:16px;right:var(--btn-size-l-padding,16px);top:50%;margin-right:0;margin-left:4px;margin-left:var(--btn-size-l-icon-margin,4px)}.next-btn-text[dir=rtl].next-large{border-radius:0}.next-btn-text[dir=rtl].next-large>.next-btn-icon.next-icon-first{margin-left:4px;margin-left:var(--btn-text-icon-l-margin,4px);margin-right:0}.next-btn-text[dir=rtl].next-large>.next-btn-icon.next-icon-first .next-icon-remote,.next-btn-text[dir=rtl].next-large>.next-btn-icon.next-icon-first:before{width:16px;width:var(--btn-size-l-icon-size,16px);font-size:16px;font-size:var(--btn-size-l-icon-size,16px);line-height:inherit}.next-btn-text[dir=rtl].next-large>.next-btn-icon.next-icon-last{margin-left:0;margin-right:4px;margin-right:var(--btn-text-icon-l-margin,4px)}.next-btn-text[dir=rtl].next-large>.next-btn-icon.next-icon-last .next-icon-remote,.next-btn-text[dir=rtl].next-large>.next-btn-icon.next-icon-last:before{width:16px;width:var(--btn-size-l-icon-size,16px);font-size:16px;font-size:var(--btn-size-l-icon-size,16px);line-height:inherit}.next-btn-text[dir=rtl].next-large.next-btn-loading{padding-left:0;padding-right:20px;padding-right:calc(var(--btn-size-l-icon-size,16px) + var(--btn-text-icon-l-margin,4px))}.next-btn-text[dir=rtl].next-large.next-btn-loading:after{right:0;top:50%;margin-right:0;margin-left:4px;margin-left:var(--btn-text-icon-l-margin,4px)}.next-btn-text[dir=rtl].next-medium{border-radius:0}.next-btn-text[dir=rtl].next-medium>.next-btn-icon.next-icon-first{margin-left:4px;margin-left:var(--btn-text-icon-m-margin,4px);margin-right:0}.next-btn-text[dir=rtl].next-medium>.next-btn-icon.next-icon-first .next-icon-remote,.next-btn-text[dir=rtl].next-medium>.next-btn-icon.next-icon-first:before{width:12px;width:var(--btn-size-m-icon-size,12px);font-size:12px;font-size:var(--btn-size-m-icon-size,12px);line-height:inherit}.next-btn-text[dir=rtl].next-medium>.next-btn-icon.next-icon-last{margin-left:0;margin-right:4px;margin-right:var(--btn-text-icon-m-margin,4px)}.next-btn-text[dir=rtl].next-medium>.next-btn-icon.next-icon-last .next-icon-remote,.next-btn-text[dir=rtl].next-medium>.next-btn-icon.next-icon-last:before{width:12px;width:var(--btn-size-m-icon-size,12px);font-size:12px;font-size:var(--btn-size-m-icon-size,12px);line-height:inherit}.next-btn-text[dir=rtl].next-medium.next-btn-loading{padding-left:0;padding-right:16px;padding-right:calc(var(--btn-size-m-icon-size,12px) + var(--btn-text-icon-m-margin,4px))}.next-btn-text[dir=rtl].next-medium.next-btn-loading:after{right:0;top:50%;margin-right:0;margin-left:4px;margin-left:var(--btn-text-icon-m-margin,4px)}.next-btn-text[dir=rtl].next-small{border-radius:0}.next-btn-text[dir=rtl].next-small>.next-btn-icon.next-icon-first{margin-left:4px;margin-left:var(--btn-text-icon-s-margin,4px);margin-right:0}.next-btn-text[dir=rtl].next-small>.next-btn-icon.next-icon-first .next-icon-remote,.next-btn-text[dir=rtl].next-small>.next-btn-icon.next-icon-first:before{width:12px;width:var(--btn-size-s-icon-size,12px);font-size:12px;font-size:var(--btn-size-s-icon-size,12px);line-height:inherit}.next-btn-text[dir=rtl].next-small>.next-btn-icon.next-icon-last{margin-left:0;margin-right:4px;margin-right:var(--btn-text-icon-s-margin,4px)}.next-btn-text[dir=rtl].next-small>.next-btn-icon.next-icon-last .next-icon-remote,.next-btn-text[dir=rtl].next-small>.next-btn-icon.next-icon-last:before{width:12px;width:var(--btn-size-s-icon-size,12px);font-size:12px;font-size:var(--btn-size-s-icon-size,12px);line-height:inherit}.next-btn-text[dir=rtl].next-small.next-btn-loading{padding-left:0;padding-right:16px;padding-right:calc(var(--btn-size-s-icon-size,12px) + var(--btn-text-icon-s-margin,4px))}.next-btn-text[dir=rtl].next-small.next-btn-loading:after{right:0;top:50%;margin-right:0;margin-left:4px;margin-left:var(--btn-text-icon-s-margin,4px)}.next-sr-only{position:absolute;width:1px;height:1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);white-space:nowrap;border:0;top:0;margin:-1px}.next-calendar{box-sizing:border-box}.next-calendar *,.next-calendar :after,.next-calendar :before{box-sizing:border-box}.next-calendar table{border-collapse:collapse;border-spacing:0}.next-calendar td,.next-calendar th{padding:0}@keyframes cellZoomIn{0%{transform:scale(.5)}100%{transform:scale(1)}}@keyframes cellHover{0%{opacity:0}100%{opacity:1}}@keyframes enterToLeft{0%{transform:translate(-40%);opacity:0}50%{opacity:.6}100%{opacity:1;transform:translate(0)}}@keyframes enterToRight{0%{transform:translate(40%);opacity:0}50%{opacity:.6}100%{opacity:1;transform:translate(0)}}.next-calendar-card .next-calendar-header,.next-calendar-fullscreen .next-calendar-header{text-align:right}.next-calendar-card .next-calendar-header .next-select,.next-calendar-fullscreen .next-calendar-header .next-select{margin-right:4px;margin-right:var(--s-1,4px);vertical-align:top}.next-calendar-card .next-calendar-header .next-menu,.next-calendar-fullscreen .next-calendar-header .next-menu{text-align:left}.next-calendar-fullscreen .next-calendar-header{margin-bottom:8px;margin-bottom:var(--calendar-fullscreen-header-margin-bottom,8px)}.next-calendar-card .next-calendar-header{margin-bottom:8px;margin-bottom:var(--calendar-card-header-margin-bottom,8px)}.next-calendar-panel-header{position:relative;background:#5584ff;background:var(--calendar-panel-header-background,#5584ff);margin-bottom:8px;margin-bottom:var(--calendar-panel-header-margin-bottom,8px);border-bottom:1px solid transparent;border-bottom:var(--calendar-panel-header-border-bottom-width,1px) solid var(--calendar-panel-header-border-bottom-color,transparent)}.next-calendar-panel-header-full,.next-calendar-panel-header-left,.next-calendar-panel-header-right{height:32px;height:var(--calendar-panel-header-height,32px);line-height:32px;line-height:var(--calendar-panel-header-height,32px)}.next-calendar-panel-header-full .next-calendar-btn,.next-calendar-panel-header-left .next-calendar-btn,.next-calendar-panel-header-right .next-calendar-btn{vertical-align:top;font-weight:700;font-weight:var(--calendar-btn-date-font-weight,bold);margin:0 4px;margin:0 var(--calendar-btn-date-margin-lr,4px);background-color:transparent;border-color:transparent}.next-calendar-panel-header-full .next-calendar-btn,.next-calendar-panel-header-full .next-calendar-btn.visited,.next-calendar-panel-header-full .next-calendar-btn:link,.next-calendar-panel-header-full .next-calendar-btn:visited,.next-calendar-panel-header-left .next-calendar-btn,.next-calendar-panel-header-left .next-calendar-btn.visited,.next-calendar-panel-header-left .next-calendar-btn:link,.next-calendar-panel-header-left .next-calendar-btn:visited,.next-calendar-panel-header-right .next-calendar-btn,.next-calendar-panel-header-right .next-calendar-btn.visited,.next-calendar-panel-header-right .next-calendar-btn:link,.next-calendar-panel-header-right .next-calendar-btn:visited{color:#fff;color:var(--calendar-btn-date-color,#fff)}.next-calendar-panel-header-full .next-calendar-btn.hover,.next-calendar-panel-header-full .next-calendar-btn:focus,.next-calendar-panel-header-full .next-calendar-btn:hover,.next-calendar-panel-header-left .next-calendar-btn.hover,.next-calendar-panel-header-left .next-calendar-btn:focus,.next-calendar-panel-header-left .next-calendar-btn:hover,.next-calendar-panel-header-right .next-calendar-btn.hover,.next-calendar-panel-header-right .next-calendar-btn:focus,.next-calendar-panel-header-right .next-calendar-btn:hover{color:#fff;color:var(--calendar-btn-date-color-hover,#fff);background-color:transparent;border-color:transparent;text-decoration:none}.next-calendar-panel-header-full .next-calendar-btn.active,.next-calendar-panel-header-full .next-calendar-btn:active,.next-calendar-panel-header-left .next-calendar-btn.active,.next-calendar-panel-header-left .next-calendar-btn:active,.next-calendar-panel-header-right .next-calendar-btn.active,.next-calendar-panel-header-right .next-calendar-btn:active{color:#fff;color:var(--calendar-btn-date-color-hover,#fff);background-color:transparent;border-color:transparent;text-decoration:none}.next-calendar-panel-header-left,.next-calendar-panel-header-right{display:inline-block;width:50%;text-align:center}.next-calendar-panel-header-full{width:100%;text-align:center}.next-calendar-panel-menu{max-height:210px;overflow:auto;text-align:left}.next-calendar-btn{cursor:pointer;padding:0;margin:0;border:0;background:0 0;outline:0;height:100%}.next-calendar-btn>.next-icon.next-icon .next-icon-remote,.next-calendar-btn>.next-icon.next-icon:before{width:12px;width:var(--calendar-btn-arrow-size,12px);font-size:12px;font-size:var(--calendar-btn-arrow-size,12px);line-height:inherit}.next-calendar-btn .next-icon{margin-left:4px;margin-left:var(--s-1,4px)}.next-calendar-btn-next-decade,.next-calendar-btn-next-month,.next-calendar-btn-next-year,.next-calendar-btn-prev-decade,.next-calendar-btn-prev-month,.next-calendar-btn-prev-year{position:absolute;top:0;background-color:transparent;border-color:transparent}.next-calendar-btn-next-decade,.next-calendar-btn-next-decade.visited,.next-calendar-btn-next-decade:link,.next-calendar-btn-next-decade:visited,.next-calendar-btn-next-month,.next-calendar-btn-next-month.visited,.next-calendar-btn-next-month:link,.next-calendar-btn-next-month:visited,.next-calendar-btn-next-year,.next-calendar-btn-next-year.visited,.next-calendar-btn-next-year:link,.next-calendar-btn-next-year:visited,.next-calendar-btn-prev-decade,.next-calendar-btn-prev-decade.visited,.next-calendar-btn-prev-decade:link,.next-calendar-btn-prev-decade:visited,.next-calendar-btn-prev-month,.next-calendar-btn-prev-month.visited,.next-calendar-btn-prev-month:link,.next-calendar-btn-prev-month:visited,.next-calendar-btn-prev-year,.next-calendar-btn-prev-year.visited,.next-calendar-btn-prev-year:link,.next-calendar-btn-prev-year:visited{color:#fff;color:var(--calendar-btn-arrow-color,#fff)}.next-calendar-btn-next-decade.hover,.next-calendar-btn-next-decade:focus,.next-calendar-btn-next-decade:hover,.next-calendar-btn-next-month.hover,.next-calendar-btn-next-month:focus,.next-calendar-btn-next-month:hover,.next-calendar-btn-next-year.hover,.next-calendar-btn-next-year:focus,.next-calendar-btn-next-year:hover,.next-calendar-btn-prev-decade.hover,.next-calendar-btn-prev-decade:focus,.next-calendar-btn-prev-decade:hover,.next-calendar-btn-prev-month.hover,.next-calendar-btn-prev-month:focus,.next-calendar-btn-prev-month:hover,.next-calendar-btn-prev-year.hover,.next-calendar-btn-prev-year:focus,.next-calendar-btn-prev-year:hover{color:#fff;color:var(--calendar-btn-arrow-color-hover,#fff);background-color:transparent;border-color:transparent;text-decoration:none}.next-calendar-btn-next-decade.active,.next-calendar-btn-next-decade:active,.next-calendar-btn-next-month.active,.next-calendar-btn-next-month:active,.next-calendar-btn-next-year.active,.next-calendar-btn-next-year:active,.next-calendar-btn-prev-decade.active,.next-calendar-btn-prev-decade:active,.next-calendar-btn-prev-month.active,.next-calendar-btn-prev-month:active,.next-calendar-btn-prev-year.active,.next-calendar-btn-prev-year:active{color:#fff;color:var(--calendar-btn-arrow-color-hover,#fff);background-color:transparent;border-color:transparent;text-decoration:none}.next-calendar-btn-prev-decade,.next-calendar-btn-prev-year{left:8px;left:var(--calendar-btn-arrow-double-offset-lr,8px)}.next-calendar-btn-prev-month{left:28px;left:var(--calendar-btn-arrow-single-offset-lr,28px)}.next-calendar-btn-next-month{right:28px;right:var(--calendar-btn-arrow-single-offset-lr,28px)}.next-calendar-btn-next-decade,.next-calendar-btn-next-year{right:8px;right:var(--calendar-btn-arrow-double-offset-lr,8px)}.next-calendar-fullscreen .next-calendar-th{text-align:right;color:#333;color:var(--calendar-fullscreen-table-head-color,#333);font-size:16px;font-size:var(--calendar-fullscreen-table-head-font-size,16px);font-weight:700;font-weight:var(--calendar-fullscreen-table-head-font-weight,bold);padding-right:12px;padding-right:var(--calendar-fullscreen-table-head-padding-r,12px);padding-bottom:4px;padding-bottom:var(--calendar-fullscreen-table-head-padding-b,4px)}.next-calendar-fullscreen .next-calendar-cell{font-size:14px;font-size:var(--calendar-fullscreen-table-cell-font-size,14px)}.next-calendar-fullscreen .next-calendar-cell.next-selected .next-calendar-date,.next-calendar-fullscreen .next-calendar-cell.next-selected .next-calendar-month{font-weight:700;font-weight:var(--calendar-fullscreen-table-cell-select-font-weight,bold);background:#dee8ff;background:var(--calendar-fullscreen-table-cell-select-background,#dee8ff);color:#5584ff;color:var(--calendar-fullscreen-table-cell-select-color,#5584ff);border-color:#5584ff;border-color:var(--calendar-fullscreen-table-cell-select-border-color,#5584ff)}.next-calendar-fullscreen .next-calendar-cell.next-disabled .next-calendar-date,.next-calendar-fullscreen .next-calendar-cell.next-disabled .next-calendar-month{cursor:not-allowed;background:#f7f8fa;background:var(--calendar-fullscreen-table-cell-disabled-background,#f7f8fa);color:#ccc;color:var(--calendar-fullscreen-table-cell-disabled-color,#ccc);border-color:#e6e7eb;border-color:var(--calendar-fullscreen-table-cell-disabled-border-color,#e6e7eb)}.next-calendar-fullscreen .next-calendar-date,.next-calendar-fullscreen .next-calendar-month{text-align:right;white-space:nowrap;overflow:hidden;text-overflow:ellipsis;margin:0 4px;margin:var(--calendar-fullscreen-table-cell-margin-tb,0) var(--calendar-fullscreen-table-cell-margin-lr,4px);padding:4px 8px;padding:var(--calendar-fullscreen-table-cell-padding-tb,4px) var(--calendar-fullscreen-table-cell-padding-lr,8px);min-height:80px;min-height:var(--calendar-fullscreen-table-cell-min-height,80px);border-top:2px solid;border-top:var(--calendar-fullscreen-table-cell-boder-top-width,2px) var(--line-solid,solid);transition:background .1s linear;transition:background var(--motion-duration-immediately,100ms) var(--motion-linear,linear);background:#fff;background:var(--calendar-fullscreen-table-cell-normal-background,#fff);color:#333;color:var(--calendar-fullscreen-table-cell-normal-color,#333);border-color:#dcdee3;border-color:var(--calendar-fullscreen-table-cell-normal-border-color,#dcdee3)}.next-calendar-fullscreen .next-calendar-date:hover,.next-calendar-fullscreen .next-calendar-month:hover{background:#dee8ff;background:var(--calendar-fullscreen-table-cell-hover-background,#dee8ff);color:#5584ff;color:var(--calendar-fullscreen-table-cell-hover-color,#5584ff);border-color:#5584ff;border-color:var(--calendar-fullscreen-table-cell-hover-border-color,#5584ff)}.next-calendar-fullscreen .next-calendar-cell-next-month .next-calendar-date,.next-calendar-fullscreen .next-calendar-cell-prev-month .next-calendar-date{background:0 0;background:var(--calendar-fullscreen-table-cell-other-background,transparent);color:#ccc;color:var(--calendar-fullscreen-table-cell-other-color,#ccc);border-color:transparent;border-color:var(--calendar-fullscreen-table-cell-other-border-color,transparent)}.next-calendar-fullscreen .next-calendar-cell-current .next-calendar-date,.next-calendar-fullscreen .next-calendar-cell-current .next-calendar-month{font-weight:700;font-weight:var(--calendar-fullscreen-table-cell-current-font-weight,bold);background:#fff;background:var(--calendar-fullscreen-table-cell-current-background,#fff);color:#5584ff;color:var(--calendar-fullscreen-table-cell-current-color,#5584ff);border-color:#5584ff;border-color:var(--calendar-fullscreen-table-cell-current-border-color,#5584ff)}.next-calendar-card .next-calendar-th,.next-calendar-panel .next-calendar-th,.next-calendar-range .next-calendar-th{text-align:center;color:#999;color:var(--calendar-card-table-head-color,#999);font-size:12px;font-size:var(--calendar-card-table-head-font-size,12px);font-weight:400;font-weight:var(--calendar-card-table-head-font-weight,normal)}.next-calendar-card .next-calendar-cell,.next-calendar-panel .next-calendar-cell,.next-calendar-range .next-calendar-cell{text-align:center;font-size:12px;font-size:var(--calendar-card-table-cell-font-size,12px)}.next-calendar-card .next-calendar-cell.next-selected .next-calendar-date,.next-calendar-card .next-calendar-cell.next-selected .next-calendar-month,.next-calendar-card .next-calendar-cell.next-selected .next-calendar-year,.next-calendar-panel .next-calendar-cell.next-selected .next-calendar-date,.next-calendar-panel .next-calendar-cell.next-selected .next-calendar-month,.next-calendar-panel .next-calendar-cell.next-selected .next-calendar-year,.next-calendar-range .next-calendar-cell.next-selected .next-calendar-date,.next-calendar-range .next-calendar-cell.next-selected .next-calendar-month,.next-calendar-range .next-calendar-cell.next-selected .next-calendar-year{animation:cellZoomIn .4s cubic-bezier(.23,1,.32,1);font-weight:700;font-weight:var(--calendar-card-table-cell-select-font-weight,bold);background:#5584ff;background:var(--calendar-card-table-cell-select-background,#5584ff);color:#fff;color:var(--calendar-card-table-cell-select-color,#fff);border-color:#5584ff;border-color:var(--calendar-card-table-cell-select-border-color,#5584ff)}.next-calendar-card .next-calendar-cell.next-disabled .next-calendar-date,.next-calendar-card .next-calendar-cell.next-disabled .next-calendar-month,.next-calendar-card .next-calendar-cell.next-disabled .next-calendar-year,.next-calendar-panel .next-calendar-cell.next-disabled .next-calendar-date,.next-calendar-panel .next-calendar-cell.next-disabled .next-calendar-month,.next-calendar-panel .next-calendar-cell.next-disabled .next-calendar-year,.next-calendar-range .next-calendar-cell.next-disabled .next-calendar-date,.next-calendar-range .next-calendar-cell.next-disabled .next-calendar-month,.next-calendar-range .next-calendar-cell.next-disabled .next-calendar-year{cursor:not-allowed;background:#f7f8fa;background:var(--calendar-card-table-cell-disabled-background,#f7f8fa);color:#ccc;color:var(--calendar-card-table-cell-disabled-color,#ccc);border-color:#f7f8fa;border-color:var(--calendar-card-table-cell-disabled-border-color,#f7f8fa)}.next-calendar-card .next-calendar-cell.next-inrange .next-calendar-date,.next-calendar-panel .next-calendar-cell.next-inrange .next-calendar-date,.next-calendar-range .next-calendar-cell.next-inrange .next-calendar-date{background:#dee8ff;background:var(--calendar-card-table-cell-inrange-background,#dee8ff);color:#5584ff;color:var(--calendar-card-table-cell-inrange-color,#5584ff);border-color:#dee8ff;border-color:var(--calendar-card-table-cell-inrange-border-color,#dee8ff)}.next-calendar-card .next-calendar-date,.next-calendar-card .next-calendar-month,.next-calendar-card .next-calendar-year,.next-calendar-panel .next-calendar-date,.next-calendar-panel .next-calendar-month,.next-calendar-panel .next-calendar-year,.next-calendar-range .next-calendar-date,.next-calendar-range .next-calendar-month,.next-calendar-range .next-calendar-year{text-align:center;border:1px solid;border:var(--line-1,1px) var(--line-solid,solid);background:#fff;background:var(--calendar-card-table-cell-normal-background,#fff);color:#666;color:var(--calendar-card-table-cell-normal-color,#666);border-color:#fff;border-color:var(--calendar-card-table-cell-normal-border-color,#fff)}.next-calendar-card .next-calendar-date:hover,.next-calendar-card .next-calendar-month:hover,.next-calendar-card .next-calendar-year:hover,.next-calendar-panel .next-calendar-date:hover,.next-calendar-panel .next-calendar-month:hover,.next-calendar-panel .next-calendar-year:hover,.next-calendar-range .next-calendar-date:hover,.next-calendar-range .next-calendar-month:hover,.next-calendar-range .next-calendar-year:hover{cursor:pointer}.next-calendar-card .next-calendar-date:hover,.next-calendar-card .next-calendar-month:hover,.next-calendar-card .next-calendar-year:hover,.next-calendar-panel .next-calendar-date:hover,.next-calendar-panel .next-calendar-month:hover,.next-calendar-panel .next-calendar-year:hover,.next-calendar-range .next-calendar-date:hover,.next-calendar-range .next-calendar-month:hover,.next-calendar-range .next-calendar-year:hover{background:#dee8ff;background:var(--calendar-card-table-cell-hover-background,#dee8ff);color:#5584ff;color:var(--calendar-card-table-cell-hover-color,#5584ff);border-color:#dee8ff;border-color:var(--calendar-card-table-cell-hover-border-color,#dee8ff)}.next-calendar-card .next-calendar-date,.next-calendar-panel .next-calendar-date,.next-calendar-range .next-calendar-date{width:24px;width:var(--calendar-card-table-cell-date-width,24px);height:24px;height:var(--calendar-card-table-cell-date-height,24px);line-height:22px;line-height:calc(var(--calendar-card-table-cell-date-height,24px) - 2px);margin:4px auto;margin:var(--s-1,4px) auto;border-radius:3px;border-radius:var(--calendar-card-table-cell-date-border-radius,3px)}.next-calendar-card .next-calendar-month,.next-calendar-panel .next-calendar-month,.next-calendar-range .next-calendar-month{width:60px;width:var(--calendar-card-table-cell-month-width,60px);height:24px;height:var(--calendar-card-table-cell-month-height,24px);line-height:22px;line-height:calc(var(--calendar-card-table-cell-month-height,24px) - 2px);margin:8px auto;margin:var(--s-2,8px) auto;border-radius:3px;border-radius:var(--calendar-card-table-cell-month-border-radius,3px)}.next-calendar-card .next-calendar-year,.next-calendar-panel .next-calendar-year,.next-calendar-range .next-calendar-year{width:48px;width:var(--calendar-card-table-cell-year-width,48px);height:24px;height:var(--calendar-card-table-cell-year-height,24px);line-height:22px;line-height:calc(var(--calendar-card-table-cell-year-height,24px) - 2px);margin:8px auto;margin:var(--s-2,8px) auto;border-radius:3px;border-radius:var(--calendar-card-table-cell-year-border-radius,3px)}.next-calendar-card .next-calendar-cell-prev-month .next-calendar-date,.next-calendar-panel .next-calendar-cell-prev-month .next-calendar-date,.next-calendar-range .next-calendar-cell-prev-month .next-calendar-date{background:#fff;background:var(--calendar-card-table-cell-other-background,#fff);color:#ccc;color:var(--calendar-card-table-cell-other-color,#ccc);border-color:#fff;border-color:var(--calendar-card-table-cell-other-border-color,#fff)}.next-calendar-card .next-calendar-cell-next-month .next-calendar-date,.next-calendar-panel .next-calendar-cell-next-month .next-calendar-date,.next-calendar-range .next-calendar-cell-next-month .next-calendar-date{background:#fff;background:var(--calendar-card-table-cell-other-background,#fff);color:#ccc;color:var(--calendar-card-table-cell-other-color,#ccc);border-color:#fff;border-color:var(--calendar-card-table-cell-other-border-color,#fff)}.next-calendar-card .next-calendar-cell-current .next-calendar-date,.next-calendar-card .next-calendar-cell-current .next-calendar-month,.next-calendar-card .next-calendar-cell-current .next-calendar-year,.next-calendar-panel .next-calendar-cell-current .next-calendar-date,.next-calendar-panel .next-calendar-cell-current .next-calendar-month,.next-calendar-panel .next-calendar-cell-current .next-calendar-year,.next-calendar-range .next-calendar-cell-current .next-calendar-date,.next-calendar-range .next-calendar-cell-current .next-calendar-month,.next-calendar-range .next-calendar-cell-current .next-calendar-year{font-weight:700;font-weight:var(--calendar-card-table-cell-current-font-weight,bold);background:#fff;background:var(--calendar-card-table-cell-current-background,#fff);color:#5584ff;color:var(--calendar-card-table-cell-current-color,#5584ff);border-color:transparent;border-color:var(--calendar-card-table-cell-current-border-color,transparent)}.next-calendar-panel.next-calendar-week .next-calendar-tbody tr{cursor:pointer}.next-calendar-panel.next-calendar-week .next-calendar-tbody tr:hover .next-calendar-cell .next-calendar-date{background:#dee8ff;background:var(--calendar-card-table-cell-hover-background,#dee8ff);color:#5584ff;color:var(--calendar-card-table-cell-hover-color,#5584ff);border-color:#dee8ff;border-color:var(--calendar-card-table-cell-hover-border-color,#dee8ff)}.next-calendar-panel.next-calendar-week .next-calendar-tbody .next-calendar-cell.next-selected .next-calendar-date{font-weight:400;background:0 0;border-color:transparent}.next-calendar-panel.next-calendar-week .next-calendar-tbody .next-calendar-week-active-date{position:relative;color:#5584ff;color:var(--calendar-card-table-cell-inrange-color,#5584ff)}.next-calendar-panel.next-calendar-week .next-calendar-tbody .next-calendar-week-active-date::before{content:'';position:absolute;left:-1px;left:calc(0px - var(--line-1,1px));top:-1px;top:calc(0px - var(--line-1,1px));bottom:-1px;bottom:calc(0px - var(--line-1,1px));right:-1px;right:calc(0px - var(--line-1,1px));border:1px solid;border:var(--line-1,1px) var(--line-solid,solid);background:#dee8ff;background:var(--calendar-card-table-cell-inrange-background,#dee8ff);border-color:#dee8ff;border-color:var(--calendar-card-table-cell-inrange-border-color,#dee8ff);border-radius:3px;border-radius:var(--calendar-card-table-cell-date-border-radius,3px)}.next-calendar-panel.next-calendar-week .next-calendar-tbody .next-calendar-week-active-date>span{position:relative}.next-calendar-panel.next-calendar-week .next-calendar-tbody .next-calendar-week-active-end,.next-calendar-panel.next-calendar-week .next-calendar-tbody .next-calendar-week-active-start{color:#fff;color:var(--calendar-card-table-cell-select-color,#fff)}.next-calendar-panel.next-calendar-week .next-calendar-tbody .next-calendar-week-active-end::before,.next-calendar-panel.next-calendar-week .next-calendar-tbody .next-calendar-week-active-start::before{background:#5584ff;background:var(--calendar-card-table-cell-select-background,#5584ff);border-color:#5584ff;border-color:var(--calendar-card-table-cell-select-border-color,#5584ff)}.next-calendar[dir=rtl] .next-calendar-header{text-align:left}.next-calendar[dir=rtl] .next-calendar-header .next-select{margin-right:0;margin-left:4px;margin-left:var(--s-1,4px)}.next-calendar[dir=rtl] .next-calendar-header .next-menu{text-align:right}.next-calendar[dir=rtl] .next-calendar-btn-prev-decade,.next-calendar[dir=rtl] .next-calendar-btn-prev-year{left:auto;right:8px;right:var(--calendar-btn-arrow-double-offset-lr,8px)}.next-calendar[dir=rtl] .next-calendar-btn-prev-month{left:auto;right:28px;right:var(--calendar-btn-arrow-single-offset-lr,28px)}.next-calendar[dir=rtl] .next-calendar-btn-next-month{right:auto;left:28px;left:var(--calendar-btn-arrow-single-offset-lr,28px)}.next-calendar[dir=rtl] .next-calendar-btn-next-decade,.next-calendar[dir=rtl] .next-calendar-btn-next-year{right:auto;left:8px;left:var(--calendar-btn-arrow-double-offset-lr,8px)}.next-calendar-fullscreen[dir=rtl] .next-calendar-th{text-align:left;padding-left:12px;padding-left:var(--calendar-fullscreen-table-head-padding-r,12px);padding-right:0}.next-calendar-fullscreen[dir=rtl] .next-calendar-date,.next-calendar-fullscreen[dir=rtl] .next-calendar-month{text-align:left}.next-calendar-range[dir=rtl] .next-calendar-body-left,.next-calendar-range[dir=rtl] .next-calendar-body-right{float:right}.next-calendar-range[dir=rtl] .next-calendar-body-left{padding-right:0;padding-left:8px;padding-left:var(--s-2,8px)}.next-calendar-range[dir=rtl] .next-calendar-body-right{padding-left:0;padding-right:8px;padding-right:var(--s-2,8px)}.next-calendar-table{width:100%;table-layout:fixed}.next-calendar-range .next-calendar-body-left,.next-calendar-range .next-calendar-body-right{float:left;width:50%}.next-calendar-range .next-calendar-body-left{padding-right:8px;padding-right:var(--s-2,8px)}.next-calendar-range .next-calendar-body-right{padding-left:8px;padding-left:var(--s-2,8px)}.next-calendar-range .next-calendar-body:after{visibility:hidden;display:block;height:0;font-size:0;content:' ';clear:both}.next-calendar-symbol-prev::before{content:"\E61D";content:var(--calendar-btn-arrow-content-prev, "\E61D")}.next-calendar-symbol-next::before{content:"\E619";content:var(--calendar-btn-arrow-content-next, "\E619")}.next-calendar-symbol-prev-super::before{content:"\E659";content:var(--calendar-btn-arrow-content-prev-super, "\E659")}.next-calendar-symbol-next-super::before{content:"\E65E";content:var(--calendar-btn-arrow-content-next-super, "\E65E")}.next-sr-only{position:absolute;width:1px;height:1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);white-space:nowrap;border:0;top:0;margin:-1px}.next-card *,.next-card :after,.next-card :before{box-sizing:border-box}.next-card,.next-card:after,.next-card:before{box-sizing:border-box}.next-card[dir=rtl] .next-card-extra{left:0;right:auto}.next-card[dir=rtl] .next-card-title:before{right:0;left:auto}.next-card[dir=rtl] .next-card-subtitle{float:left;padding-right:8px;padding-right:var(--card-sub-title-padding-left,8px);padding-left:0}.next-card[dir=rtl] .next-card-head-show-bullet .next-card-title{padding-left:0;padding-right:8px;padding-right:var(--card-title-padding-left,8px)}.next-card{box-sizing:border-box}.next-card *,.next-card :after,.next-card :before{box-sizing:border-box}.next-card{min-width:100px;min-width:var(--s-25,100px);border:1px solid #dcdee3;border:var(--card-border-width,1px) var(--card-border-style,solid) var(--card-border-color,#dcdee3);border-radius:3px;border-radius:var(--card-corner,3px);box-shadow:none;box-shadow:var(--card-shadow,none);background:#fff;background:var(--card-background,#fff);overflow:hidden}.next-card-head{background:#fff;background:var(--card-header-background,#fff);padding-left:16px;padding-left:var(--card-padding-lr,16px);padding-right:16px;padding-right:var(--card-padding-lr,16px)}.next-card-head-show-bullet .next-card-title{padding-left:8px;padding-left:var(--card-title-padding-left,8px)}.next-card-head-show-bullet .next-card-title:before{content:'';display:inline-block;height:16px;height:var(--card-title-bullet-height,16px);width:3px;width:var(--card-title-bullet-width,3px);background:#5584ff;background:var(--card-title-bullet-color,#5584ff);position:absolute;left:0;top:calc(50% - 8px);top:calc(50% - var(--card-title-bullet-height,16px)/ 2)}.next-card-head-main{position:relative;margin-top:8px;margin-top:var(--card-head-main-margin-top,8px);margin-bottom:0;margin-bottom:var(--card-head-main-margin-bottom,0);height:40px;height:var(--card-head-main-height,40px);line-height:40px;line-height:var(--card-head-main-height,40px)}.next-card-title{display:inline-block;overflow:hidden;text-overflow:ellipsis;white-space:nowrap;max-width:80%;height:100%;color:#333;color:var(--card-title-color,#333);font-size:16px;font-size:var(--card-title-font-size,16px);font-weight:400;font-weight:var(--card-title-font-weight,normal)}.next-card-subtitle{font-size:12px;font-size:var(--card-sub-title-font-size,12px);color:#666;color:var(--card-sub-title-color,#666);padding-left:8px;padding-left:var(--card-sub-title-padding-left,8px)}.next-card-extra{position:absolute;right:0;top:0;height:100%;font-size:12px;font-size:var(--card-title-extra-font-size,12px);color:#5584ff;color:var(--card-title-extra-color,#5584ff)}.next-card-body{padding-bottom:12px;padding-bottom:var(--card-body-padding-bottom,12px);padding-left:16px;padding-left:var(--card-padding-lr,16px);padding-right:16px;padding-right:var(--card-padding-lr,16px)}.next-card-show-divider .next-card-head-main{border-bottom:1px solid #e6e7eb;border-bottom:var(--card-head-bottom-border-width,1px) var(--card-border-style,solid) var(--card-head-bottom-border-color,#e6e7eb)}.next-card-show-divider .next-card-body{padding-top:12px;padding-top:var(--card-body-show-divider-padding-top,12px)}.next-card-hide-divider .next-card-body{padding-top:0;padding-top:var(--card-body-hide-divider-padding-top,0)}.next-card—free{padding:0}.next-card-content{overflow:hidden;transition:all .3s ease;transition:all var(--motion-duration-standard,300ms) var(--motion-ease,ease);position:relative}.next-card-footer .next-icon{transition:all .1s linear;transition:all var(--motion-duration-immediately,100ms) var(--motion-linear,linear)}.next-card-footer .next-icon.expand{transform-origin:50% 47%;transform:rotate(180deg)}.next-card-header{background:#fff;background:var(--card-header-background,#fff);padding:0 16px;padding:0 var(--card-padding-lr,16px);margin-bottom:12px;margin-bottom:var(--card-body-show-divider-padding-top,12px);margin-top:12px;margin-top:var(--card-body-padding-bottom,12px)}.next-card-media,.next-card-media>*{display:block;background-size:cover;background-repeat:no-repeat;background-position:center;object-fit:cover;width:100%}.next-card-header-titles{overflow:hidden}.next-card-header-extra{float:right;text-align:right}.next-card-header-extra .next--btn{margin-left:12px;margin-left:var(--s-3,12px);vertical-align:middle}.next-card-header-title{color:#333;color:var(--card-title-color,#333);font-size:16px;font-size:var(--card-title-font-size,16px);font-weight:400;font-weight:var(--card-title-font-weight,normal);line-height:1.5}.next-card-header-subtitle{font-size:12px;font-size:var(--card-sub-title-font-size,12px);color:#666;color:var(--card-sub-title-color,#666)}.next-card-actions{display:block;padding-left:16px;padding-left:var(--card-padding-lr,16px);padding-right:16px;padding-right:var(--card-padding-lr,16px);padding-top:12px;padding-top:var(--card-body-show-divider-padding-top,12px);padding-bottom:12px;padding-bottom:var(--card-body-padding-bottom,12px)}.next-card-actions .next-btn:not(:last-child){margin-right:12px;margin-right:var(--s-3,12px);vertical-align:middle}.next-card-divider{border-style:none;width:100%;margin:0;position:relative}.next-card-divider::before{content:'';display:block;border-bottom:1px solid #e6e7eb;border-bottom:var(--card-head-bottom-border-width,1px) var(--card-border-style,solid) var(--card-head-bottom-border-color,#e6e7eb)}.next-card-divider--inset{padding:0 16px;padding:0 var(--card-padding-lr,16px)}.next-card-content-container{margin-top:12px;margin-top:var(--card-body-show-divider-padding-top,12px);padding-bottom:12px;padding-bottom:var(--card-body-padding-bottom,12px);padding-left:16px;padding-left:var(--card-padding-lr,16px);padding-right:16px;padding-right:var(--card-padding-lr,16px);font-size:12px;font-size:var(--card-content-font-size,12px);line-height:1.5;line-height:var(--card-content-line-height,1.5);color:#666;color:var(--card-content-color,#666)}.next-sr-only{position:absolute;width:1px;height:1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);white-space:nowrap;border:0;top:0;margin:-1px}.next-cascader{box-sizing:border-box;display:inline-block;overflow:auto;border:1px solid #dcdee3;border:var(--cascader-menu-border-width,1px) var(--line-solid,solid) var(--cascader-menu-border-color,#dcdee3);border-radius:3px;border-radius:var(--cascader-menu-border-radius,3px)}.next-cascader *,.next-cascader :after,.next-cascader :before{box-sizing:border-box}.next-cascader-inner:after{visibility:hidden;display:block;height:0;font-size:0;content:' ';clear:both}.next-cascader-menu-wrapper{float:left;overflow:auto;width:100px;width:var(--cascader-menu-width,100px);height:192px;height:var(--cascader-menu-height,192px);overflow-x:hidden;overflow-y:auto}.next-cascader-menu-wrapper+.next-cascader-menu-wrapper{border-left:1px solid #dcdee3;border-left:var(--cascader-menu-border-width,1px) var(--line-solid,solid) var(--cascader-menu-border-color,#dcdee3)}.next-cascader-menu{position:relative;padding:0;border:none;border-radius:0;box-shadow:none;min-width:auto;min-height:100%}.next-cascader-menu.next-has-right-border{border-right:1px solid #dcdee3;border-right:var(--cascader-menu-border-width,1px) var(--line-solid,solid) var(--cascader-menu-border-color,#dcdee3)}.next-cascader-menu-item.next-expanded{color:#333;color:var(--cascader-menu-item-expanded-color,#333);background-color:#f2f3f7;background-color:var(--cascader-menu-item-expanded-background-color,#f2f3f7)}.next-cascader-menu-icon-right{position:absolute;top:0;right:10px;color:#666;color:var(--cascader-menu-icon-expand-color,#666)}.next-cascader-menu-icon-right:hover{color:#333;color:var(--cascader-menu-icon-hover-expand-color,#333)}.next-cascader-menu-icon-expand.next-icon .next-icon-remote,.next-cascader-menu-icon-expand.next-icon:before{width:8px;width:var(--cascader-menu-icon-expand-size,8px);font-size:8px;font-size:var(--cascader-menu-icon-expand-size,8px);line-height:inherit}@media all and (-webkit-min-device-pixel-ratio:0) and (min-resolution:0.001dpcm){.next-cascader-menu-icon-expand.next-icon{transform:scale(.5);margin-left:-4px;margin-left:calc(0px - var(--icon-s,16px)/ 2 + var(--cascader-menu-icon-expand-size,8px)/ 2);margin-right:-4px;margin-right:calc(0px - var(--icon-s,16px)/ 2 + var(--cascader-menu-icon-expand-size,8px)/ 2)}.next-cascader-menu-icon-expand.next-icon:before{width:16px;width:var(--icon-s,16px);font-size:16px;font-size:var(--icon-s,16px)}}.next-cascader-menu-icon-loading.next-icon .next-icon-remote,.next-cascader-menu-icon-loading.next-icon:before{width:12px;width:var(--icon-xs,12px);font-size:12px;font-size:var(--icon-xs,12px);line-height:inherit}.next-cascader-menu-item.next-expanded .next-cascader-menu-icon-right{color:#333;color:var(--cascader-menu-icon-hover-expand-color,#333)}.next-cascader-menu-item.next-expanded .next-cascader-menu-icon-loading{color:#5584ff;color:var(--color-brand1-6,#5584ff)}.next-cascader-filtered-list{height:192px;height:calc(var(--s-8,32px)*6);padding:0;border:none;border-radius:0;box-shadow:none;overflow:auto}.next-cascader-filtered-list .next-menu-item-inner{overflow:visible}.next-cascader-filtered-item em{color:#5584ff;color:var(--color-brand1-6,#5584ff);font-style:normal}.next-cascader[dir=rtl] .next-cascader-menu-wrapper{float:right;border-left:none;border-right:1px solid #dcdee3;border-right:var(--cascader-menu-border-width,1px) var(--line-solid,solid) var(--cascader-menu-border-color,#dcdee3)}.next-cascader[dir=rtl] .next-cascader-menu-wrapper:first-child{border-right:none}.next-cascader[dir=rtl] .next-cascader-menu.next-has-right-border{border-right:none;border-left:1px solid #dcdee3;border-left:var(--cascader-menu-border-width,1px) var(--line-solid,solid) var(--cascader-menu-border-color,#dcdee3)}.next-cascader[dir=rtl] .next-cascader-menu-icon-right{right:auto;left:10px}.next-sr-only{position:absolute;width:1px;height:1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);white-space:nowrap;border:0;top:0;margin:-1px}.next-cascader-select{box-sizing:border-box}.next-cascader-select *,.next-cascader-select :after,.next-cascader-select :before{box-sizing:border-box}.next-cascader-select-dropdown{box-sizing:border-box;border:1px solid #dcdee3;border:var(--popup-local-border-width,1px) var(--popup-local-border-style,solid) var(--popup-local-border-color,#dcdee3);border-radius:3px;border-radius:var(--popup-local-corner,3px);box-shadow:none;box-shadow:var(--popup-local-shadow,none)}.next-cascader-select-dropdown *,.next-cascader-select-dropdown :after,.next-cascader-select-dropdown :before{box-sizing:border-box}.next-cascader-select-dropdown .next-cascader{display:block;border:none;box-shadow:none}.next-cascader-select-not-found{padding:0;border:none;box-shadow:none;overflow:auto;color:#999;color:var(--color-text1-2,#999)}.next-cascader-select-not-found .next-menu-item:hover{color:#999;color:var(--color-text1-2,#999);background:#fff;cursor:default}.next-sr-only{position:absolute;width:1px;height:1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);white-space:nowrap;border:0;top:0;margin:-1px}.next-checkbox-wrapper[dir=rtl]{margin-right:8px;margin-left:0}.next-checkbox-wrapper[dir=rtl]:first-child{margin-right:0}.next-checkbox-wrapper[dir=rtl]>.next-checkbox-label{margin-right:4px;margin-right:var(--checkbox-margin-left,4px);margin-left:0}.next-checkbox-wrapper{box-sizing:border-box;display:inline-block}.next-checkbox-wrapper *,.next-checkbox-wrapper :after,.next-checkbox-wrapper :before{box-sizing:border-box}.next-checkbox-wrapper .next-checkbox{display:inline-block;position:relative;line-height:1;vertical-align:middle}.next-checkbox-wrapper input[type=checkbox]{opacity:0;position:absolute;top:0;left:0;width:16px;width:var(--checkbox-size,16px);height:16px;height:var(--checkbox-size,16px);margin:0;cursor:pointer}.next-checkbox-wrapper .next-checkbox-inner{display:block;width:16px;width:var(--checkbox-size,16px);height:16px;height:var(--checkbox-size,16px);background:#fff;background:var(--checkbox-bg-color,#fff);border-radius:3px;border-radius:var(--checkbox-border-radius,3px);border:1px solid #c4c6cf;border:var(--checkbox-border-width,1px) solid var(--checkbox-border-color,#c4c6cf);transition:all .1s linear;transition:all var(--motion-duration-immediately,100ms) var(--motion-linear,linear);text-align:left;box-shadow:none;box-shadow:var(--checkbox-shadow,none)}.next-checkbox-wrapper .next-checkbox-inner>.next-icon{transform:scale(0);position:absolute;top:0;opacity:0;line-height:16px;line-height:var(--checkbox-size,16px);transition:all .1s linear;transition:all var(--motion-duration-immediately,100ms) var(--motion-linear,linear);color:#fff;color:var(--checkbox-checked-circle-color,#fff);left:4px;left:calc(var(--checkbox-size,16px)/ 2 - var(--checkbox-circle-size,8px)/ 2);margin-left:0}.next-checkbox-wrapper .next-checkbox-inner>.next-icon .next-icon-remote,.next-checkbox-wrapper .next-checkbox-inner>.next-icon:before{width:8px;width:var(--checkbox-circle-size,8px);font-size:8px;font-size:var(--checkbox-circle-size,8px);line-height:inherit}@media all and (-webkit-min-device-pixel-ratio:0) and (min-resolution:0.001dpcm){.next-checkbox-wrapper .next-checkbox-inner>.next-icon{transform:scale(.5);margin-left:-4px;margin-left:calc(0px - var(--icon-s,16px)/ 2 + var(--checkbox-circle-size,8px)/ 2);margin-right:-4px;margin-right:calc(0px - var(--icon-s,16px)/ 2 + var(--checkbox-circle-size,8px)/ 2)}.next-checkbox-wrapper .next-checkbox-inner>.next-icon:before{width:16px;width:var(--icon-s,16px);font-size:16px;font-size:var(--icon-s,16px)}}.next-checkbox-wrapper .next-checkbox-inner>.next-icon::before{vertical-align:top;margin-top:0}.next-checkbox-wrapper .next-checkbox-inner>.next-checkbox-select-icon::before{content:"\E632";content:var(--checkbox-select-icon-content, "\E632")}.next-checkbox-wrapper .next-checkbox-inner>.next-checkbox-semi-select-icon::before{content:"\E633";content:var(--checkbox-semi-select-icon-content, "\E633")}.next-checkbox-wrapper.checked.focused>.next-checkbox>.next-checkbox-inner,.next-checkbox-wrapper.checked>.next-checkbox>.next-checkbox-inner{border-color:transparent;border-color:var(--checkbox-checked-border-color,transparent);background-color:#5584ff;background-color:var(--checkbox-checked-bg-color,#5584ff)}.next-checkbox-wrapper.checked.focused>.next-checkbox>.next-checkbox-inner.hovered,.next-checkbox-wrapper.checked.focused>.next-checkbox>.next-checkbox-inner:hover,.next-checkbox-wrapper.checked>.next-checkbox>.next-checkbox-inner.hovered,.next-checkbox-wrapper.checked>.next-checkbox>.next-checkbox-inner:hover{border-color:transparent;border-color:var(--checkbox-checked-border-color,transparent)}.next-checkbox-wrapper.checked.focused>.next-checkbox>.next-checkbox-inner>.next-icon,.next-checkbox-wrapper.checked>.next-checkbox>.next-checkbox-inner>.next-icon{opacity:1;transform:scale(1);margin-left:0}.next-checkbox-wrapper.checked.focused>.next-checkbox>.next-checkbox-inner>.next-icon .next-icon-remote,.next-checkbox-wrapper.checked.focused>.next-checkbox>.next-checkbox-inner>.next-icon:before,.next-checkbox-wrapper.checked>.next-checkbox>.next-checkbox-inner>.next-icon .next-icon-remote,.next-checkbox-wrapper.checked>.next-checkbox>.next-checkbox-inner>.next-icon:before{width:8px;width:var(--checkbox-circle-size,8px);font-size:8px;font-size:var(--checkbox-circle-size,8px);line-height:inherit}@media all and (-webkit-min-device-pixel-ratio:0) and (min-resolution:0.001dpcm){.next-checkbox-wrapper.checked.focused>.next-checkbox>.next-checkbox-inner>.next-icon,.next-checkbox-wrapper.checked>.next-checkbox>.next-checkbox-inner>.next-icon{transform:scale(.5);margin-left:-4px;margin-left:calc(0px - var(--icon-s,16px)/ 2 + var(--checkbox-circle-size,8px)/ 2);margin-right:-4px;margin-right:calc(0px - var(--icon-s,16px)/ 2 + var(--checkbox-circle-size,8px)/ 2)}.next-checkbox-wrapper.checked.focused>.next-checkbox>.next-checkbox-inner>.next-icon:before,.next-checkbox-wrapper.checked>.next-checkbox>.next-checkbox-inner>.next-icon:before{width:16px;width:var(--icon-s,16px);font-size:16px;font-size:var(--icon-s,16px)}}.next-checkbox-wrapper.indeterminate.focused>.next-checkbox>.next-checkbox-inner,.next-checkbox-wrapper.indeterminate>.next-checkbox>.next-checkbox-inner{border-color:transparent;border-color:var(--checkbox-checked-border-color,transparent);background-color:#5584ff;background-color:var(--checkbox-checked-bg-color,#5584ff)}.next-checkbox-wrapper.indeterminate.focused>.next-checkbox>.next-checkbox-inner.hovered,.next-checkbox-wrapper.indeterminate.focused>.next-checkbox>.next-checkbox-inner:hover,.next-checkbox-wrapper.indeterminate>.next-checkbox>.next-checkbox-inner.hovered,.next-checkbox-wrapper.indeterminate>.next-checkbox>.next-checkbox-inner:hover{border-color:transparent;border-color:var(--checkbox-checked-border-color,transparent)}.next-checkbox-wrapper.indeterminate.focused>.next-checkbox>.next-checkbox-inner>.next-icon,.next-checkbox-wrapper.indeterminate>.next-checkbox>.next-checkbox-inner>.next-icon{opacity:1;transform:scale3d(1,1,1);margin-left:0}.next-checkbox-wrapper.indeterminate.focused>.next-checkbox>.next-checkbox-inner>.next-icon .next-icon-remote,.next-checkbox-wrapper.indeterminate.focused>.next-checkbox>.next-checkbox-inner>.next-icon:before,.next-checkbox-wrapper.indeterminate>.next-checkbox>.next-checkbox-inner>.next-icon .next-icon-remote,.next-checkbox-wrapper.indeterminate>.next-checkbox>.next-checkbox-inner>.next-icon:before{width:8px;width:var(--checkbox-circle-size,8px);font-size:8px;font-size:var(--checkbox-circle-size,8px);line-height:inherit}@media all and (-webkit-min-device-pixel-ratio:0) and (min-resolution:0.001dpcm){.next-checkbox-wrapper.indeterminate.focused>.next-checkbox>.next-checkbox-inner>.next-icon,.next-checkbox-wrapper.indeterminate>.next-checkbox>.next-checkbox-inner>.next-icon{transform:scale(.5);margin-left:-4px;margin-left:calc(0px - var(--icon-s,16px)/ 2 + var(--checkbox-circle-size,8px)/ 2);margin-right:-4px;margin-right:calc(0px - var(--icon-s,16px)/ 2 + var(--checkbox-circle-size,8px)/ 2)}.next-checkbox-wrapper.indeterminate.focused>.next-checkbox>.next-checkbox-inner>.next-icon:before,.next-checkbox-wrapper.indeterminate>.next-checkbox>.next-checkbox-inner>.next-icon:before{width:16px;width:var(--icon-s,16px);font-size:16px;font-size:var(--icon-s,16px)}}.next-checkbox-wrapper.focused>.next-checkbox>.next-checkbox-inner,.next-checkbox-wrapper.hovered>.next-checkbox>.next-checkbox-inner,.next-checkbox-wrapper:not(.disabled):hover>.next-checkbox>.next-checkbox-inner{border-color:#5584ff;border-color:var(--checkbox-hovered-border-color,#5584ff);background-color:#dee8ff;background-color:var(--checkbox-hovered-bg-color,#dee8ff)}.next-checkbox-wrapper.focused .next-checkbox-label,.next-checkbox-wrapper.hovered .next-checkbox-label,.next-checkbox-wrapper:not(.disabled):hover .next-checkbox-label{cursor:pointer}.next-checkbox-wrapper.checked:not(.disabled).hovered>.next-checkbox .next-checkbox-inner,.next-checkbox-wrapper.checked:not(.disabled):hover>.next-checkbox .next-checkbox-inner,.next-checkbox-wrapper.indeterminate:not(.disabled).hovered>.next-checkbox .next-checkbox-inner,.next-checkbox-wrapper.indeterminate:not(.disabled):hover>.next-checkbox .next-checkbox-inner{border-color:transparent;border-color:var(--checkbox-checked-hovered-border-color,transparent);background-color:#3e71f7;background-color:var(--checkbox-checked-hovered-bg-color,#3e71f7)}.next-checkbox-wrapper.checked:not(.disabled).hovered>.next-checkbox .next-checkbox-inner>.next-icon,.next-checkbox-wrapper.checked:not(.disabled):hover>.next-checkbox .next-checkbox-inner>.next-icon,.next-checkbox-wrapper.indeterminate:not(.disabled).hovered>.next-checkbox .next-checkbox-inner>.next-icon,.next-checkbox-wrapper.indeterminate:not(.disabled):hover>.next-checkbox .next-checkbox-inner>.next-icon{color:#fff;color:var(--checkbox-checked-hovered-circle-color,#fff);opacity:1}.next-checkbox-wrapper.disabled input[type=checkbox]{cursor:not-allowed}.next-checkbox-wrapper.disabled .next-checkbox-inner{border-color:#e6e7eb;border-color:var(--checkbox-disabled-border-color,#e6e7eb);background:#f7f8fa;background:var(--checkbox-disabled-bg-color,#f7f8fa)}.next-checkbox-wrapper.disabled.checked .next-checkbox-inner,.next-checkbox-wrapper.disabled.indeterminate .next-checkbox-inner{border-color:#e6e7eb;border-color:var(--checkbox-disabled-border-color,#e6e7eb);background:#f7f8fa;background:var(--checkbox-disabled-bg-color,#f7f8fa)}.next-checkbox-wrapper.disabled.checked .next-checkbox-inner.hovered,.next-checkbox-wrapper.disabled.checked .next-checkbox-inner:hover,.next-checkbox-wrapper.disabled.indeterminate .next-checkbox-inner.hovered,.next-checkbox-wrapper.disabled.indeterminate .next-checkbox-inner:hover{border-color:#e6e7eb;border-color:var(--checkbox-disabled-border-color,#e6e7eb)}.next-checkbox-wrapper.disabled.checked .next-checkbox-inner>.next-icon,.next-checkbox-wrapper.disabled.indeterminate .next-checkbox-inner>.next-icon{color:#ccc;color:var(--checkbox-disabled-circle-color,#ccc);opacity:1}.next-checkbox-wrapper.disabled.checked.focused .next-checkbox-inner{border-color:#e6e7eb;border-color:var(--checkbox-disabled-border-color,#e6e7eb);background:#f7f8fa;background:var(--checkbox-disabled-bg-color,#f7f8fa)}.next-checkbox-wrapper.disabled.checked.focused .next-checkbox-inner>.next-icon{color:#ccc;color:var(--checkbox-disabled-circle-color,#ccc);opacity:1}.next-checkbox-wrapper.disabled .next-checkbox-label{color:#ccc;color:var(--checkbox-disabled-label-color,#ccc);cursor:not-allowed}.next-checkbox-group .next-checkbox-wrapper{display:inline-block;margin-right:12px}.next-checkbox-group .next-checkbox-wrapper:last-child{margin-right:0}.next-checkbox-group-ver .next-checkbox-wrapper{display:block;margin-left:0;margin-right:0;margin-bottom:8px}.next-checkbox-label{font-size:12px;font-size:var(--checkbox-font-size,12px);color:#333;color:var(--checkbox-label-color,#333);vertical-align:middle;margin:0;margin-left:4px;margin-left:var(--checkbox-margin-left,4px);margin-right:4px;margin-right:var(--checkbox-margin-left,4px);line-height:1}.next-sr-only{position:absolute;width:1px;height:1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);white-space:nowrap;border:0;top:0;margin:-1px}.next-collapse[dir=rtl] .next-collapse-panel-title{padding:8px 28px 8px 0;padding:var(--collapse-title-padding-tb,8px) calc(var(--collapse-icon-margin-r,8px) + var(--collapse-icon-margin-l,12px) + var(--collapse-icon-size,8px)) var(--collapse-title-padding-tb,8px) 0}.next-collapse[dir=rtl] .next-collapse-panel-icon{left:inherit;right:12px;right:var(--collapse-icon-margin-l,12px);transform:rotate(180deg);margin-left:0;margin-right:0}.next-collapse[dir=rtl] .next-collapse-panel-icon .next-icon-remote,.next-collapse[dir=rtl] .next-collapse-panel-icon:before{width:8px;width:var(--collapse-icon-size,8px);font-size:8px;font-size:var(--collapse-icon-size,8px);line-height:inherit}@media all and (-webkit-min-device-pixel-ratio:0) and (min-resolution:0.001dpcm){.next-collapse[dir=rtl] .next-collapse-panel-icon{transform:scale(.5) rotate(180deg);margin-left:-4px;margin-left:calc(0px - var(--icon-s,16px)/ 2 + var(--collapse-icon-size,8px)/ 2);margin-right:-4px;margin-right:calc(0px - var(--icon-s,16px)/ 2 + var(--collapse-icon-size,8px)/ 2)}.next-collapse[dir=rtl] .next-collapse-panel-icon:before{width:16px;width:var(--icon-s,16px);font-size:16px;font-size:var(--icon-s,16px)}}.next-collapse{box-sizing:border-box;border:1px solid #dcdee3;border:var(--collapse-border-width,1px) solid var(--collapse-border-color,#dcdee3);border-radius:3px;border-radius:var(--collapse-border-corner,3px)}.next-collapse *,.next-collapse :after,.next-collapse :before{box-sizing:border-box}.next-collapse :focus,.next-collapse:focus{outline:0}.next-collapse-panel:not(:first-child){border-top:1px solid #dcdee3;border-top:var(--collapse-title-border-width,1px) solid var(--collapse-panel-border-color,#dcdee3)}.next-collapse .next-collapse-panel-icon{position:absolute;color:#333;color:var(--collapse-icon-color,#333);transition:transform .1s linear;transition:transform var(--motion-duration-immediately,100ms) var(--motion-linear,linear);left:12px;left:var(--collapse-icon-margin-l,12px);margin-top:-2px;margin-left:0;margin-right:0}.next-collapse .next-collapse-panel-icon .next-icon-remote,.next-collapse .next-collapse-panel-icon:before{width:8px;width:var(--collapse-icon-size,8px);font-size:8px;font-size:var(--collapse-icon-size,8px);line-height:inherit}@media all and (-webkit-min-device-pixel-ratio:0) and (min-resolution:0.001dpcm){.next-collapse .next-collapse-panel-icon{transform:scale(.5);margin-left:-4px;margin-left:calc(0px - var(--icon-s,16px)/ 2 + var(--collapse-icon-size,8px)/ 2);margin-right:-4px;margin-right:calc(0px - var(--icon-s,16px)/ 2 + var(--collapse-icon-size,8px)/ 2)}.next-collapse .next-collapse-panel-icon:before{width:16px;width:var(--icon-s,16px);font-size:16px;font-size:var(--icon-s,16px)}}.next-collapse-panel-title{position:relative;line-height:20px;line-height:var(--collapse-title-height,20px);background:#f2f3f7;background:var(--collapse-title-bg-color,#f2f3f7);font-size:14px;font-size:var(--collapse-title-font-size,14px);font-weight:400;font-weight:var(--collapse-title-font-weight,normal);color:#333;color:var(--collapse-title-font-color,#333);cursor:pointer;padding:8px 0 8px 28px;padding:var(--collapse-title-padding-tb,8px) 0 var(--collapse-title-padding-tb,8px) calc(var(--collapse-icon-margin-r,8px) + var(--collapse-icon-margin-l,12px) + var(--collapse-icon-size,8px));transition:background .1s linear;transition:background var(--motion-duration-immediately,100ms) var(--motion-linear,linear)}.next-collapse-panel-title:hover{background:#ebecf0;background:var(--collapse-title-hover-bg-color,#ebecf0);color:#333;color:var(--collapse-title-hover-font-color,#333);font-weight:400;font-weight:var(--collapse-title-hover-font-weight,normal)}.next-collapse-panel-title:hover .next-collapse-panel-icon{color:#333;color:var(--collapse-icon-hover-color,#333)}.next-collapse-panel-content{height:0;padding:0 16px;padding:0 var(--collapse-content-padding-x,16px);background:#fff;background:var(--collapse-content-bg-color,#fff);font-size:12px;font-size:var(--collapse-content-font-size,12px);color:#666;color:var(--collapse-content-color,#666);transition:all .3s ease;transition:all var(--motion-duration-standard,300ms) var(--motion-ease,ease);opacity:0}.next-collapse-panel-expanded>.next-collapse-panel-content{display:block;padding:12px 16px;padding:var(--collapse-content-padding-y,12px) var(--collapse-content-padding-x,16px);height:auto;opacity:1}.next-collapse .next-collapse-unfold-icon::before{content:"";content:var(--collapse-unfold-icon-content, "")}.next-collapse-panel-hidden>.next-collapse-panel-content{overflow:hidden}.next-collapse .next-collapse-panel-icon::before{content:"\E619";content:var(--collapse-fold-icon-content, "\E619")}.next-collapse .next-collapse-panel-icon.next-collapse-panel-icon-expanded{transform:rotate(90deg);margin-left:0;margin-right:0}.next-collapse .next-collapse-panel-icon.next-collapse-panel-icon-expanded .next-icon-remote,.next-collapse .next-collapse-panel-icon.next-collapse-panel-icon-expanded:before{width:8px;width:var(--collapse-icon-size,8px);font-size:8px;font-size:var(--collapse-icon-size,8px);line-height:inherit}@media all and (-webkit-min-device-pixel-ratio:0) and (min-resolution:0.001dpcm){.next-collapse .next-collapse-panel-icon.next-collapse-panel-icon-expanded{transform:scale(.5) rotate(90deg);margin-left:-4px;margin-left:calc(0px - var(--icon-s,16px)/ 2 + var(--collapse-icon-size,8px)/ 2);margin-right:-4px;margin-right:calc(0px - var(--icon-s,16px)/ 2 + var(--collapse-icon-size,8px)/ 2)}.next-collapse .next-collapse-panel-icon.next-collapse-panel-icon-expanded:before{width:16px;width:var(--icon-s,16px);font-size:16px;font-size:var(--icon-s,16px)}}.next-collapse-disabled{border-color:#e6e7eb;border-color:var(--collapse-disabled-border-color,#e6e7eb)}.next-collapse-panel-disabled:not(:first-child){border-color:#e6e7eb;border-color:var(--collapse-disabled-border-color,#e6e7eb)}.next-collapse-panel-disabled>.next-collapse-panel-title{cursor:not-allowed;color:#ccc;color:var(--collapse-title-font-disabled-color,#ccc);background:#f2f3f7;background:var(--collapse-title-disabled-bg-color,#f2f3f7)}.next-collapse-panel-disabled .next-collapse-panel-icon{color:#ccc;color:var(--collapse-title-font-disabled-color,#ccc)}.next-collapse-panel-disabled .next-collapse-panel-title:hover{font-weight:400;font-weight:var(--collapse-title-font-weight,normal)}.next-collapse-panel-disabled .next-collapse-panel-title:hover .next-collapse-panel-icon{color:#ccc;color:var(--collapse-title-font-disabled-color,#ccc)}.next-collapse-panel-disabled:hover{color:#ccc;color:var(--collapse-title-font-disabled-color,#ccc);background:#f2f3f7;background:var(--collapse-title-disabled-bg-color,#f2f3f7)}.next-sr-only{position:absolute;width:1px;height:1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);white-space:nowrap;border:0;top:0;margin:-1px}.next-range-picker-panel-input-separator,.next-range-picker-trigger-separator{cursor:default;display:inline-block;text-align:center;color:#ccc;color:var(--color-text1-1,#ccc);width:16px;width:var(--date-picker-input-separator-width,16px);font-size:12px;font-size:var(--font-size-caption,12px);vertical-align:middle}.next-date-picker,.next-month-picker,.next-week-picker,.next-year-picker{display:inline-block;width:200px;width:var(--s-50,200px)}.next-date-picker-input,.next-month-picker-input,.next-week-picker-input,.next-year-picker-input{width:100%}.next-date-picker-body,.next-month-picker-body,.next-week-picker-body,.next-year-picker-body{width:288px;width:calc(var(--s-18,72px)*4)}.next-date-picker-panel-input.next-input,.next-month-picker-panel-input.next-input,.next-week-picker-panel-input.next-input,.next-year-picker-panel-input.next-input{width:100%;background:0 0}.next-date-picker-body.next-date-picker-body-show-time .next-date-picker-panel-input.next-input{width:49%}.next-date-picker-body.next-date-picker-body-show-time .next-date-picker-panel-input.next-input:first-child{margin-right:2%}.next-range-picker{display:inline-block;width:336px;width:calc(var(--s-28,112px)*3)}.next-range-picker-input{width:100%}.next-range-picker-trigger{border:1px solid #c4c6cf;border:var(--input-border-width,1px) solid var(--input-border-color,#c4c6cf);background-color:#fff;background-color:var(--input-bg-color,#fff)}.next-range-picker-trigger:hover{border-color:#a0a2ad;border-color:var(--input-hover-border-color,#a0a2ad);background-color:#fff;background-color:var(--input-hover-bg-color,#fff)}.next-range-picker-trigger.next-error{border-color:#ff3000;border-color:var(--input-feedback-error-border-color,#ff3000)}.next-range-picker-trigger-input.next-input{height:auto;width:calc(50% - 8px);width:calc(50% - var(--date-picker-input-separator-width,16px)/ 2)}.next-range-picker.next-disabled .next-range-picker-trigger{color:#ccc;color:var(--input-disabled-color,#ccc);border-color:#e6e7eb;border-color:var(--input-disabled-border-color,#e6e7eb);background-color:#f7f8fa;background-color:var(--input-disabled-bg-color,#f7f8fa);cursor:not-allowed}.next-range-picker.next-disabled .next-range-picker-trigger:hover{border-color:#e6e7eb;border-color:var(--input-disabled-border-color,#e6e7eb);background-color:#f7f8fa;background-color:var(--input-disabled-bg-color,#f7f8fa)}.next-range-picker.next-large .next-range-picker-panel-input,.next-range-picker.next-large .next-range-picker-trigger{border-radius:3px;border-radius:var(--form-element-large-corner,3px)}.next-range-picker.next-medium .next-range-picker-panel-input,.next-range-picker.next-medium .next-range-picker-trigger{border-radius:3px;border-radius:var(--form-element-medium-corner,3px)}.next-range-picker.next-small .next-range-picker-panel-input,.next-range-picker.next-small .next-range-picker-trigger{border-radius:3px;border-radius:var(--form-element-small-corner,3px)}.next-range-picker-body{width:600px;width:calc(var(--s-30,120px)*5)}.next-range-picker-panel-input-end-date.next-input,.next-range-picker-panel-input-start-date.next-input{width:calc(50% - 8px);width:calc(50% - var(--date-picker-input-separator-width,16px)/ 2)}.next-range-picker-body.next-range-picker-body-show-time .next-range-picker-panel-input-end-date,.next-range-picker-body.next-range-picker-body-show-time .next-range-picker-panel-input-end-time,.next-range-picker-body.next-range-picker-body-show-time .next-range-picker-panel-input-start-date,.next-range-picker-body.next-range-picker-body-show-time .next-range-picker-panel-input-start-time{width:calc(25% - 8px);width:calc(25% - var(--date-picker-input-separator-width,16px)/ 4 - var(--s-4,16px)/ 4)}.next-range-picker-body.next-range-picker-body-show-time .next-range-picker-panel-input-start-date{margin-right:8px;margin-right:var(--s-2,8px)}.next-range-picker-body.next-range-picker-body-show-time .next-range-picker-panel-input-end-time{margin-left:8px;margin-left:var(--s-2,8px)}.next-range-picker-body.next-range-picker-body-show-time .next-range-picker-panel-time:after{visibility:hidden;display:block;height:0;font-size:0;content:' ';clear:both}.next-range-picker-body.next-range-picker-body-show-time .next-range-picker-panel-time-end,.next-range-picker-body.next-range-picker-body-show-time .next-range-picker-panel-time-start{width:50%;float:left}.next-range-picker-body.next-range-picker-body-show-time .next-range-picker-panel-time-start{border-right:1px solid #dcdee3;border-right:var(--line-1,1px) var(--line-solid,solid) var(--date-picker-panel-time-panel-separator-color,#dcdee3)}.next-range-picker-body.next-range-picker-body-show-time .next-range-picker-panel-time-end{border-left:1px solid #dcdee3;border-left:var(--line-1,1px) var(--line-solid,solid) var(--date-picker-panel-time-panel-separator-color,#dcdee3)}.next-date-picker-body[dir=rtl] .next-date-picker-panel-footer{text-align:left}.next-date-picker-body[dir=rtl] .next-date-picker-panel-footer>.next-btn:not(:last-child){margin-right:0;margin-left:16px;margin-left:var(--s-4,16px)}.next-date-picker-body[dir=rtl].next-date-picker-body-show-time .next-date-picker-panel-input.next-input:first-child{margin-left:2%;margin-right:0}.next-date-picker-body[dir=rtl].next-date-picker-body-show-time .next-time-picker-menu{float:right}.next-date-picker-body[dir=rtl].next-date-picker-body-show-time .next-time-picker-menu:not(:last-child){border-right:none;border-left:1px solid #c4c6cf;border-left:var(--time-picker-menu-border-width,1px) var(--line-solid,solid) var(--time-picker-menu-border-color,#c4c6cf)}.next-range-picker-body[dir=rtl] .next-range-picker-panel-input{text-align:right}.next-range-picker-body[dir=rtl] .next-date-picker-panel-footer{text-align:left}.next-range-picker-body[dir=rtl] .next-date-picker-panel-footer>.next-btn:not(:last-child){margin-right:0;margin-left:16px;margin-left:var(--s-4,16px)}.next-range-picker-body[dir=rtl].next-range-picker-body-show-time .next-range-picker-panel-input-start-date{margin-right:0;margin-left:8px;margin-left:var(--s-2,8px)}.next-range-picker-body[dir=rtl].next-range-picker-body-show-time .next-range-picker-panel-input-end-time{margin-left:0;margin-right:8px;margin-right:var(--s-2,8px)}.next-range-picker-body[dir=rtl].next-range-picker-body-show-time .next-range-picker-panel-time-end,.next-range-picker-body[dir=rtl].next-range-picker-body-show-time .next-range-picker-panel-time-start{float:right}.next-range-picker-body[dir=rtl].next-range-picker-body-show-time .next-range-picker-panel-time-start{border-right:none;border-left:1px solid #dcdee3;border-left:var(--line-1,1px) var(--line-solid,solid) var(--date-picker-panel-time-panel-separator-color,#dcdee3)}.next-range-picker-body[dir=rtl].next-range-picker-body-show-time .next-range-picker-panel-time-end{border-left:none;border-right:1px solid #dcdee3;border-right:var(--line-1,1px) var(--line-solid,solid) var(--date-picker-panel-time-panel-separator-color,#dcdee3)}.next-range-picker-body[dir=rtl].next-range-picker-body-show-time .next-time-picker-menu{float:right}.next-range-picker-body[dir=rtl].next-range-picker-body-show-time .next-time-picker-menu:not(:last-child){border-right:none;border-left:1px solid #c4c6cf;border-left:var(--time-picker-menu-border-width,1px) var(--line-solid,solid) var(--time-picker-menu-border-color,#c4c6cf)}.next-date-picker,.next-month-picker,.next-range-picker,.next-week-picker,.next-year-picker{box-sizing:border-box}.next-date-picker *,.next-date-picker :after,.next-date-picker :before,.next-month-picker *,.next-month-picker :after,.next-month-picker :before,.next-range-picker *,.next-range-picker :after,.next-range-picker :before,.next-week-picker *,.next-week-picker :after,.next-week-picker :before,.next-year-picker *,.next-year-picker :after,.next-year-picker :before{box-sizing:border-box}.next-date-picker-body,.next-month-picker-body,.next-range-picker-body,.next-week-picker-body,.next-year-picker-body{border:1px solid #dcdee3;border:var(--popup-local-border-width,1px) var(--popup-local-border-style,solid) var(--popup-local-border-color,#dcdee3);border-radius:3px;border-radius:var(--popup-local-corner,3px);box-shadow:none;box-shadow:var(--popup-local-shadow,none);background:#fff;background:var(--date-picker-panel-background,#fff)}.next-date-picker-panel-header,.next-month-picker-panel-header,.next-range-picker-panel-header,.next-week-picker-panel-header,.next-year-picker-panel-header{padding:6px;text-align:center}.next-date-picker-panel-time,.next-month-picker-panel-time,.next-range-picker-panel-time,.next-week-picker-panel-time,.next-year-picker-panel-time{border-top:1px solid #dcdee3;border-top:var(--popup-local-border-width,1px) var(--popup-local-border-style,solid) var(--popup-local-border-color,#dcdee3)}.next-date-picker-panel-footer,.next-month-picker-panel-footer,.next-range-picker-panel-footer,.next-week-picker-panel-footer,.next-year-picker-panel-footer{text-align:right;padding:8px 20px;padding:var(--date-picker-panel-footer-padding-tb,8px) var(--date-picker-panel-footer-padding-lr,20px);border-top:1px solid #dcdee3;border-top:var(--popup-local-border-width,1px) var(--popup-local-border-style,solid) var(--popup-local-border-color,#dcdee3)}.next-date-picker-panel-footer>.next-btn:not(:last-child),.next-date-picker-panel-tools>.next-btn:not(:last-child),.next-month-picker-panel-footer>.next-btn:not(:last-child),.next-month-picker-panel-tools>.next-btn:not(:last-child),.next-range-picker-panel-footer>.next-btn:not(:last-child),.next-range-picker-panel-tools>.next-btn:not(:last-child),.next-week-picker-panel-footer>.next-btn:not(:last-child),.next-week-picker-panel-tools>.next-btn:not(:last-child),.next-year-picker-panel-footer>.next-btn:not(:last-child),.next-year-picker-panel-tools>.next-btn:not(:last-child){margin-right:16px;margin-right:var(--s-4,16px)}.next-date-picker-panel-tools,.next-month-picker-panel-tools,.next-range-picker-panel-tools,.next-week-picker-panel-tools,.next-year-picker-panel-tools{float:left}.next-date-picker .next-calendar-panel-header,.next-month-picker .next-calendar-panel-header,.next-range-picker .next-calendar-panel-header,.next-week-picker .next-calendar-panel-header,.next-year-picker .next-calendar-panel-header{margin-left:-1px;margin-left:calc(0px - var(--popup-local-border-width,1px));margin-right:-1px;margin-right:calc(0px - var(--popup-local-border-width,1px))}.next-date-picker .next-input input,.next-month-picker .next-input input,.next-range-picker .next-input input,.next-week-picker .next-input input,.next-year-picker .next-input input{vertical-align:baseline}.next-date-picker-symbol-calendar-icon::before,.next-month-picker-symbol-calendar-icon::before,.next-range-picker-symbol-calendar-icon::before,.next-week-picker-symbol-calendar-icon::before,.next-year-picker-symbol-calendar-icon::before{content:"\E607";content:var(--date-picker-calendar-icon, "\E607")}.next-range-picker-panel-body .next-calendar{display:inline-block;width:50%}.next-sr-only{position:absolute;width:1px;height:1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);white-space:nowrap;border:0;top:0;margin:-1px}.next-dialog[dir=rtl]{text-align:right}.next-dialog[dir=rtl] .next-dialog-footer.next-align-left{text-align:right}.next-dialog[dir=rtl] .next-dialog-footer.next-align-center{text-align:center}.next-dialog[dir=rtl] .next-dialog-footer.next-align-right{text-align:left}.next-dialog[dir=rtl] .next-dialog-btn+.next-dialog-btn{margin-right:4px;margin-right:var(--s-1,4px);margin-left:0}.next-dialog[dir=rtl] .next-dialog-close{left:12px;left:var(--dialog-close-right,12px);right:auto}.next-dialog{box-sizing:border-box;position:fixed;z-index:1001;background:#fff;background:var(--dialog-bg,#fff);border:1px solid #dcdee3;border:var(--dialog-border-width,1px) var(--dialog-border-style,solid) var(--dialog-border-color,#dcdee3);border-radius:3px;border-radius:var(--dialog-corner,3px);box-shadow:0 2px 4px 0 rgba(0,0,0,.12);box-shadow:var(--dialog-shadow,0 2px 4px 0 rgba(0,0,0,.12));text-align:left;overflow:hidden;max-width:90%}.next-dialog *,.next-dialog :after,.next-dialog :before{box-sizing:border-box}.next-dialog-header{padding:12px 20px 12px 20px;padding:var(--dialog-title-padding-top,12px) var(--dialog-title-padding-left-right,20px) var(--dialog-title-padding-bottom,12px) var(--dialog-title-padding-left-right,20px);border-bottom:0 solid transparent;border-bottom:var(--dialog-title-border-width,0) var(--line-solid,solid) var(--dialog-title-border-color,transparent);font-size:16px;font-size:var(--dialog-title-font-size,16px);background:0 0;background:var(--dialog-title-bg-color,transparent);color:#333;color:var(--dialog-title-color,#333)}.next-dialog-body{padding:20px 20px 20px 20px;padding:var(--dialog-content-padding-top,20px) var(--dialog-content-padding-left-right,20px) var(--dialog-content-padding-bottom,20px) var(--dialog-content-padding-left-right,20px);font-size:12px;font-size:var(--dialog-content-font-size,12px);color:#666;color:var(--dialog-content-color,#666)}.next-dialog-footer{padding:12px 20px 12px 20px;padding:var(--dialog-footer-padding-top,12px) var(--dialog-footer-padding-left-right,20px) var(--dialog-footer-padding-bottom,12px) var(--dialog-footer-padding-left-right,20px);border-top:0 solid transparent;border-top:var(--dialog-footer-border-width,0) var(--line-solid,solid) var(--dialog-footer-border-color,transparent);background:0 0;background:var(--dialog-footer-bg-color,transparent)}.next-dialog-footer.next-align-left{text-align:left}.next-dialog-footer.next-align-center{text-align:center}.next-dialog-footer.next-align-right{text-align:right}.next-dialog-footer-fixed-height{position:absolute;width:100%;bottom:0}.next-dialog-btn+.next-dialog-btn{margin-left:4px;margin-left:var(--dialog-footer-button-spacing,4px)}.next-dialog-close{position:absolute;top:12px;top:var(--dialog-close-top,12px);right:12px;right:var(--dialog-close-right,12px);width:16px;width:var(--dialog-close-width,16px);height:16px;height:var(--dialog-close-width,16px);color:#999;color:var(--dialog-close-color,#999);cursor:pointer}.next-dialog-close:link,.next-dialog-close:visited{height:16px;height:var(--dialog-close-width,16px);color:#999;color:var(--dialog-close-color,#999)}.next-dialog-close:hover{background:0 0;background:var(--dialog-close-bg-hovered,transparent);color:#333;color:var(--dialog-close-color-hovered,#333)}.next-dialog-close .next-dialog-close-icon.next-icon{position:absolute;top:50%;left:50%;margin-top:-6px;margin-top:calc(0px - var(--dialog-close-size,12px)/ 2);margin-left:-6px;margin-left:calc(0px - var(--dialog-close-size,12px)/ 2);width:12px;width:var(--dialog-close-size,12px);height:12px;height:var(--dialog-close-size,12px);line-height:1em}.next-dialog-close .next-dialog-close-icon.next-icon:before{width:12px;width:var(--dialog-close-size,12px);height:12px;height:var(--dialog-close-size,12px);font-size:12px;font-size:var(--dialog-close-size,12px);line-height:1em}.next-dialog-container{position:fixed;top:0;left:0;right:0;bottom:0;z-index:1001;padding:40px;padding:var(--s-10,40px);overflow:auto;text-align:center;box-sizing:border-box}.next-dialog-container:before{display:inline-block;vertical-align:middle;width:0;height:100%;content:''}.next-dialog-container .next-dialog{display:inline-block;position:relative;vertical-align:middle}.next-dialog-quick .next-dialog-body{padding:20px 20px 20px 20px;padding:var(--dialog-message-content-padding-top,20px) var(--dialog-message-content-padding-left-right,20px) var(--dialog-message-content-padding-bottom,20px) var(--dialog-message-content-padding-left-right,20px)}.next-dialog .next-dialog-message.next-message{min-width:300px;min-width:calc(var(--s-25,100px)*3);padding:0}.next-sr-only{position:absolute;width:1px;height:1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);white-space:nowrap;border:0;top:0;margin:-1px}.next-drawer{box-sizing:border-box;position:fixed;z-index:1001;background:#fff;background:var(--drawer-bg,#fff);border:1px solid #dcdee3;border:var(--drawer-border-width,1px) var(--drawer-border-style,solid) var(--drawer-border-color,#dcdee3);box-shadow:0 2px 4px 0 rgba(0,0,0,.12);box-shadow:var(--drawer-shadow,0 2px 4px 0 rgba(0,0,0,.12));overflow:auto;animation-duration:.3s;animation-duration:var(--motion-duration-standard,300ms);animation-timing-function:ease-in-out;animation-timing-function:var(--motion-ease-in-out,ease-in-out)}.next-drawer *,.next-drawer :after,.next-drawer :before{box-sizing:border-box}.next-drawer-right{height:100%;max-width:80%;width:240px}.next-drawer-left{height:100%;max-width:80%;width:240px}.next-drawer-top{width:100%}.next-drawer-bottom{width:100%}.next-drawer-header{padding:12px 20px 12px 20px;padding:var(--drawer-title-padding-top,12px) var(--drawer-title-padding-left-right,20px) var(--drawer-title-padding-bottom,12px) var(--drawer-title-padding-left-right,20px);border-bottom:1px solid #dcdee3;border-bottom:var(--drawer-title-border-width,1px) var(--line-solid,solid) var(--drawer-title-border-color,#dcdee3);font-size:16px;font-size:var(--drawer-title-font-size,16px);background:#fff;background:var(--drawer-title-bg-color,#fff);color:#333;color:var(--drawer-title-color,#333)}.next-drawer-no-title{padding:0;border-bottom:0}.next-drawer-body{padding:20px 20px 20px 20px;padding:var(--drawer-content-padding-top,20px) var(--drawer-content-padding-left-right,20px) var(--drawer-content-padding-bottom,20px) var(--drawer-content-padding-left-right,20px);font-size:12px;font-size:var(--drawer-content-font-size,12px);color:#666;color:var(--drawer-content-color,#666)}.next-drawer-close{position:absolute;top:12px;top:var(--drawer-close-top,12px);right:12px;right:var(--drawer-close-right,12px);width:16px;width:var(--drawer-close-width,16px);height:16px;height:var(--drawer-close-width,16px);color:#999;color:var(--drawer-close-color,#999);cursor:pointer}.next-drawer-close:link,.next-drawer-close:visited{height:16px;height:var(--drawer-close-width,16px);color:#999;color:var(--drawer-close-color,#999)}.next-drawer-close:hover{background:0 0;background:var(--drawer-close-bg-hovered,transparent);color:#333;color:var(--drawer-close-color-hovered,#333)}.next-drawer-close .next-drawer-close-icon.next-icon{position:absolute;top:50%;left:50%;margin-top:-6px;margin-top:calc(0px - var(--drawer-close-size,12px)/ 2);margin-left:-6px;margin-left:calc(0px - var(--drawer-close-size,12px)/ 2);width:12px;width:var(--drawer-close-size,12px);height:12px;height:var(--drawer-close-size,12px);line-height:1em}.next-drawer-close .next-drawer-close-icon.next-icon:before{width:12px;width:var(--drawer-close-size,12px);height:12px;height:var(--drawer-close-size,12px);font-size:12px;font-size:var(--drawer-close-size,12px);line-height:1em}.next-sr-only{position:absolute;width:1px;height:1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);white-space:nowrap;border:0;top:0;margin:-1px}.next-form{box-sizing:border-box}.next-form *,.next-form :after,.next-form :before{box-sizing:border-box}.next-form-preview.next-form-item.next-medium .next-form-item-label{font-size:12px;font-size:var(--form-element-medium-preview-label-font-size,12px);line-height:28px;line-height:var(--form-element-medium-preview-height,28px)}.next-form-preview.next-form-item.next-small .next-form-item-label{font-size:12px;font-size:var(--form-element-small-preview-label-font-size,12px);line-height:20px;line-height:var(--form-element-small-preview-height,20px)}.next-form-preview.next-form-item.next-large .next-form-item-label{font-size:16px;font-size:var(--form-element-large-preview-label-font-size,16px);line-height:40px;line-height:var(--form-element-large-preview-height,40px)}.next-form-responsive-grid .next-form-item-control{flex:1}.next-form-responsive-grid .next-form-item{margin-bottom:0}.next-form-responsive-grid .next-form-item.next-left{display:flex}.next-form-responsive-grid.next-small .next-responsive-grid{gap:16px;gap:var(--form-inline-s-item-margin-r,16px)}.next-form-responsive-grid.next-small .next-form-item.next-left .next-form-item-label{line-height:1.4;margin-top:4px;margin-top:calc(var(--form-element-small-height,20px)/ 2 - var(--form-element-small-font-size,12px)/ 2);margin-bottom:4px;margin-bottom:calc(var(--form-element-small-height,20px)/ 2 - var(--form-element-small-font-size,12px)/ 2)}.next-form-responsive-grid.next-medium .next-responsive-grid{gap:20px;gap:var(--form-inline-m-item-margin-r,20px)}.next-form-responsive-grid.next-medium .next-form-item.next-left .next-form-item-label{line-height:1.4;margin-top:8px;margin-top:calc(var(--form-element-medium-height,28px)/ 2 - var(--form-element-medium-font-size,12px)/ 2);margin-bottom:8px;margin-bottom:calc(var(--form-element-medium-height,28px)/ 2 - var(--form-element-medium-font-size,12px)/ 2)}.next-form-responsive-grid.next-large .next-responsive-grid{gap:24px;gap:var(--form-inline-l-item-margin-r,24px)}.next-form-responsive-grid.next-large .next-form-item.next-left .next-form-item-label{line-height:1.4;margin-top:12px;margin-top:calc(var(--form-element-large-height,40px)/ 2 - var(--form-element-large-font-size,16px)/ 2);margin-bottom:12px;margin-bottom:calc(var(--form-element-large-height,40px)/ 2 - var(--form-element-large-font-size,16px)/ 2)}.next-form-item{margin-bottom:16px;margin-bottom:var(--form-item-m-margin-b,16px)}.next-form-item.has-error>.next-form-item-control>.next-form-item-help{color:#ff3000;color:var(--form-error-color,#ff3000)}.next-form-item.has-warning>.next-form-item-control>.next-form-item-help{color:#ff9300;color:var(--form-warning-color,#ff9300)}.next-form-item .next-form-item-label,.next-form-item .next-form-text-align,.next-form-item p{line-height:28px;line-height:var(--form-element-medium-height,28px)}.next-form-item .next-form-text-align,.next-form-item p{margin:0}.next-form-item .next-checkbox-group,.next-form-item .next-checkbox-wrapper,.next-form-item .next-radio-group,.next-form-item .next-radio-wrapper,.next-form-item .next-rating{line-height:24px;line-height:calc(var(--form-element-medium-height,28px) - 4px)}.next-form-item .next-form-preview{font-size:12px;font-size:var(--form-element-medium-preview-font-size,12px);line-height:28px;line-height:var(--form-element-medium-preview-height,28px)}.next-form-item .next-form-preview.next-input-textarea>p{font-size:12px;font-size:var(--form-element-medium-preview-font-size,12px);text-align:justify;min-height:16.8px;min-height:calc(var(--form-element-medium-preview-font-size,12px)*1.4);line-height:1.4;margin-top:5.6px;margin-top:calc(var(--form-element-medium-preview-height,28px)/ 2 - var(--form-element-medium-preview-font-size,12px)*1.4/2)}.next-form-item .next-form-item-label{font-size:12px;font-size:var(--form-element-medium-font-size,12px)}.next-form-item.next-large{margin-bottom:20px;margin-bottom:var(--form-item-l-margin-b,20px)}.next-form-item.next-large .next-form-item-label,.next-form-item.next-large .next-form-text-align,.next-form-item.next-large p{line-height:40px;line-height:var(--form-element-large-height,40px)}.next-form-item.next-large .next-checkbox-group,.next-form-item.next-large .next-checkbox-wrapper,.next-form-item.next-large .next-radio-group,.next-form-item.next-large .next-radio-wrapper,.next-form-item.next-large .next-rating{line-height:39px;line-height:calc(var(--form-element-large-height,40px) - 1px)}.next-form-item.next-large .next-form-preview{font-size:16px;font-size:var(--form-element-large-preview-font-size,16px);line-height:40px;line-height:var(--form-element-large-preview-height,40px)}.next-form-item.next-large .next-form-preview.next-input-textarea>p{font-size:16px;font-size:var(--form-element-large-preview-font-size,16px);text-align:justify;min-height:22.4px;min-height:calc(var(--form-element-large-preview-font-size,16px)*1.4);line-height:1.4;margin-top:8.8px;margin-top:calc(var(--form-element-large-preview-height,40px)/ 2 - var(--form-element-large-preview-font-size,16px)*1.4/2)}.next-form-item.next-large .next-switch{margin-top:7px;margin-top:calc(var(--form-element-large-height,40px)/ 2 - 13px)}.next-form-item.next-large .next-form-item-label{font-size:16px;font-size:var(--form-element-large-font-size,16px)}.next-form-item.next-small{margin-bottom:12px;margin-bottom:var(--form-item-s-margin-b,12px)}.next-form-item.next-small .next-form-item-label,.next-form-item.next-small .next-form-text-align,.next-form-item.next-small p{line-height:20px;line-height:var(--form-element-small-height,20px)}.next-form-item.next-small .next-checkbox-group,.next-form-item.next-small .next-checkbox-wrapper,.next-form-item.next-small .next-radio-group,.next-form-item.next-small .next-radio-wrapper,.next-form-item.next-small .next-rating{line-height:20px;line-height:var(--form-element-small-height,20px)}.next-form-item.next-small .next-form-preview{font-size:12px;font-size:var(--form-element-small-preview-font-size,12px);line-height:20px;line-height:var(--form-element-small-preview-height,20px)}.next-form-item.next-small .next-form-preview.next-input-textarea>p{font-size:12px;font-size:var(--form-element-small-preview-font-size,12px);text-align:justify;min-height:16.8px;min-height:calc(var(--form-element-small-preview-font-size,12px)*1.4);line-height:1.4;margin-top:1.6px;margin-top:calc(var(--form-element-small-preview-height,20px)/ 2 - var(--form-element-small-preview-font-size,12px)*1.4/2)}.next-form-item.next-small .next-form-item-label{font-size:12px;font-size:var(--form-element-small-font-size,12px)}.next-form-item.next-top>.next-form-item-label{margin-bottom:2px;margin-bottom:var(--form-top-label-margin-b,2px)}.next-form-item.next-inset .next-form-item-label{padding-right:0;padding-left:0;line-height:inherit}.next-form-item-control .next-form-text-align{margin:0}.next-form-item-control>.next-input,.next-form-item-control>.next-input-group{width:100%}.next-form-item-fullwidth .next-form-item-control>.next-date-picker,.next-form-item-fullwidth .next-form-item-control>.next-input,.next-form-item-fullwidth .next-form-item-control>.next-input-group,.next-form-item-fullwidth .next-form-item-control>.next-month-picker,.next-form-item-fullwidth .next-form-item-control>.next-range-picker,.next-form-item-fullwidth .next-form-item-control>.next-select,.next-form-item-fullwidth .next-form-item-control>.next-time-picker,.next-form-item-fullwidth .next-form-item-control>.next-year-picker{width:100%}.next-form-item-label{display:inline-block;vertical-align:top;color:#666;color:var(--form-label-color,#666);text-align:right;padding-right:12px;padding-right:var(--form-label-padding-r,12px)}.next-form-item-label label[required]:before{margin-right:4px;content:"*";color:#ff3000;color:var(--form-error-color,#ff3000)}.next-form-item-label.has-colon label::after{content:":";position:relative;top:-.5px;margin:0 0 0 2px}.next-form-item-label.next-left{text-align:left}.next-form-item-label.next-left>label[required]::before{display:none}.next-form-item-label.next-left>label[required]::after{margin-left:4px;content:"*";color:#ff3000;color:var(--form-error-color,#ff3000)}.next-form-item-help{margin-top:4px;margin-top:var(--form-help-margin-top,4px);font-size:12px;font-size:var(--form-help-font-size,12px);line-height:1.5;line-height:var(--font-lineheight-2,1.5);color:#999;color:var(--form-help-color,#999)}.next-form.next-inline .next-form-item{display:inline-block;vertical-align:top}.next-form.next-inline .next-form-item.next-left .next-form-item-control{display:inline-block;vertical-align:top;line-height:0}.next-form.next-inline .next-form-item:not(:last-child){margin-right:20px;margin-right:var(--form-inline-m-item-margin-r,20px)}.next-form.next-inline .next-form-item.next-large:not(:last-child){margin-right:24px;margin-right:var(--form-inline-l-item-margin-r,24px)}.next-form.next-inline .next-form-item.next-small:not(:last-child){margin-right:16px;margin-right:var(--form-inline-s-item-margin-r,16px)}@media screen and (min-width:0\0) and (min-resolution:0.001dpcm){.next-form-item.next-left>.next-form-item-label{display:table-cell}.next-form.next-inline .next-form-item.next-left .next-form-item-control{display:table-cell}}.next-form[dir=rtl] .next-form-item-label{text-align:left;padding-left:12px;padding-left:var(--form-label-padding-r,12px);padding-right:0}.next-form[dir=rtl].next-inline .next-form-item:not(:last-child){margin-left:20px;margin-left:var(--form-inline-m-item-margin-r,20px);margin-right:0}.next-form[dir=rtl].next-inline .next-form-item.next-large:not(:last-child){margin-left:24px;margin-left:var(--form-inline-l-item-margin-r,24px);margin-right:0}.next-form[dir=rtl].next-inline .next-form-item.next-small:not(:last-child){margin-left:16px;margin-left:var(--form-inline-s-item-margin-r,16px);margin-right:0}.next-sr-only{position:absolute;width:1px;height:1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);white-space:nowrap;border:0;top:0;margin:-1px}.next-row{box-sizing:border-box;display:flex}.next-row *,.next-row :after,.next-row :before{box-sizing:border-box}.next-row.next-row-wrap{flex-wrap:wrap}@media (min-width:320px){.next-row.next-row-fixed{width:320px}}@media (min-width:480px){.next-row.next-row-fixed{width:480px}}@media (min-width:720px){.next-row.next-row-fixed{width:720px}}@media (min-width:990px){.next-row.next-row-fixed{width:990px}}@media (min-width:1200px){.next-row.next-row-fixed{width:1200px}}@media (min-width:1500px){.next-row.next-row-fixed{width:1500px}}.next-row.next-row-fixed-xxs{width:320px}.next-row.next-row-fixed-xs{width:480px}.next-row.next-row-fixed-s{width:720px}.next-row.next-row-fixed-m{width:990px}.next-row.next-row-fixed-l{width:1200px}.next-row.next-row-fixed-xl{width:1500px}.next-row.next-row-justify-start{justify-content:flex-start}.next-row.next-row-justify-end{justify-content:flex-end}.next-row.next-row-justify-center{justify-content:center}.next-row.next-row-justify-space-between{justify-content:space-between}.next-row.next-row-justify-space-around{justify-content:space-around}.next-row.next-row-align-top{align-items:flex-start}.next-row.next-row-align-bottom{align-items:flex-end}.next-row.next-row-align-center{align-items:center}.next-row.next-row-align-baseline{align-items:baseline}.next-row.next-row-align-stretch{align-items:stretch}.next-col{flex:1}.next-col.next-col-top{align-self:flex-start}.next-col.next-col-bottom{align-self:flex-end}.next-col.next-col-center{align-self:center}@media all and (min-width:0\0) and (min-resolution:0.001dpcm){.next-row{display:table;width:100%}.next-col{display:table-cell;vertical-align:top}}.next-col-1{flex:0 0 4.16667%;width:4.16667%;max-width:4.16667%}.next-col-2{flex:0 0 8.33333%;width:8.33333%;max-width:8.33333%}.next-col-3{flex:0 0 12.5%;width:12.5%;max-width:12.5%}.next-col-4{flex:0 0 16.66667%;width:16.66667%;max-width:16.66667%}.next-col-5{flex:0 0 20.83333%;width:20.83333%;max-width:20.83333%}.next-col-6{flex:0 0 25%;width:25%;max-width:25%}.next-col-7{flex:0 0 29.16667%;width:29.16667%;max-width:29.16667%}.next-col-8{flex:0 0 33.33333%;width:33.33333%;max-width:33.33333%}.next-col-9{flex:0 0 37.5%;width:37.5%;max-width:37.5%}.next-col-10{flex:0 0 41.66667%;width:41.66667%;max-width:41.66667%}.next-col-11{flex:0 0 45.83333%;width:45.83333%;max-width:45.83333%}.next-col-12{flex:0 0 50%;width:50%;max-width:50%}.next-col-13{flex:0 0 54.16667%;width:54.16667%;max-width:54.16667%}.next-col-14{flex:0 0 58.33333%;width:58.33333%;max-width:58.33333%}.next-col-15{flex:0 0 62.5%;width:62.5%;max-width:62.5%}.next-col-16{flex:0 0 66.66667%;width:66.66667%;max-width:66.66667%}.next-col-17{flex:0 0 70.83333%;width:70.83333%;max-width:70.83333%}.next-col-18{flex:0 0 75%;width:75%;max-width:75%}.next-col-19{flex:0 0 79.16667%;width:79.16667%;max-width:79.16667%}.next-col-20{flex:0 0 83.33333%;width:83.33333%;max-width:83.33333%}.next-col-21{flex:0 0 87.5%;width:87.5%;max-width:87.5%}.next-col-22{flex:0 0 91.66667%;width:91.66667%;max-width:91.66667%}.next-col-23{flex:0 0 95.83333%;width:95.83333%;max-width:95.83333%}.next-col-24{flex:0 0 100%;width:100%;max-width:100%}@media (min-width:320px){.next-col-xxs-1{flex:0 0 4.16667%;width:4.16667%;max-width:4.16667%}.next-col-xxs-2{flex:0 0 8.33333%;width:8.33333%;max-width:8.33333%}.next-col-xxs-3{flex:0 0 12.5%;width:12.5%;max-width:12.5%}.next-col-xxs-4{flex:0 0 16.66667%;width:16.66667%;max-width:16.66667%}.next-col-xxs-5{flex:0 0 20.83333%;width:20.83333%;max-width:20.83333%}.next-col-xxs-6{flex:0 0 25%;width:25%;max-width:25%}.next-col-xxs-7{flex:0 0 29.16667%;width:29.16667%;max-width:29.16667%}.next-col-xxs-8{flex:0 0 33.33333%;width:33.33333%;max-width:33.33333%}.next-col-xxs-9{flex:0 0 37.5%;width:37.5%;max-width:37.5%}.next-col-xxs-10{flex:0 0 41.66667%;width:41.66667%;max-width:41.66667%}.next-col-xxs-11{flex:0 0 45.83333%;width:45.83333%;max-width:45.83333%}.next-col-xxs-12{flex:0 0 50%;width:50%;max-width:50%}.next-col-xxs-13{flex:0 0 54.16667%;width:54.16667%;max-width:54.16667%}.next-col-xxs-14{flex:0 0 58.33333%;width:58.33333%;max-width:58.33333%}.next-col-xxs-15{flex:0 0 62.5%;width:62.5%;max-width:62.5%}.next-col-xxs-16{flex:0 0 66.66667%;width:66.66667%;max-width:66.66667%}.next-col-xxs-17{flex:0 0 70.83333%;width:70.83333%;max-width:70.83333%}.next-col-xxs-18{flex:0 0 75%;width:75%;max-width:75%}.next-col-xxs-19{flex:0 0 79.16667%;width:79.16667%;max-width:79.16667%}.next-col-xxs-20{flex:0 0 83.33333%;width:83.33333%;max-width:83.33333%}.next-col-xxs-21{flex:0 0 87.5%;width:87.5%;max-width:87.5%}.next-col-xxs-22{flex:0 0 91.66667%;width:91.66667%;max-width:91.66667%}.next-col-xxs-23{flex:0 0 95.83333%;width:95.83333%;max-width:95.83333%}.next-col-xxs-24{flex:0 0 100%;width:100%;max-width:100%}}@media (min-width:480px){.next-col-xs-1{flex:0 0 4.16667%;width:4.16667%;max-width:4.16667%}.next-col-xs-2{flex:0 0 8.33333%;width:8.33333%;max-width:8.33333%}.next-col-xs-3{flex:0 0 12.5%;width:12.5%;max-width:12.5%}.next-col-xs-4{flex:0 0 16.66667%;width:16.66667%;max-width:16.66667%}.next-col-xs-5{flex:0 0 20.83333%;width:20.83333%;max-width:20.83333%}.next-col-xs-6{flex:0 0 25%;width:25%;max-width:25%}.next-col-xs-7{flex:0 0 29.16667%;width:29.16667%;max-width:29.16667%}.next-col-xs-8{flex:0 0 33.33333%;width:33.33333%;max-width:33.33333%}.next-col-xs-9{flex:0 0 37.5%;width:37.5%;max-width:37.5%}.next-col-xs-10{flex:0 0 41.66667%;width:41.66667%;max-width:41.66667%}.next-col-xs-11{flex:0 0 45.83333%;width:45.83333%;max-width:45.83333%}.next-col-xs-12{flex:0 0 50%;width:50%;max-width:50%}.next-col-xs-13{flex:0 0 54.16667%;width:54.16667%;max-width:54.16667%}.next-col-xs-14{flex:0 0 58.33333%;width:58.33333%;max-width:58.33333%}.next-col-xs-15{flex:0 0 62.5%;width:62.5%;max-width:62.5%}.next-col-xs-16{flex:0 0 66.66667%;width:66.66667%;max-width:66.66667%}.next-col-xs-17{flex:0 0 70.83333%;width:70.83333%;max-width:70.83333%}.next-col-xs-18{flex:0 0 75%;width:75%;max-width:75%}.next-col-xs-19{flex:0 0 79.16667%;width:79.16667%;max-width:79.16667%}.next-col-xs-20{flex:0 0 83.33333%;width:83.33333%;max-width:83.33333%}.next-col-xs-21{flex:0 0 87.5%;width:87.5%;max-width:87.5%}.next-col-xs-22{flex:0 0 91.66667%;width:91.66667%;max-width:91.66667%}.next-col-xs-23{flex:0 0 95.83333%;width:95.83333%;max-width:95.83333%}.next-col-xs-24{flex:0 0 100%;width:100%;max-width:100%}}@media (min-width:720px){.next-col-s-1{flex:0 0 4.16667%;width:4.16667%;max-width:4.16667%}.next-col-s-2{flex:0 0 8.33333%;width:8.33333%;max-width:8.33333%}.next-col-s-3{flex:0 0 12.5%;width:12.5%;max-width:12.5%}.next-col-s-4{flex:0 0 16.66667%;width:16.66667%;max-width:16.66667%}.next-col-s-5{flex:0 0 20.83333%;width:20.83333%;max-width:20.83333%}.next-col-s-6{flex:0 0 25%;width:25%;max-width:25%}.next-col-s-7{flex:0 0 29.16667%;width:29.16667%;max-width:29.16667%}.next-col-s-8{flex:0 0 33.33333%;width:33.33333%;max-width:33.33333%}.next-col-s-9{flex:0 0 37.5%;width:37.5%;max-width:37.5%}.next-col-s-10{flex:0 0 41.66667%;width:41.66667%;max-width:41.66667%}.next-col-s-11{flex:0 0 45.83333%;width:45.83333%;max-width:45.83333%}.next-col-s-12{flex:0 0 50%;width:50%;max-width:50%}.next-col-s-13{flex:0 0 54.16667%;width:54.16667%;max-width:54.16667%}.next-col-s-14{flex:0 0 58.33333%;width:58.33333%;max-width:58.33333%}.next-col-s-15{flex:0 0 62.5%;width:62.5%;max-width:62.5%}.next-col-s-16{flex:0 0 66.66667%;width:66.66667%;max-width:66.66667%}.next-col-s-17{flex:0 0 70.83333%;width:70.83333%;max-width:70.83333%}.next-col-s-18{flex:0 0 75%;width:75%;max-width:75%}.next-col-s-19{flex:0 0 79.16667%;width:79.16667%;max-width:79.16667%}.next-col-s-20{flex:0 0 83.33333%;width:83.33333%;max-width:83.33333%}.next-col-s-21{flex:0 0 87.5%;width:87.5%;max-width:87.5%}.next-col-s-22{flex:0 0 91.66667%;width:91.66667%;max-width:91.66667%}.next-col-s-23{flex:0 0 95.83333%;width:95.83333%;max-width:95.83333%}.next-col-s-24{flex:0 0 100%;width:100%;max-width:100%}}@media (min-width:990px){.next-col-m-1{flex:0 0 4.16667%;width:4.16667%;max-width:4.16667%}.next-col-m-2{flex:0 0 8.33333%;width:8.33333%;max-width:8.33333%}.next-col-m-3{flex:0 0 12.5%;width:12.5%;max-width:12.5%}.next-col-m-4{flex:0 0 16.66667%;width:16.66667%;max-width:16.66667%}.next-col-m-5{flex:0 0 20.83333%;width:20.83333%;max-width:20.83333%}.next-col-m-6{flex:0 0 25%;width:25%;max-width:25%}.next-col-m-7{flex:0 0 29.16667%;width:29.16667%;max-width:29.16667%}.next-col-m-8{flex:0 0 33.33333%;width:33.33333%;max-width:33.33333%}.next-col-m-9{flex:0 0 37.5%;width:37.5%;max-width:37.5%}.next-col-m-10{flex:0 0 41.66667%;width:41.66667%;max-width:41.66667%}.next-col-m-11{flex:0 0 45.83333%;width:45.83333%;max-width:45.83333%}.next-col-m-12{flex:0 0 50%;width:50%;max-width:50%}.next-col-m-13{flex:0 0 54.16667%;width:54.16667%;max-width:54.16667%}.next-col-m-14{flex:0 0 58.33333%;width:58.33333%;max-width:58.33333%}.next-col-m-15{flex:0 0 62.5%;width:62.5%;max-width:62.5%}.next-col-m-16{flex:0 0 66.66667%;width:66.66667%;max-width:66.66667%}.next-col-m-17{flex:0 0 70.83333%;width:70.83333%;max-width:70.83333%}.next-col-m-18{flex:0 0 75%;width:75%;max-width:75%}.next-col-m-19{flex:0 0 79.16667%;width:79.16667%;max-width:79.16667%}.next-col-m-20{flex:0 0 83.33333%;width:83.33333%;max-width:83.33333%}.next-col-m-21{flex:0 0 87.5%;width:87.5%;max-width:87.5%}.next-col-m-22{flex:0 0 91.66667%;width:91.66667%;max-width:91.66667%}.next-col-m-23{flex:0 0 95.83333%;width:95.83333%;max-width:95.83333%}.next-col-m-24{flex:0 0 100%;width:100%;max-width:100%}}@media (min-width:1200px){.next-col-l-1{flex:0 0 4.16667%;width:4.16667%;max-width:4.16667%}.next-col-l-2{flex:0 0 8.33333%;width:8.33333%;max-width:8.33333%}.next-col-l-3{flex:0 0 12.5%;width:12.5%;max-width:12.5%}.next-col-l-4{flex:0 0 16.66667%;width:16.66667%;max-width:16.66667%}.next-col-l-5{flex:0 0 20.83333%;width:20.83333%;max-width:20.83333%}.next-col-l-6{flex:0 0 25%;width:25%;max-width:25%}.next-col-l-7{flex:0 0 29.16667%;width:29.16667%;max-width:29.16667%}.next-col-l-8{flex:0 0 33.33333%;width:33.33333%;max-width:33.33333%}.next-col-l-9{flex:0 0 37.5%;width:37.5%;max-width:37.5%}.next-col-l-10{flex:0 0 41.66667%;width:41.66667%;max-width:41.66667%}.next-col-l-11{flex:0 0 45.83333%;width:45.83333%;max-width:45.83333%}.next-col-l-12{flex:0 0 50%;width:50%;max-width:50%}.next-col-l-13{flex:0 0 54.16667%;width:54.16667%;max-width:54.16667%}.next-col-l-14{flex:0 0 58.33333%;width:58.33333%;max-width:58.33333%}.next-col-l-15{flex:0 0 62.5%;width:62.5%;max-width:62.5%}.next-col-l-16{flex:0 0 66.66667%;width:66.66667%;max-width:66.66667%}.next-col-l-17{flex:0 0 70.83333%;width:70.83333%;max-width:70.83333%}.next-col-l-18{flex:0 0 75%;width:75%;max-width:75%}.next-col-l-19{flex:0 0 79.16667%;width:79.16667%;max-width:79.16667%}.next-col-l-20{flex:0 0 83.33333%;width:83.33333%;max-width:83.33333%}.next-col-l-21{flex:0 0 87.5%;width:87.5%;max-width:87.5%}.next-col-l-22{flex:0 0 91.66667%;width:91.66667%;max-width:91.66667%}.next-col-l-23{flex:0 0 95.83333%;width:95.83333%;max-width:95.83333%}.next-col-l-24{flex:0 0 100%;width:100%;max-width:100%}}@media (min-width:1500px){.next-col-xl-1{flex:0 0 4.16667%;width:4.16667%;max-width:4.16667%}.next-col-xl-2{flex:0 0 8.33333%;width:8.33333%;max-width:8.33333%}.next-col-xl-3{flex:0 0 12.5%;width:12.5%;max-width:12.5%}.next-col-xl-4{flex:0 0 16.66667%;width:16.66667%;max-width:16.66667%}.next-col-xl-5{flex:0 0 20.83333%;width:20.83333%;max-width:20.83333%}.next-col-xl-6{flex:0 0 25%;width:25%;max-width:25%}.next-col-xl-7{flex:0 0 29.16667%;width:29.16667%;max-width:29.16667%}.next-col-xl-8{flex:0 0 33.33333%;width:33.33333%;max-width:33.33333%}.next-col-xl-9{flex:0 0 37.5%;width:37.5%;max-width:37.5%}.next-col-xl-10{flex:0 0 41.66667%;width:41.66667%;max-width:41.66667%}.next-col-xl-11{flex:0 0 45.83333%;width:45.83333%;max-width:45.83333%}.next-col-xl-12{flex:0 0 50%;width:50%;max-width:50%}.next-col-xl-13{flex:0 0 54.16667%;width:54.16667%;max-width:54.16667%}.next-col-xl-14{flex:0 0 58.33333%;width:58.33333%;max-width:58.33333%}.next-col-xl-15{flex:0 0 62.5%;width:62.5%;max-width:62.5%}.next-col-xl-16{flex:0 0 66.66667%;width:66.66667%;max-width:66.66667%}.next-col-xl-17{flex:0 0 70.83333%;width:70.83333%;max-width:70.83333%}.next-col-xl-18{flex:0 0 75%;width:75%;max-width:75%}.next-col-xl-19{flex:0 0 79.16667%;width:79.16667%;max-width:79.16667%}.next-col-xl-20{flex:0 0 83.33333%;width:83.33333%;max-width:83.33333%}.next-col-xl-21{flex:0 0 87.5%;width:87.5%;max-width:87.5%}.next-col-xl-22{flex:0 0 91.66667%;width:91.66667%;max-width:91.66667%}.next-col-xl-23{flex:0 0 95.83333%;width:95.83333%;max-width:95.83333%}.next-col-xl-24{flex:0 0 100%;width:100%;max-width:100%}}.next-col-1p5{flex:0 0 20%;width:20%;max-width:20%}.next-col-2p5{flex:0 0 40%;width:40%;max-width:40%}.next-col-3p5{flex:0 0 60%;width:60%;max-width:60%}.next-col-4p5{flex:0 0 80%;width:80%;max-width:80%}.next-col-5p5{flex:0 0 100%;width:100%;max-width:100%}@media (min-width:320px){.next-col-xxs-1p5{flex:0 0 20%;width:20%;max-width:20%}.next-col-xxs-2p5{flex:0 0 40%;width:40%;max-width:40%}.next-col-xxs-3p5{flex:0 0 60%;width:60%;max-width:60%}.next-col-xxs-4p5{flex:0 0 80%;width:80%;max-width:80%}.next-col-xxs-5p5{flex:0 0 100%;width:100%;max-width:100%}}@media (min-width:480px){.next-col-xs-1p5{flex:0 0 20%;width:20%;max-width:20%}.next-col-xs-2p5{flex:0 0 40%;width:40%;max-width:40%}.next-col-xs-3p5{flex:0 0 60%;width:60%;max-width:60%}.next-col-xs-4p5{flex:0 0 80%;width:80%;max-width:80%}.next-col-xs-5p5{flex:0 0 100%;width:100%;max-width:100%}}@media (min-width:720px){.next-col-s-1p5{flex:0 0 20%;width:20%;max-width:20%}.next-col-s-2p5{flex:0 0 40%;width:40%;max-width:40%}.next-col-s-3p5{flex:0 0 60%;width:60%;max-width:60%}.next-col-s-4p5{flex:0 0 80%;width:80%;max-width:80%}.next-col-s-5p5{flex:0 0 100%;width:100%;max-width:100%}}@media (min-width:990px){.next-col-m-1p5{flex:0 0 20%;width:20%;max-width:20%}.next-col-m-2p5{flex:0 0 40%;width:40%;max-width:40%}.next-col-m-3p5{flex:0 0 60%;width:60%;max-width:60%}.next-col-m-4p5{flex:0 0 80%;width:80%;max-width:80%}.next-col-m-5p5{flex:0 0 100%;width:100%;max-width:100%}}@media (min-width:1200px){.next-col-l-1p5{flex:0 0 20%;width:20%;max-width:20%}.next-col-l-2p5{flex:0 0 40%;width:40%;max-width:40%}.next-col-l-3p5{flex:0 0 60%;width:60%;max-width:60%}.next-col-l-4p5{flex:0 0 80%;width:80%;max-width:80%}.next-col-l-5p5{flex:0 0 100%;width:100%;max-width:100%}}@media (min-width:1500px){.next-col-xl-1p5{flex:0 0 20%;width:20%;max-width:20%}.next-col-xl-2p5{flex:0 0 40%;width:40%;max-width:40%}.next-col-xl-3p5{flex:0 0 60%;width:60%;max-width:60%}.next-col-xl-4p5{flex:0 0 80%;width:80%;max-width:80%}.next-col-xl-5p5{flex:0 0 100%;width:100%;max-width:100%}}.next-col-fixed-1{flex:0 0 20px;width:20px;max-width:20px}.next-col-fixed-2{flex:0 0 40px;width:40px;max-width:40px}.next-col-fixed-3{flex:0 0 60px;width:60px;max-width:60px}.next-col-fixed-4{flex:0 0 80px;width:80px;max-width:80px}.next-col-fixed-5{flex:0 0 100px;width:100px;max-width:100px}.next-col-fixed-6{flex:0 0 120px;width:120px;max-width:120px}.next-col-fixed-7{flex:0 0 140px;width:140px;max-width:140px}.next-col-fixed-8{flex:0 0 160px;width:160px;max-width:160px}.next-col-fixed-9{flex:0 0 180px;width:180px;max-width:180px}.next-col-fixed-10{flex:0 0 200px;width:200px;max-width:200px}.next-col-fixed-11{flex:0 0 220px;width:220px;max-width:220px}.next-col-fixed-12{flex:0 0 240px;width:240px;max-width:240px}.next-col-fixed-13{flex:0 0 260px;width:260px;max-width:260px}.next-col-fixed-14{flex:0 0 280px;width:280px;max-width:280px}.next-col-fixed-15{flex:0 0 300px;width:300px;max-width:300px}.next-col-fixed-16{flex:0 0 320px;width:320px;max-width:320px}.next-col-fixed-17{flex:0 0 340px;width:340px;max-width:340px}.next-col-fixed-18{flex:0 0 360px;width:360px;max-width:360px}.next-col-fixed-19{flex:0 0 380px;width:380px;max-width:380px}.next-col-fixed-20{flex:0 0 400px;width:400px;max-width:400px}.next-col-fixed-21{flex:0 0 420px;width:420px;max-width:420px}.next-col-fixed-22{flex:0 0 440px;width:440px;max-width:440px}.next-col-fixed-23{flex:0 0 460px;width:460px;max-width:460px}.next-col-fixed-24{flex:0 0 480px;width:480px;max-width:480px}.next-col-fixed-25{flex:0 0 500px;width:500px;max-width:500px}.next-col-fixed-26{flex:0 0 520px;width:520px;max-width:520px}.next-col-fixed-27{flex:0 0 540px;width:540px;max-width:540px}.next-col-fixed-28{flex:0 0 560px;width:560px;max-width:560px}.next-col-fixed-29{flex:0 0 580px;width:580px;max-width:580px}.next-col-fixed-30{flex:0 0 600px;width:600px;max-width:600px}.next-col-offset-1{margin-left:4.16667%}.next-col-offset-2{margin-left:8.33333%}.next-col-offset-3{margin-left:12.5%}.next-col-offset-4{margin-left:16.66667%}.next-col-offset-5{margin-left:20.83333%}.next-col-offset-6{margin-left:25%}.next-col-offset-7{margin-left:29.16667%}.next-col-offset-8{margin-left:33.33333%}.next-col-offset-9{margin-left:37.5%}.next-col-offset-10{margin-left:41.66667%}.next-col-offset-11{margin-left:45.83333%}.next-col-offset-12{margin-left:50%}.next-col-offset-13{margin-left:54.16667%}.next-col-offset-14{margin-left:58.33333%}.next-col-offset-15{margin-left:62.5%}.next-col-offset-16{margin-left:66.66667%}.next-col-offset-17{margin-left:70.83333%}.next-col-offset-18{margin-left:75%}.next-col-offset-19{margin-left:79.16667%}.next-col-offset-20{margin-left:83.33333%}.next-col-offset-21{margin-left:87.5%}.next-col-offset-22{margin-left:91.66667%}.next-col-offset-23{margin-left:95.83333%}.next-col-offset-24{margin-left:100%}@media (min-width:320px){.next-col-xxs-offset-1{margin-left:4.16667%}.next-col-xxs-offset-2{margin-left:8.33333%}.next-col-xxs-offset-3{margin-left:12.5%}.next-col-xxs-offset-4{margin-left:16.66667%}.next-col-xxs-offset-5{margin-left:20.83333%}.next-col-xxs-offset-6{margin-left:25%}.next-col-xxs-offset-7{margin-left:29.16667%}.next-col-xxs-offset-8{margin-left:33.33333%}.next-col-xxs-offset-9{margin-left:37.5%}.next-col-xxs-offset-10{margin-left:41.66667%}.next-col-xxs-offset-11{margin-left:45.83333%}.next-col-xxs-offset-12{margin-left:50%}.next-col-xxs-offset-13{margin-left:54.16667%}.next-col-xxs-offset-14{margin-left:58.33333%}.next-col-xxs-offset-15{margin-left:62.5%}.next-col-xxs-offset-16{margin-left:66.66667%}.next-col-xxs-offset-17{margin-left:70.83333%}.next-col-xxs-offset-18{margin-left:75%}.next-col-xxs-offset-19{margin-left:79.16667%}.next-col-xxs-offset-20{margin-left:83.33333%}.next-col-xxs-offset-21{margin-left:87.5%}.next-col-xxs-offset-22{margin-left:91.66667%}.next-col-xxs-offset-23{margin-left:95.83333%}.next-col-xxs-offset-24{margin-left:100%}}@media (min-width:480px){.next-col-xs-offset-1{margin-left:4.16667%}.next-col-xs-offset-2{margin-left:8.33333%}.next-col-xs-offset-3{margin-left:12.5%}.next-col-xs-offset-4{margin-left:16.66667%}.next-col-xs-offset-5{margin-left:20.83333%}.next-col-xs-offset-6{margin-left:25%}.next-col-xs-offset-7{margin-left:29.16667%}.next-col-xs-offset-8{margin-left:33.33333%}.next-col-xs-offset-9{margin-left:37.5%}.next-col-xs-offset-10{margin-left:41.66667%}.next-col-xs-offset-11{margin-left:45.83333%}.next-col-xs-offset-12{margin-left:50%}.next-col-xs-offset-13{margin-left:54.16667%}.next-col-xs-offset-14{margin-left:58.33333%}.next-col-xs-offset-15{margin-left:62.5%}.next-col-xs-offset-16{margin-left:66.66667%}.next-col-xs-offset-17{margin-left:70.83333%}.next-col-xs-offset-18{margin-left:75%}.next-col-xs-offset-19{margin-left:79.16667%}.next-col-xs-offset-20{margin-left:83.33333%}.next-col-xs-offset-21{margin-left:87.5%}.next-col-xs-offset-22{margin-left:91.66667%}.next-col-xs-offset-23{margin-left:95.83333%}.next-col-xs-offset-24{margin-left:100%}}@media (min-width:720px){.next-col-s-offset-1{margin-left:4.16667%}.next-col-s-offset-2{margin-left:8.33333%}.next-col-s-offset-3{margin-left:12.5%}.next-col-s-offset-4{margin-left:16.66667%}.next-col-s-offset-5{margin-left:20.83333%}.next-col-s-offset-6{margin-left:25%}.next-col-s-offset-7{margin-left:29.16667%}.next-col-s-offset-8{margin-left:33.33333%}.next-col-s-offset-9{margin-left:37.5%}.next-col-s-offset-10{margin-left:41.66667%}.next-col-s-offset-11{margin-left:45.83333%}.next-col-s-offset-12{margin-left:50%}.next-col-s-offset-13{margin-left:54.16667%}.next-col-s-offset-14{margin-left:58.33333%}.next-col-s-offset-15{margin-left:62.5%}.next-col-s-offset-16{margin-left:66.66667%}.next-col-s-offset-17{margin-left:70.83333%}.next-col-s-offset-18{margin-left:75%}.next-col-s-offset-19{margin-left:79.16667%}.next-col-s-offset-20{margin-left:83.33333%}.next-col-s-offset-21{margin-left:87.5%}.next-col-s-offset-22{margin-left:91.66667%}.next-col-s-offset-23{margin-left:95.83333%}.next-col-s-offset-24{margin-left:100%}}@media (min-width:990px){.next-col-m-offset-1{margin-left:4.16667%}.next-col-m-offset-2{margin-left:8.33333%}.next-col-m-offset-3{margin-left:12.5%}.next-col-m-offset-4{margin-left:16.66667%}.next-col-m-offset-5{margin-left:20.83333%}.next-col-m-offset-6{margin-left:25%}.next-col-m-offset-7{margin-left:29.16667%}.next-col-m-offset-8{margin-left:33.33333%}.next-col-m-offset-9{margin-left:37.5%}.next-col-m-offset-10{margin-left:41.66667%}.next-col-m-offset-11{margin-left:45.83333%}.next-col-m-offset-12{margin-left:50%}.next-col-m-offset-13{margin-left:54.16667%}.next-col-m-offset-14{margin-left:58.33333%}.next-col-m-offset-15{margin-left:62.5%}.next-col-m-offset-16{margin-left:66.66667%}.next-col-m-offset-17{margin-left:70.83333%}.next-col-m-offset-18{margin-left:75%}.next-col-m-offset-19{margin-left:79.16667%}.next-col-m-offset-20{margin-left:83.33333%}.next-col-m-offset-21{margin-left:87.5%}.next-col-m-offset-22{margin-left:91.66667%}.next-col-m-offset-23{margin-left:95.83333%}.next-col-m-offset-24{margin-left:100%}}@media (min-width:1200px){.next-col-l-offset-1{margin-left:4.16667%}.next-col-l-offset-2{margin-left:8.33333%}.next-col-l-offset-3{margin-left:12.5%}.next-col-l-offset-4{margin-left:16.66667%}.next-col-l-offset-5{margin-left:20.83333%}.next-col-l-offset-6{margin-left:25%}.next-col-l-offset-7{margin-left:29.16667%}.next-col-l-offset-8{margin-left:33.33333%}.next-col-l-offset-9{margin-left:37.5%}.next-col-l-offset-10{margin-left:41.66667%}.next-col-l-offset-11{margin-left:45.83333%}.next-col-l-offset-12{margin-left:50%}.next-col-l-offset-13{margin-left:54.16667%}.next-col-l-offset-14{margin-left:58.33333%}.next-col-l-offset-15{margin-left:62.5%}.next-col-l-offset-16{margin-left:66.66667%}.next-col-l-offset-17{margin-left:70.83333%}.next-col-l-offset-18{margin-left:75%}.next-col-l-offset-19{margin-left:79.16667%}.next-col-l-offset-20{margin-left:83.33333%}.next-col-l-offset-21{margin-left:87.5%}.next-col-l-offset-22{margin-left:91.66667%}.next-col-l-offset-23{margin-left:95.83333%}.next-col-l-offset-24{margin-left:100%}}@media (min-width:1500px){.next-col-xl-offset-1{margin-left:4.16667%}.next-col-xl-offset-2{margin-left:8.33333%}.next-col-xl-offset-3{margin-left:12.5%}.next-col-xl-offset-4{margin-left:16.66667%}.next-col-xl-offset-5{margin-left:20.83333%}.next-col-xl-offset-6{margin-left:25%}.next-col-xl-offset-7{margin-left:29.16667%}.next-col-xl-offset-8{margin-left:33.33333%}.next-col-xl-offset-9{margin-left:37.5%}.next-col-xl-offset-10{margin-left:41.66667%}.next-col-xl-offset-11{margin-left:45.83333%}.next-col-xl-offset-12{margin-left:50%}.next-col-xl-offset-13{margin-left:54.16667%}.next-col-xl-offset-14{margin-left:58.33333%}.next-col-xl-offset-15{margin-left:62.5%}.next-col-xl-offset-16{margin-left:66.66667%}.next-col-xl-offset-17{margin-left:70.83333%}.next-col-xl-offset-18{margin-left:75%}.next-col-xl-offset-19{margin-left:79.16667%}.next-col-xl-offset-20{margin-left:83.33333%}.next-col-xl-offset-21{margin-left:87.5%}.next-col-xl-offset-22{margin-left:91.66667%}.next-col-xl-offset-23{margin-left:95.83333%}.next-col-xl-offset-24{margin-left:100%}}.next-col-offset-fixed-1{margin-left:20px}.next-col-offset-fixed-2{margin-left:40px}.next-col-offset-fixed-3{margin-left:60px}.next-col-offset-fixed-4{margin-left:80px}.next-col-offset-fixed-5{margin-left:100px}.next-col-offset-fixed-6{margin-left:120px}.next-col-offset-fixed-7{margin-left:140px}.next-col-offset-fixed-8{margin-left:160px}.next-col-offset-fixed-9{margin-left:180px}.next-col-offset-fixed-10{margin-left:200px}.next-col-offset-fixed-11{margin-left:220px}.next-col-offset-fixed-12{margin-left:240px}.next-col-offset-fixed-13{margin-left:260px}.next-col-offset-fixed-14{margin-left:280px}.next-col-offset-fixed-15{margin-left:300px}.next-col-offset-fixed-16{margin-left:320px}.next-col-offset-fixed-17{margin-left:340px}.next-col-offset-fixed-18{margin-left:360px}.next-col-offset-fixed-19{margin-left:380px}.next-col-offset-fixed-20{margin-left:400px}.next-col-offset-fixed-21{margin-left:420px}.next-col-offset-fixed-22{margin-left:440px}.next-col-offset-fixed-23{margin-left:460px}.next-col-offset-fixed-24{margin-left:480px}.next-col-offset-fixed-25{margin-left:500px}.next-col-offset-fixed-26{margin-left:520px}.next-col-offset-fixed-27{margin-left:540px}.next-col-offset-fixed-28{margin-left:560px}.next-col-offset-fixed-29{margin-left:580px}.next-col-offset-fixed-30{margin-left:600px}.next-col-offset-fixed-xxs-1{margin-left:20px}.next-col-offset-fixed-xxs-2{margin-left:40px}.next-col-offset-fixed-xxs-3{margin-left:60px}.next-col-offset-fixed-xxs-4{margin-left:80px}.next-col-offset-fixed-xxs-5{margin-left:100px}.next-col-offset-fixed-xxs-6{margin-left:120px}.next-col-offset-fixed-xxs-7{margin-left:140px}.next-col-offset-fixed-xxs-8{margin-left:160px}.next-col-offset-fixed-xxs-9{margin-left:180px}.next-col-offset-fixed-xxs-10{margin-left:200px}.next-col-offset-fixed-xxs-11{margin-left:220px}.next-col-offset-fixed-xxs-12{margin-left:240px}.next-col-offset-fixed-xxs-13{margin-left:260px}.next-col-offset-fixed-xxs-14{margin-left:280px}.next-col-offset-fixed-xxs-15{margin-left:300px}.next-col-offset-fixed-xxs-16{margin-left:320px}.next-col-offset-fixed-xxs-17{margin-left:340px}.next-col-offset-fixed-xxs-18{margin-left:360px}.next-col-offset-fixed-xxs-19{margin-left:380px}.next-col-offset-fixed-xxs-20{margin-left:400px}.next-col-offset-fixed-xxs-21{margin-left:420px}.next-col-offset-fixed-xxs-22{margin-left:440px}.next-col-offset-fixed-xxs-23{margin-left:460px}.next-col-offset-fixed-xxs-24{margin-left:480px}.next-col-offset-fixed-xxs-25{margin-left:500px}.next-col-offset-fixed-xxs-26{margin-left:520px}.next-col-offset-fixed-xxs-27{margin-left:540px}.next-col-offset-fixed-xxs-28{margin-left:560px}.next-col-offset-fixed-xxs-29{margin-left:580px}.next-col-offset-fixed-xxs-30{margin-left:600px}.next-col-offset-fixed-xs-1{margin-left:20px}.next-col-offset-fixed-xs-2{margin-left:40px}.next-col-offset-fixed-xs-3{margin-left:60px}.next-col-offset-fixed-xs-4{margin-left:80px}.next-col-offset-fixed-xs-5{margin-left:100px}.next-col-offset-fixed-xs-6{margin-left:120px}.next-col-offset-fixed-xs-7{margin-left:140px}.next-col-offset-fixed-xs-8{margin-left:160px}.next-col-offset-fixed-xs-9{margin-left:180px}.next-col-offset-fixed-xs-10{margin-left:200px}.next-col-offset-fixed-xs-11{margin-left:220px}.next-col-offset-fixed-xs-12{margin-left:240px}.next-col-offset-fixed-xs-13{margin-left:260px}.next-col-offset-fixed-xs-14{margin-left:280px}.next-col-offset-fixed-xs-15{margin-left:300px}.next-col-offset-fixed-xs-16{margin-left:320px}.next-col-offset-fixed-xs-17{margin-left:340px}.next-col-offset-fixed-xs-18{margin-left:360px}.next-col-offset-fixed-xs-19{margin-left:380px}.next-col-offset-fixed-xs-20{margin-left:400px}.next-col-offset-fixed-xs-21{margin-left:420px}.next-col-offset-fixed-xs-22{margin-left:440px}.next-col-offset-fixed-xs-23{margin-left:460px}.next-col-offset-fixed-xs-24{margin-left:480px}.next-col-offset-fixed-xs-25{margin-left:500px}.next-col-offset-fixed-xs-26{margin-left:520px}.next-col-offset-fixed-xs-27{margin-left:540px}.next-col-offset-fixed-xs-28{margin-left:560px}.next-col-offset-fixed-xs-29{margin-left:580px}.next-col-offset-fixed-xs-30{margin-left:600px}.next-col-offset-fixed-s-1{margin-left:20px}.next-col-offset-fixed-s-2{margin-left:40px}.next-col-offset-fixed-s-3{margin-left:60px}.next-col-offset-fixed-s-4{margin-left:80px}.next-col-offset-fixed-s-5{margin-left:100px}.next-col-offset-fixed-s-6{margin-left:120px}.next-col-offset-fixed-s-7{margin-left:140px}.next-col-offset-fixed-s-8{margin-left:160px}.next-col-offset-fixed-s-9{margin-left:180px}.next-col-offset-fixed-s-10{margin-left:200px}.next-col-offset-fixed-s-11{margin-left:220px}.next-col-offset-fixed-s-12{margin-left:240px}.next-col-offset-fixed-s-13{margin-left:260px}.next-col-offset-fixed-s-14{margin-left:280px}.next-col-offset-fixed-s-15{margin-left:300px}.next-col-offset-fixed-s-16{margin-left:320px}.next-col-offset-fixed-s-17{margin-left:340px}.next-col-offset-fixed-s-18{margin-left:360px}.next-col-offset-fixed-s-19{margin-left:380px}.next-col-offset-fixed-s-20{margin-left:400px}.next-col-offset-fixed-s-21{margin-left:420px}.next-col-offset-fixed-s-22{margin-left:440px}.next-col-offset-fixed-s-23{margin-left:460px}.next-col-offset-fixed-s-24{margin-left:480px}.next-col-offset-fixed-s-25{margin-left:500px}.next-col-offset-fixed-s-26{margin-left:520px}.next-col-offset-fixed-s-27{margin-left:540px}.next-col-offset-fixed-s-28{margin-left:560px}.next-col-offset-fixed-s-29{margin-left:580px}.next-col-offset-fixed-s-30{margin-left:600px}.next-col-offset-fixed-m-1{margin-left:20px}.next-col-offset-fixed-m-2{margin-left:40px}.next-col-offset-fixed-m-3{margin-left:60px}.next-col-offset-fixed-m-4{margin-left:80px}.next-col-offset-fixed-m-5{margin-left:100px}.next-col-offset-fixed-m-6{margin-left:120px}.next-col-offset-fixed-m-7{margin-left:140px}.next-col-offset-fixed-m-8{margin-left:160px}.next-col-offset-fixed-m-9{margin-left:180px}.next-col-offset-fixed-m-10{margin-left:200px}.next-col-offset-fixed-m-11{margin-left:220px}.next-col-offset-fixed-m-12{margin-left:240px}.next-col-offset-fixed-m-13{margin-left:260px}.next-col-offset-fixed-m-14{margin-left:280px}.next-col-offset-fixed-m-15{margin-left:300px}.next-col-offset-fixed-m-16{margin-left:320px}.next-col-offset-fixed-m-17{margin-left:340px}.next-col-offset-fixed-m-18{margin-left:360px}.next-col-offset-fixed-m-19{margin-left:380px}.next-col-offset-fixed-m-20{margin-left:400px}.next-col-offset-fixed-m-21{margin-left:420px}.next-col-offset-fixed-m-22{margin-left:440px}.next-col-offset-fixed-m-23{margin-left:460px}.next-col-offset-fixed-m-24{margin-left:480px}.next-col-offset-fixed-m-25{margin-left:500px}.next-col-offset-fixed-m-26{margin-left:520px}.next-col-offset-fixed-m-27{margin-left:540px}.next-col-offset-fixed-m-28{margin-left:560px}.next-col-offset-fixed-m-29{margin-left:580px}.next-col-offset-fixed-m-30{margin-left:600px}.next-col-offset-fixed-l-1{margin-left:20px}.next-col-offset-fixed-l-2{margin-left:40px}.next-col-offset-fixed-l-3{margin-left:60px}.next-col-offset-fixed-l-4{margin-left:80px}.next-col-offset-fixed-l-5{margin-left:100px}.next-col-offset-fixed-l-6{margin-left:120px}.next-col-offset-fixed-l-7{margin-left:140px}.next-col-offset-fixed-l-8{margin-left:160px}.next-col-offset-fixed-l-9{margin-left:180px}.next-col-offset-fixed-l-10{margin-left:200px}.next-col-offset-fixed-l-11{margin-left:220px}.next-col-offset-fixed-l-12{margin-left:240px}.next-col-offset-fixed-l-13{margin-left:260px}.next-col-offset-fixed-l-14{margin-left:280px}.next-col-offset-fixed-l-15{margin-left:300px}.next-col-offset-fixed-l-16{margin-left:320px}.next-col-offset-fixed-l-17{margin-left:340px}.next-col-offset-fixed-l-18{margin-left:360px}.next-col-offset-fixed-l-19{margin-left:380px}.next-col-offset-fixed-l-20{margin-left:400px}.next-col-offset-fixed-l-21{margin-left:420px}.next-col-offset-fixed-l-22{margin-left:440px}.next-col-offset-fixed-l-23{margin-left:460px}.next-col-offset-fixed-l-24{margin-left:480px}.next-col-offset-fixed-l-25{margin-left:500px}.next-col-offset-fixed-l-26{margin-left:520px}.next-col-offset-fixed-l-27{margin-left:540px}.next-col-offset-fixed-l-28{margin-left:560px}.next-col-offset-fixed-l-29{margin-left:580px}.next-col-offset-fixed-l-30{margin-left:600px}.next-col-offset-fixed-xl-1{margin-left:20px}.next-col-offset-fixed-xl-2{margin-left:40px}.next-col-offset-fixed-xl-3{margin-left:60px}.next-col-offset-fixed-xl-4{margin-left:80px}.next-col-offset-fixed-xl-5{margin-left:100px}.next-col-offset-fixed-xl-6{margin-left:120px}.next-col-offset-fixed-xl-7{margin-left:140px}.next-col-offset-fixed-xl-8{margin-left:160px}.next-col-offset-fixed-xl-9{margin-left:180px}.next-col-offset-fixed-xl-10{margin-left:200px}.next-col-offset-fixed-xl-11{margin-left:220px}.next-col-offset-fixed-xl-12{margin-left:240px}.next-col-offset-fixed-xl-13{margin-left:260px}.next-col-offset-fixed-xl-14{margin-left:280px}.next-col-offset-fixed-xl-15{margin-left:300px}.next-col-offset-fixed-xl-16{margin-left:320px}.next-col-offset-fixed-xl-17{margin-left:340px}.next-col-offset-fixed-xl-18{margin-left:360px}.next-col-offset-fixed-xl-19{margin-left:380px}.next-col-offset-fixed-xl-20{margin-left:400px}.next-col-offset-fixed-xl-21{margin-left:420px}.next-col-offset-fixed-xl-22{margin-left:440px}.next-col-offset-fixed-xl-23{margin-left:460px}.next-col-offset-fixed-xl-24{margin-left:480px}.next-col-offset-fixed-xl-25{margin-left:500px}.next-col-offset-fixed-xl-26{margin-left:520px}.next-col-offset-fixed-xl-27{margin-left:540px}.next-col-offset-fixed-xl-28{margin-left:560px}.next-col-offset-fixed-xl-29{margin-left:580px}.next-col-offset-fixed-xl-30{margin-left:600px}.next-col.next-col-hidden{display:none}@media (min-width:320px) and (max-width:479px){.next-col.next-col-xxs-hidden{display:none}}@media (min-width:480px) and (max-width:719px){.next-col.next-col-xs-hidden{display:none}}@media (min-width:720px) and (max-width:989px){.next-col.next-col-s-hidden{display:none}}@media (min-width:990px) and (max-width:1199px){.next-col.next-col-m-hidden{display:none}}@media (min-width:1200px) and (max-width:1499px){.next-col.next-col-l-hidden{display:none}}@media (min-width:1500px){.next-col.next-col-xl-hidden{display:none}}.next-row.next-row-hidden{display:none}@media (min-width:320px) and (max-width:479px){.next-row.next-row-xxs-hidden{display:none}}@media (min-width:480px) and (max-width:719px){.next-row.next-row-xs-hidden{display:none}}@media (min-width:720px) and (max-width:989px){.next-row.next-row-s-hidden{display:none}}@media (min-width:990px) and (max-width:1199px){.next-row.next-row-m-hidden{display:none}}@media (min-width:1200px) and (max-width:1499px){.next-row.next-row-l-hidden{display:none}}@media (min-width:1500px){.next-row.next-row-xl-hidden{display:none}}.next-col-offset-1[dir=rtl]{margin-right:4.16667%;margin-left:auto}.next-col-offset-2[dir=rtl]{margin-right:8.33333%;margin-left:auto}.next-col-offset-3[dir=rtl]{margin-right:12.5%;margin-left:auto}.next-col-offset-4[dir=rtl]{margin-right:16.66667%;margin-left:auto}.next-col-offset-5[dir=rtl]{margin-right:20.83333%;margin-left:auto}.next-col-offset-6[dir=rtl]{margin-right:25%;margin-left:auto}.next-col-offset-7[dir=rtl]{margin-right:29.16667%;margin-left:auto}.next-col-offset-8[dir=rtl]{margin-right:33.33333%;margin-left:auto}.next-col-offset-9[dir=rtl]{margin-right:37.5%;margin-left:auto}.next-col-offset-10[dir=rtl]{margin-right:41.66667%;margin-left:auto}.next-col-offset-11[dir=rtl]{margin-right:45.83333%;margin-left:auto}.next-col-offset-12[dir=rtl]{margin-right:50%;margin-left:auto}.next-col-offset-13[dir=rtl]{margin-right:54.16667%;margin-left:auto}.next-col-offset-14[dir=rtl]{margin-right:58.33333%;margin-left:auto}.next-col-offset-15[dir=rtl]{margin-right:62.5%;margin-left:auto}.next-col-offset-16[dir=rtl]{margin-right:66.66667%;margin-left:auto}.next-col-offset-17[dir=rtl]{margin-right:70.83333%;margin-left:auto}.next-col-offset-18[dir=rtl]{margin-right:75%;margin-left:auto}.next-col-offset-19[dir=rtl]{margin-right:79.16667%;margin-left:auto}.next-col-offset-20[dir=rtl]{margin-right:83.33333%;margin-left:auto}.next-col-offset-21[dir=rtl]{margin-right:87.5%;margin-left:auto}.next-col-offset-22[dir=rtl]{margin-right:91.66667%;margin-left:auto}.next-col-offset-23[dir=rtl]{margin-right:95.83333%;margin-left:auto}.next-col-offset-24[dir=rtl]{margin-right:100%;margin-left:auto}@media (min-width:320px){.next-col-xxs-offset-1[dir=rtl]{margin-right:4.16667%;margin-left:auto}.next-col-xxs-offset-2[dir=rtl]{margin-right:8.33333%;margin-left:auto}.next-col-xxs-offset-3[dir=rtl]{margin-right:12.5%;margin-left:auto}.next-col-xxs-offset-4[dir=rtl]{margin-right:16.66667%;margin-left:auto}.next-col-xxs-offset-5[dir=rtl]{margin-right:20.83333%;margin-left:auto}.next-col-xxs-offset-6[dir=rtl]{margin-right:25%;margin-left:auto}.next-col-xxs-offset-7[dir=rtl]{margin-right:29.16667%;margin-left:auto}.next-col-xxs-offset-8[dir=rtl]{margin-right:33.33333%;margin-left:auto}.next-col-xxs-offset-9[dir=rtl]{margin-right:37.5%;margin-left:auto}.next-col-xxs-offset-10[dir=rtl]{margin-right:41.66667%;margin-left:auto}.next-col-xxs-offset-11[dir=rtl]{margin-right:45.83333%;margin-left:auto}.next-col-xxs-offset-12[dir=rtl]{margin-right:50%;margin-left:auto}.next-col-xxs-offset-13[dir=rtl]{margin-right:54.16667%;margin-left:auto}.next-col-xxs-offset-14[dir=rtl]{margin-right:58.33333%;margin-left:auto}.next-col-xxs-offset-15[dir=rtl]{margin-right:62.5%;margin-left:auto}.next-col-xxs-offset-16[dir=rtl]{margin-right:66.66667%;margin-left:auto}.next-col-xxs-offset-17[dir=rtl]{margin-right:70.83333%;margin-left:auto}.next-col-xxs-offset-18[dir=rtl]{margin-right:75%;margin-left:auto}.next-col-xxs-offset-19[dir=rtl]{margin-right:79.16667%;margin-left:auto}.next-col-xxs-offset-20[dir=rtl]{margin-right:83.33333%;margin-left:auto}.next-col-xxs-offset-21[dir=rtl]{margin-right:87.5%;margin-left:auto}.next-col-xxs-offset-22[dir=rtl]{margin-right:91.66667%;margin-left:auto}.next-col-xxs-offset-23[dir=rtl]{margin-right:95.83333%;margin-left:auto}.next-col-xxs-offset-24[dir=rtl]{margin-right:100%;margin-left:auto}}@media (min-width:480px){.next-col-xs-offset-1[dir=rtl]{margin-right:4.16667%;margin-left:auto}.next-col-xs-offset-2[dir=rtl]{margin-right:8.33333%;margin-left:auto}.next-col-xs-offset-3[dir=rtl]{margin-right:12.5%;margin-left:auto}.next-col-xs-offset-4[dir=rtl]{margin-right:16.66667%;margin-left:auto}.next-col-xs-offset-5[dir=rtl]{margin-right:20.83333%;margin-left:auto}.next-col-xs-offset-6[dir=rtl]{margin-right:25%;margin-left:auto}.next-col-xs-offset-7[dir=rtl]{margin-right:29.16667%;margin-left:auto}.next-col-xs-offset-8[dir=rtl]{margin-right:33.33333%;margin-left:auto}.next-col-xs-offset-9[dir=rtl]{margin-right:37.5%;margin-left:auto}.next-col-xs-offset-10[dir=rtl]{margin-right:41.66667%;margin-left:auto}.next-col-xs-offset-11[dir=rtl]{margin-right:45.83333%;margin-left:auto}.next-col-xs-offset-12[dir=rtl]{margin-right:50%;margin-left:auto}.next-col-xs-offset-13[dir=rtl]{margin-right:54.16667%;margin-left:auto}.next-col-xs-offset-14[dir=rtl]{margin-right:58.33333%;margin-left:auto}.next-col-xs-offset-15[dir=rtl]{margin-right:62.5%;margin-left:auto}.next-col-xs-offset-16[dir=rtl]{margin-right:66.66667%;margin-left:auto}.next-col-xs-offset-17[dir=rtl]{margin-right:70.83333%;margin-left:auto}.next-col-xs-offset-18[dir=rtl]{margin-right:75%;margin-left:auto}.next-col-xs-offset-19[dir=rtl]{margin-right:79.16667%;margin-left:auto}.next-col-xs-offset-20[dir=rtl]{margin-right:83.33333%;margin-left:auto}.next-col-xs-offset-21[dir=rtl]{margin-right:87.5%;margin-left:auto}.next-col-xs-offset-22[dir=rtl]{margin-right:91.66667%;margin-left:auto}.next-col-xs-offset-23[dir=rtl]{margin-right:95.83333%;margin-left:auto}.next-col-xs-offset-24[dir=rtl]{margin-right:100%;margin-left:auto}}@media (min-width:720px){.next-col-s-offset-1[dir=rtl]{margin-right:4.16667%;margin-left:auto}.next-col-s-offset-2[dir=rtl]{margin-right:8.33333%;margin-left:auto}.next-col-s-offset-3[dir=rtl]{margin-right:12.5%;margin-left:auto}.next-col-s-offset-4[dir=rtl]{margin-right:16.66667%;margin-left:auto}.next-col-s-offset-5[dir=rtl]{margin-right:20.83333%;margin-left:auto}.next-col-s-offset-6[dir=rtl]{margin-right:25%;margin-left:auto}.next-col-s-offset-7[dir=rtl]{margin-right:29.16667%;margin-left:auto}.next-col-s-offset-8[dir=rtl]{margin-right:33.33333%;margin-left:auto}.next-col-s-offset-9[dir=rtl]{margin-right:37.5%;margin-left:auto}.next-col-s-offset-10[dir=rtl]{margin-right:41.66667%;margin-left:auto}.next-col-s-offset-11[dir=rtl]{margin-right:45.83333%;margin-left:auto}.next-col-s-offset-12[dir=rtl]{margin-right:50%;margin-left:auto}.next-col-s-offset-13[dir=rtl]{margin-right:54.16667%;margin-left:auto}.next-col-s-offset-14[dir=rtl]{margin-right:58.33333%;margin-left:auto}.next-col-s-offset-15[dir=rtl]{margin-right:62.5%;margin-left:auto}.next-col-s-offset-16[dir=rtl]{margin-right:66.66667%;margin-left:auto}.next-col-s-offset-17[dir=rtl]{margin-right:70.83333%;margin-left:auto}.next-col-s-offset-18[dir=rtl]{margin-right:75%;margin-left:auto}.next-col-s-offset-19[dir=rtl]{margin-right:79.16667%;margin-left:auto}.next-col-s-offset-20[dir=rtl]{margin-right:83.33333%;margin-left:auto}.next-col-s-offset-21[dir=rtl]{margin-right:87.5%;margin-left:auto}.next-col-s-offset-22[dir=rtl]{margin-right:91.66667%;margin-left:auto}.next-col-s-offset-23[dir=rtl]{margin-right:95.83333%;margin-left:auto}.next-col-s-offset-24[dir=rtl]{margin-right:100%;margin-left:auto}}@media (min-width:990px){.next-col-m-offset-1[dir=rtl]{margin-right:4.16667%;margin-left:auto}.next-col-m-offset-2[dir=rtl]{margin-right:8.33333%;margin-left:auto}.next-col-m-offset-3[dir=rtl]{margin-right:12.5%;margin-left:auto}.next-col-m-offset-4[dir=rtl]{margin-right:16.66667%;margin-left:auto}.next-col-m-offset-5[dir=rtl]{margin-right:20.83333%;margin-left:auto}.next-col-m-offset-6[dir=rtl]{margin-right:25%;margin-left:auto}.next-col-m-offset-7[dir=rtl]{margin-right:29.16667%;margin-left:auto}.next-col-m-offset-8[dir=rtl]{margin-right:33.33333%;margin-left:auto}.next-col-m-offset-9[dir=rtl]{margin-right:37.5%;margin-left:auto}.next-col-m-offset-10[dir=rtl]{margin-right:41.66667%;margin-left:auto}.next-col-m-offset-11[dir=rtl]{margin-right:45.83333%;margin-left:auto}.next-col-m-offset-12[dir=rtl]{margin-right:50%;margin-left:auto}.next-col-m-offset-13[dir=rtl]{margin-right:54.16667%;margin-left:auto}.next-col-m-offset-14[dir=rtl]{margin-right:58.33333%;margin-left:auto}.next-col-m-offset-15[dir=rtl]{margin-right:62.5%;margin-left:auto}.next-col-m-offset-16[dir=rtl]{margin-right:66.66667%;margin-left:auto}.next-col-m-offset-17[dir=rtl]{margin-right:70.83333%;margin-left:auto}.next-col-m-offset-18[dir=rtl]{margin-right:75%;margin-left:auto}.next-col-m-offset-19[dir=rtl]{margin-right:79.16667%;margin-left:auto}.next-col-m-offset-20[dir=rtl]{margin-right:83.33333%;margin-left:auto}.next-col-m-offset-21[dir=rtl]{margin-right:87.5%;margin-left:auto}.next-col-m-offset-22[dir=rtl]{margin-right:91.66667%;margin-left:auto}.next-col-m-offset-23[dir=rtl]{margin-right:95.83333%;margin-left:auto}.next-col-m-offset-24[dir=rtl]{margin-right:100%;margin-left:auto}}@media (min-width:1200px){.next-col-l-offset-1[dir=rtl]{margin-right:4.16667%;margin-left:auto}.next-col-l-offset-2[dir=rtl]{margin-right:8.33333%;margin-left:auto}.next-col-l-offset-3[dir=rtl]{margin-right:12.5%;margin-left:auto}.next-col-l-offset-4[dir=rtl]{margin-right:16.66667%;margin-left:auto}.next-col-l-offset-5[dir=rtl]{margin-right:20.83333%;margin-left:auto}.next-col-l-offset-6[dir=rtl]{margin-right:25%;margin-left:auto}.next-col-l-offset-7[dir=rtl]{margin-right:29.16667%;margin-left:auto}.next-col-l-offset-8[dir=rtl]{margin-right:33.33333%;margin-left:auto}.next-col-l-offset-9[dir=rtl]{margin-right:37.5%;margin-left:auto}.next-col-l-offset-10[dir=rtl]{margin-right:41.66667%;margin-left:auto}.next-col-l-offset-11[dir=rtl]{margin-right:45.83333%;margin-left:auto}.next-col-l-offset-12[dir=rtl]{margin-right:50%;margin-left:auto}.next-col-l-offset-13[dir=rtl]{margin-right:54.16667%;margin-left:auto}.next-col-l-offset-14[dir=rtl]{margin-right:58.33333%;margin-left:auto}.next-col-l-offset-15[dir=rtl]{margin-right:62.5%;margin-left:auto}.next-col-l-offset-16[dir=rtl]{margin-right:66.66667%;margin-left:auto}.next-col-l-offset-17[dir=rtl]{margin-right:70.83333%;margin-left:auto}.next-col-l-offset-18[dir=rtl]{margin-right:75%;margin-left:auto}.next-col-l-offset-19[dir=rtl]{margin-right:79.16667%;margin-left:auto}.next-col-l-offset-20[dir=rtl]{margin-right:83.33333%;margin-left:auto}.next-col-l-offset-21[dir=rtl]{margin-right:87.5%;margin-left:auto}.next-col-l-offset-22[dir=rtl]{margin-right:91.66667%;margin-left:auto}.next-col-l-offset-23[dir=rtl]{margin-right:95.83333%;margin-left:auto}.next-col-l-offset-24[dir=rtl]{margin-right:100%;margin-left:auto}}@media (min-width:1500px){.next-col-xl-offset-1[dir=rtl]{margin-right:4.16667%;margin-left:auto}.next-col-xl-offset-2[dir=rtl]{margin-right:8.33333%;margin-left:auto}.next-col-xl-offset-3[dir=rtl]{margin-right:12.5%;margin-left:auto}.next-col-xl-offset-4[dir=rtl]{margin-right:16.66667%;margin-left:auto}.next-col-xl-offset-5[dir=rtl]{margin-right:20.83333%;margin-left:auto}.next-col-xl-offset-6[dir=rtl]{margin-right:25%;margin-left:auto}.next-col-xl-offset-7[dir=rtl]{margin-right:29.16667%;margin-left:auto}.next-col-xl-offset-8[dir=rtl]{margin-right:33.33333%;margin-left:auto}.next-col-xl-offset-9[dir=rtl]{margin-right:37.5%;margin-left:auto}.next-col-xl-offset-10[dir=rtl]{margin-right:41.66667%;margin-left:auto}.next-col-xl-offset-11[dir=rtl]{margin-right:45.83333%;margin-left:auto}.next-col-xl-offset-12[dir=rtl]{margin-right:50%;margin-left:auto}.next-col-xl-offset-13[dir=rtl]{margin-right:54.16667%;margin-left:auto}.next-col-xl-offset-14[dir=rtl]{margin-right:58.33333%;margin-left:auto}.next-col-xl-offset-15[dir=rtl]{margin-right:62.5%;margin-left:auto}.next-col-xl-offset-16[dir=rtl]{margin-right:66.66667%;margin-left:auto}.next-col-xl-offset-17[dir=rtl]{margin-right:70.83333%;margin-left:auto}.next-col-xl-offset-18[dir=rtl]{margin-right:75%;margin-left:auto}.next-col-xl-offset-19[dir=rtl]{margin-right:79.16667%;margin-left:auto}.next-col-xl-offset-20[dir=rtl]{margin-right:83.33333%;margin-left:auto}.next-col-xl-offset-21[dir=rtl]{margin-right:87.5%;margin-left:auto}.next-col-xl-offset-22[dir=rtl]{margin-right:91.66667%;margin-left:auto}.next-col-xl-offset-23[dir=rtl]{margin-right:95.83333%;margin-left:auto}.next-col-xl-offset-24[dir=rtl]{margin-right:100%;margin-left:auto}}.next-col-offset-fixed-1[dir=rtl]{margin-right:20px;margin-left:auto}.next-col-offset-fixed-2[dir=rtl]{margin-right:40px;margin-left:auto}.next-col-offset-fixed-3[dir=rtl]{margin-right:60px;margin-left:auto}.next-col-offset-fixed-4[dir=rtl]{margin-right:80px;margin-left:auto}.next-col-offset-fixed-5[dir=rtl]{margin-right:100px;margin-left:auto}.next-col-offset-fixed-6[dir=rtl]{margin-right:120px;margin-left:auto}.next-col-offset-fixed-7[dir=rtl]{margin-right:140px;margin-left:auto}.next-col-offset-fixed-8[dir=rtl]{margin-right:160px;margin-left:auto}.next-col-offset-fixed-9[dir=rtl]{margin-right:180px;margin-left:auto}.next-col-offset-fixed-10[dir=rtl]{margin-right:200px;margin-left:auto}.next-col-offset-fixed-11[dir=rtl]{margin-right:220px;margin-left:auto}.next-col-offset-fixed-12[dir=rtl]{margin-right:240px;margin-left:auto}.next-col-offset-fixed-13[dir=rtl]{margin-right:260px;margin-left:auto}.next-col-offset-fixed-14[dir=rtl]{margin-right:280px;margin-left:auto}.next-col-offset-fixed-15[dir=rtl]{margin-right:300px;margin-left:auto}.next-col-offset-fixed-16[dir=rtl]{margin-right:320px;margin-left:auto}.next-col-offset-fixed-17[dir=rtl]{margin-right:340px;margin-left:auto}.next-col-offset-fixed-18[dir=rtl]{margin-right:360px;margin-left:auto}.next-col-offset-fixed-19[dir=rtl]{margin-right:380px;margin-left:auto}.next-col-offset-fixed-20[dir=rtl]{margin-right:400px;margin-left:auto}.next-col-offset-fixed-21[dir=rtl]{margin-right:420px;margin-left:auto}.next-col-offset-fixed-22[dir=rtl]{margin-right:440px;margin-left:auto}.next-col-offset-fixed-23[dir=rtl]{margin-right:460px;margin-left:auto}.next-col-offset-fixed-24[dir=rtl]{margin-right:480px;margin-left:auto}.next-col-offset-fixed-25[dir=rtl]{margin-right:500px;margin-left:auto}.next-col-offset-fixed-26[dir=rtl]{margin-right:520px;margin-left:auto}.next-col-offset-fixed-27[dir=rtl]{margin-right:540px;margin-left:auto}.next-col-offset-fixed-28[dir=rtl]{margin-right:560px;margin-left:auto}.next-col-offset-fixed-29[dir=rtl]{margin-right:580px;margin-left:auto}.next-col-offset-fixed-30[dir=rtl]{margin-right:600px;margin-left:auto}.next-col-offset-fixed-xxs-1[dir=rtl]{margin-right:20px;margin-left:auto}.next-col-offset-fixed-xxs-2[dir=rtl]{margin-right:40px;margin-left:auto}.next-col-offset-fixed-xxs-3[dir=rtl]{margin-right:60px;margin-left:auto}.next-col-offset-fixed-xxs-4[dir=rtl]{margin-right:80px;margin-left:auto}.next-col-offset-fixed-xxs-5[dir=rtl]{margin-right:100px;margin-left:auto}.next-col-offset-fixed-xxs-6[dir=rtl]{margin-right:120px;margin-left:auto}.next-col-offset-fixed-xxs-7[dir=rtl]{margin-right:140px;margin-left:auto}.next-col-offset-fixed-xxs-8[dir=rtl]{margin-right:160px;margin-left:auto}.next-col-offset-fixed-xxs-9[dir=rtl]{margin-right:180px;margin-left:auto}.next-col-offset-fixed-xxs-10[dir=rtl]{margin-right:200px;margin-left:auto}.next-col-offset-fixed-xxs-11[dir=rtl]{margin-right:220px;margin-left:auto}.next-col-offset-fixed-xxs-12[dir=rtl]{margin-right:240px;margin-left:auto}.next-col-offset-fixed-xxs-13[dir=rtl]{margin-right:260px;margin-left:auto}.next-col-offset-fixed-xxs-14[dir=rtl]{margin-right:280px;margin-left:auto}.next-col-offset-fixed-xxs-15[dir=rtl]{margin-right:300px;margin-left:auto}.next-col-offset-fixed-xxs-16[dir=rtl]{margin-right:320px;margin-left:auto}.next-col-offset-fixed-xxs-17[dir=rtl]{margin-right:340px;margin-left:auto}.next-col-offset-fixed-xxs-18[dir=rtl]{margin-right:360px;margin-left:auto}.next-col-offset-fixed-xxs-19[dir=rtl]{margin-right:380px;margin-left:auto}.next-col-offset-fixed-xxs-20[dir=rtl]{margin-right:400px;margin-left:auto}.next-col-offset-fixed-xxs-21[dir=rtl]{margin-right:420px;margin-left:auto}.next-col-offset-fixed-xxs-22[dir=rtl]{margin-right:440px;margin-left:auto}.next-col-offset-fixed-xxs-23[dir=rtl]{margin-right:460px;margin-left:auto}.next-col-offset-fixed-xxs-24[dir=rtl]{margin-right:480px;margin-left:auto}.next-col-offset-fixed-xxs-25[dir=rtl]{margin-right:500px;margin-left:auto}.next-col-offset-fixed-xxs-26[dir=rtl]{margin-right:520px;margin-left:auto}.next-col-offset-fixed-xxs-27[dir=rtl]{margin-right:540px;margin-left:auto}.next-col-offset-fixed-xxs-28[dir=rtl]{margin-right:560px;margin-left:auto}.next-col-offset-fixed-xxs-29[dir=rtl]{margin-right:580px;margin-left:auto}.next-col-offset-fixed-xxs-30[dir=rtl]{margin-right:600px;margin-left:auto}.next-col-offset-fixed-xs-1[dir=rtl]{margin-right:20px;margin-left:auto}.next-col-offset-fixed-xs-2[dir=rtl]{margin-right:40px;margin-left:auto}.next-col-offset-fixed-xs-3[dir=rtl]{margin-right:60px;margin-left:auto}.next-col-offset-fixed-xs-4[dir=rtl]{margin-right:80px;margin-left:auto}.next-col-offset-fixed-xs-5[dir=rtl]{margin-right:100px;margin-left:auto}.next-col-offset-fixed-xs-6[dir=rtl]{margin-right:120px;margin-left:auto}.next-col-offset-fixed-xs-7[dir=rtl]{margin-right:140px;margin-left:auto}.next-col-offset-fixed-xs-8[dir=rtl]{margin-right:160px;margin-left:auto}.next-col-offset-fixed-xs-9[dir=rtl]{margin-right:180px;margin-left:auto}.next-col-offset-fixed-xs-10[dir=rtl]{margin-right:200px;margin-left:auto}.next-col-offset-fixed-xs-11[dir=rtl]{margin-right:220px;margin-left:auto}.next-col-offset-fixed-xs-12[dir=rtl]{margin-right:240px;margin-left:auto}.next-col-offset-fixed-xs-13[dir=rtl]{margin-right:260px;margin-left:auto}.next-col-offset-fixed-xs-14[dir=rtl]{margin-right:280px;margin-left:auto}.next-col-offset-fixed-xs-15[dir=rtl]{margin-right:300px;margin-left:auto}.next-col-offset-fixed-xs-16[dir=rtl]{margin-right:320px;margin-left:auto}.next-col-offset-fixed-xs-17[dir=rtl]{margin-right:340px;margin-left:auto}.next-col-offset-fixed-xs-18[dir=rtl]{margin-right:360px;margin-left:auto}.next-col-offset-fixed-xs-19[dir=rtl]{margin-right:380px;margin-left:auto}.next-col-offset-fixed-xs-20[dir=rtl]{margin-right:400px;margin-left:auto}.next-col-offset-fixed-xs-21[dir=rtl]{margin-right:420px;margin-left:auto}.next-col-offset-fixed-xs-22[dir=rtl]{margin-right:440px;margin-left:auto}.next-col-offset-fixed-xs-23[dir=rtl]{margin-right:460px;margin-left:auto}.next-col-offset-fixed-xs-24[dir=rtl]{margin-right:480px;margin-left:auto}.next-col-offset-fixed-xs-25[dir=rtl]{margin-right:500px;margin-left:auto}.next-col-offset-fixed-xs-26[dir=rtl]{margin-right:520px;margin-left:auto}.next-col-offset-fixed-xs-27[dir=rtl]{margin-right:540px;margin-left:auto}.next-col-offset-fixed-xs-28[dir=rtl]{margin-right:560px;margin-left:auto}.next-col-offset-fixed-xs-29[dir=rtl]{margin-right:580px;margin-left:auto}.next-col-offset-fixed-xs-30[dir=rtl]{margin-right:600px;margin-left:auto}.next-col-offset-fixed-s-1[dir=rtl]{margin-right:20px;margin-left:auto}.next-col-offset-fixed-s-2[dir=rtl]{margin-right:40px;margin-left:auto}.next-col-offset-fixed-s-3[dir=rtl]{margin-right:60px;margin-left:auto}.next-col-offset-fixed-s-4[dir=rtl]{margin-right:80px;margin-left:auto}.next-col-offset-fixed-s-5[dir=rtl]{margin-right:100px;margin-left:auto}.next-col-offset-fixed-s-6[dir=rtl]{margin-right:120px;margin-left:auto}.next-col-offset-fixed-s-7[dir=rtl]{margin-right:140px;margin-left:auto}.next-col-offset-fixed-s-8[dir=rtl]{margin-right:160px;margin-left:auto}.next-col-offset-fixed-s-9[dir=rtl]{margin-right:180px;margin-left:auto}.next-col-offset-fixed-s-10[dir=rtl]{margin-right:200px;margin-left:auto}.next-col-offset-fixed-s-11[dir=rtl]{margin-right:220px;margin-left:auto}.next-col-offset-fixed-s-12[dir=rtl]{margin-right:240px;margin-left:auto}.next-col-offset-fixed-s-13[dir=rtl]{margin-right:260px;margin-left:auto}.next-col-offset-fixed-s-14[dir=rtl]{margin-right:280px;margin-left:auto}.next-col-offset-fixed-s-15[dir=rtl]{margin-right:300px;margin-left:auto}.next-col-offset-fixed-s-16[dir=rtl]{margin-right:320px;margin-left:auto}.next-col-offset-fixed-s-17[dir=rtl]{margin-right:340px;margin-left:auto}.next-col-offset-fixed-s-18[dir=rtl]{margin-right:360px;margin-left:auto}.next-col-offset-fixed-s-19[dir=rtl]{margin-right:380px;margin-left:auto}.next-col-offset-fixed-s-20[dir=rtl]{margin-right:400px;margin-left:auto}.next-col-offset-fixed-s-21[dir=rtl]{margin-right:420px;margin-left:auto}.next-col-offset-fixed-s-22[dir=rtl]{margin-right:440px;margin-left:auto}.next-col-offset-fixed-s-23[dir=rtl]{margin-right:460px;margin-left:auto}.next-col-offset-fixed-s-24[dir=rtl]{margin-right:480px;margin-left:auto}.next-col-offset-fixed-s-25[dir=rtl]{margin-right:500px;margin-left:auto}.next-col-offset-fixed-s-26[dir=rtl]{margin-right:520px;margin-left:auto}.next-col-offset-fixed-s-27[dir=rtl]{margin-right:540px;margin-left:auto}.next-col-offset-fixed-s-28[dir=rtl]{margin-right:560px;margin-left:auto}.next-col-offset-fixed-s-29[dir=rtl]{margin-right:580px;margin-left:auto}.next-col-offset-fixed-s-30[dir=rtl]{margin-right:600px;margin-left:auto}.next-col-offset-fixed-m-1[dir=rtl]{margin-right:20px;margin-left:auto}.next-col-offset-fixed-m-2[dir=rtl]{margin-right:40px;margin-left:auto}.next-col-offset-fixed-m-3[dir=rtl]{margin-right:60px;margin-left:auto}.next-col-offset-fixed-m-4[dir=rtl]{margin-right:80px;margin-left:auto}.next-col-offset-fixed-m-5[dir=rtl]{margin-right:100px;margin-left:auto}.next-col-offset-fixed-m-6[dir=rtl]{margin-right:120px;margin-left:auto}.next-col-offset-fixed-m-7[dir=rtl]{margin-right:140px;margin-left:auto}.next-col-offset-fixed-m-8[dir=rtl]{margin-right:160px;margin-left:auto}.next-col-offset-fixed-m-9[dir=rtl]{margin-right:180px;margin-left:auto}.next-col-offset-fixed-m-10[dir=rtl]{margin-right:200px;margin-left:auto}.next-col-offset-fixed-m-11[dir=rtl]{margin-right:220px;margin-left:auto}.next-col-offset-fixed-m-12[dir=rtl]{margin-right:240px;margin-left:auto}.next-col-offset-fixed-m-13[dir=rtl]{margin-right:260px;margin-left:auto}.next-col-offset-fixed-m-14[dir=rtl]{margin-right:280px;margin-left:auto}.next-col-offset-fixed-m-15[dir=rtl]{margin-right:300px;margin-left:auto}.next-col-offset-fixed-m-16[dir=rtl]{margin-right:320px;margin-left:auto}.next-col-offset-fixed-m-17[dir=rtl]{margin-right:340px;margin-left:auto}.next-col-offset-fixed-m-18[dir=rtl]{margin-right:360px;margin-left:auto}.next-col-offset-fixed-m-19[dir=rtl]{margin-right:380px;margin-left:auto}.next-col-offset-fixed-m-20[dir=rtl]{margin-right:400px;margin-left:auto}.next-col-offset-fixed-m-21[dir=rtl]{margin-right:420px;margin-left:auto}.next-col-offset-fixed-m-22[dir=rtl]{margin-right:440px;margin-left:auto}.next-col-offset-fixed-m-23[dir=rtl]{margin-right:460px;margin-left:auto}.next-col-offset-fixed-m-24[dir=rtl]{margin-right:480px;margin-left:auto}.next-col-offset-fixed-m-25[dir=rtl]{margin-right:500px;margin-left:auto}.next-col-offset-fixed-m-26[dir=rtl]{margin-right:520px;margin-left:auto}.next-col-offset-fixed-m-27[dir=rtl]{margin-right:540px;margin-left:auto}.next-col-offset-fixed-m-28[dir=rtl]{margin-right:560px;margin-left:auto}.next-col-offset-fixed-m-29[dir=rtl]{margin-right:580px;margin-left:auto}.next-col-offset-fixed-m-30[dir=rtl]{margin-right:600px;margin-left:auto}.next-col-offset-fixed-l-1[dir=rtl]{margin-right:20px;margin-left:auto}.next-col-offset-fixed-l-2[dir=rtl]{margin-right:40px;margin-left:auto}.next-col-offset-fixed-l-3[dir=rtl]{margin-right:60px;margin-left:auto}.next-col-offset-fixed-l-4[dir=rtl]{margin-right:80px;margin-left:auto}.next-col-offset-fixed-l-5[dir=rtl]{margin-right:100px;margin-left:auto}.next-col-offset-fixed-l-6[dir=rtl]{margin-right:120px;margin-left:auto}.next-col-offset-fixed-l-7[dir=rtl]{margin-right:140px;margin-left:auto}.next-col-offset-fixed-l-8[dir=rtl]{margin-right:160px;margin-left:auto}.next-col-offset-fixed-l-9[dir=rtl]{margin-right:180px;margin-left:auto}.next-col-offset-fixed-l-10[dir=rtl]{margin-right:200px;margin-left:auto}.next-col-offset-fixed-l-11[dir=rtl]{margin-right:220px;margin-left:auto}.next-col-offset-fixed-l-12[dir=rtl]{margin-right:240px;margin-left:auto}.next-col-offset-fixed-l-13[dir=rtl]{margin-right:260px;margin-left:auto}.next-col-offset-fixed-l-14[dir=rtl]{margin-right:280px;margin-left:auto}.next-col-offset-fixed-l-15[dir=rtl]{margin-right:300px;margin-left:auto}.next-col-offset-fixed-l-16[dir=rtl]{margin-right:320px;margin-left:auto}.next-col-offset-fixed-l-17[dir=rtl]{margin-right:340px;margin-left:auto}.next-col-offset-fixed-l-18[dir=rtl]{margin-right:360px;margin-left:auto}.next-col-offset-fixed-l-19[dir=rtl]{margin-right:380px;margin-left:auto}.next-col-offset-fixed-l-20[dir=rtl]{margin-right:400px;margin-left:auto}.next-col-offset-fixed-l-21[dir=rtl]{margin-right:420px;margin-left:auto}.next-col-offset-fixed-l-22[dir=rtl]{margin-right:440px;margin-left:auto}.next-col-offset-fixed-l-23[dir=rtl]{margin-right:460px;margin-left:auto}.next-col-offset-fixed-l-24[dir=rtl]{margin-right:480px;margin-left:auto}.next-col-offset-fixed-l-25[dir=rtl]{margin-right:500px;margin-left:auto}.next-col-offset-fixed-l-26[dir=rtl]{margin-right:520px;margin-left:auto}.next-col-offset-fixed-l-27[dir=rtl]{margin-right:540px;margin-left:auto}.next-col-offset-fixed-l-28[dir=rtl]{margin-right:560px;margin-left:auto}.next-col-offset-fixed-l-29[dir=rtl]{margin-right:580px;margin-left:auto}.next-col-offset-fixed-l-30[dir=rtl]{margin-right:600px;margin-left:auto}.next-col-offset-fixed-xl-1[dir=rtl]{margin-right:20px;margin-left:auto}.next-col-offset-fixed-xl-2[dir=rtl]{margin-right:40px;margin-left:auto}.next-col-offset-fixed-xl-3[dir=rtl]{margin-right:60px;margin-left:auto}.next-col-offset-fixed-xl-4[dir=rtl]{margin-right:80px;margin-left:auto}.next-col-offset-fixed-xl-5[dir=rtl]{margin-right:100px;margin-left:auto}.next-col-offset-fixed-xl-6[dir=rtl]{margin-right:120px;margin-left:auto}.next-col-offset-fixed-xl-7[dir=rtl]{margin-right:140px;margin-left:auto}.next-col-offset-fixed-xl-8[dir=rtl]{margin-right:160px;margin-left:auto}.next-col-offset-fixed-xl-9[dir=rtl]{margin-right:180px;margin-left:auto}.next-col-offset-fixed-xl-10[dir=rtl]{margin-right:200px;margin-left:auto}.next-col-offset-fixed-xl-11[dir=rtl]{margin-right:220px;margin-left:auto}.next-col-offset-fixed-xl-12[dir=rtl]{margin-right:240px;margin-left:auto}.next-col-offset-fixed-xl-13[dir=rtl]{margin-right:260px;margin-left:auto}.next-col-offset-fixed-xl-14[dir=rtl]{margin-right:280px;margin-left:auto}.next-col-offset-fixed-xl-15[dir=rtl]{margin-right:300px;margin-left:auto}.next-col-offset-fixed-xl-16[dir=rtl]{margin-right:320px;margin-left:auto}.next-col-offset-fixed-xl-17[dir=rtl]{margin-right:340px;margin-left:auto}.next-col-offset-fixed-xl-18[dir=rtl]{margin-right:360px;margin-left:auto}.next-col-offset-fixed-xl-19[dir=rtl]{margin-right:380px;margin-left:auto}.next-col-offset-fixed-xl-20[dir=rtl]{margin-right:400px;margin-left:auto}.next-col-offset-fixed-xl-21[dir=rtl]{margin-right:420px;margin-left:auto}.next-col-offset-fixed-xl-22[dir=rtl]{margin-right:440px;margin-left:auto}.next-col-offset-fixed-xl-23[dir=rtl]{margin-right:460px;margin-left:auto}.next-col-offset-fixed-xl-24[dir=rtl]{margin-right:480px;margin-left:auto}.next-col-offset-fixed-xl-25[dir=rtl]{margin-right:500px;margin-left:auto}.next-col-offset-fixed-xl-26[dir=rtl]{margin-right:520px;margin-left:auto}.next-col-offset-fixed-xl-27[dir=rtl]{margin-right:540px;margin-left:auto}.next-col-offset-fixed-xl-28[dir=rtl]{margin-right:560px;margin-left:auto}.next-col-offset-fixed-xl-29[dir=rtl]{margin-right:580px;margin-left:auto}.next-col-offset-fixed-xl-30[dir=rtl]{margin-right:600px;margin-left:auto}.next-sr-only{position:absolute;width:1px;height:1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);white-space:nowrap;border:0;top:0;margin:-1px}.next-icon[dir=rtl]::before{transform:rotateY(180deg)}@font-face{font-family:NextIcon;src:url(//at.alicdn.com/t/font_515771_xjdbujl2iu.eot);src:url(//at.alicdn.com/t/font_515771_xjdbujl2iu.eot?#iefix) format("embedded-opentype"),url(//at.alicdn.com/t/font_515771_xjdbujl2iu.woff2) format("woff2"),url(//at.alicdn.com/t/font_515771_xjdbujl2iu.woff) format("woff"),url(//at.alicdn.com/t/font_515771_xjdbujl2iu.ttf) format("truetype"),url(//at.alicdn.com/t/font_515771_xjdbujl2iu.svg#NextIcon) format("svg")}.next-icon{display:inline-block;font-family:NextIcon;font-style:normal;font-weight:400;text-transform:none;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}.next-icon:before{display:inline-block;vertical-align:middle;text-align:center}.next-icon-smile:before{content:"\E65F";content:var(--icon-content-smile, "\E65F")}.next-icon-cry:before{content:"\E65D";content:var(--icon-content-cry, "\E65D")}.next-icon-success:before{content:"\E60A";content:var(--icon-content-success, "\E60A")}.next-icon-warning:before{content:"\E60B";content:var(--icon-content-warning, "\E60B")}.next-icon-prompt:before{content:"\E60C";content:var(--icon-content-prompt, "\E60C")}.next-icon-error:before{content:"\E60D";content:var(--icon-content-error, "\E60D")}.next-icon-help:before{content:"\E673";content:var(--icon-content-help, "\E673")}.next-icon-clock:before{content:"\E621";content:var(--icon-content-clock, "\E621")}.next-icon-success-filling:before{content:"\E63A";content:var(--icon-content-success-filling, "\E63A")}.next-icon-delete-filling:before{content:"\E623";content:var(--icon-content-delete-filling, "\E623")}.next-icon-favorites-filling:before{content:"\E60E";content:var(--icon-content-favorites-filling, "\E60E")}.next-icon-add:before{content:"\E655";content:var(--icon-content-add, "\E655")}.next-icon-minus:before{content:"\E601";content:var(--icon-content-minus, "\E601")}.next-icon-arrow-up:before{content:"\E625";content:var(--icon-content-arrow-up, "\E625")}.next-icon-arrow-down:before{content:"\E63D";content:var(--icon-content-arrow-down, "\E63D")}.next-icon-arrow-left:before{content:"\E61D";content:var(--icon-content-arrow-left, "\E61D")}.next-icon-arrow-right:before{content:"\E619";content:var(--icon-content-arrow-right, "\E619")}.next-icon-arrow-double-left:before{content:"\E659";content:var(--icon-content-arrow-double-left, "\E659")}.next-icon-arrow-double-right:before{content:"\E65E";content:var(--icon-content-arrow-double-right, "\E65E")}.next-icon-switch:before{content:"\E6B3";content:var(--icon-content-switch, "\E6B3")}.next-icon-sorting:before{content:"\E634";content:var(--icon-content-sorting, "\E634")}.next-icon-descending:before{content:"\E61F";content:var(--icon-content-descending, "\E61F")}.next-icon-ascending:before{content:"\E61E";content:var(--icon-content-ascending, "\E61E")}.next-icon-select:before{content:"\E632";content:var(--icon-content-select, "\E632")}.next-icon-semi-select:before{content:"\E633";content:var(--icon-content-semi-select, "\E633")}.next-icon-search:before{content:"\E656";content:var(--icon-content-search, "\E656")}.next-icon-close:before{content:"\E626";content:var(--icon-content-close, "\E626")}.next-icon-ellipsis:before{content:"\E654";content:var(--icon-content-ellipsis, "\E654")}.next-icon-picture:before{content:"\E631";content:var(--icon-content-picture, "\E631")}.next-icon-calendar:before{content:"\E607";content:var(--icon-content-calendar, "\E607")}.next-icon-ashbin:before{content:"\E639";content:var(--icon-content-ashbin, "\E639")}.next-icon-upload:before{content:"\E7EE";content:var(--icon-content-upload, "\E7EE")}.next-icon-download:before{content:"\E628";content:var(--icon-content-download, "\E628")}.next-icon-set:before{content:"\E683";content:var(--icon-content-set, "\E683")}.next-icon-edit:before{content:"\E63B";content:var(--icon-content-edit, "\E63B")}.next-icon-refresh:before{content:"\E677";content:var(--icon-content-refresh, "\E677")}.next-icon-filter:before{content:"\E627";content:var(--icon-content-filter, "\E627")}.next-icon-attachment:before{content:"\E665";content:var(--icon-content-attachment, "\E665")}.next-icon-account:before{content:"\E608";content:var(--icon-content-account, "\E608")}.next-icon-email:before{content:"\E605";content:var(--icon-content-email, "\E605")}.next-icon-atm:before{content:"\E606";content:var(--icon-content-atm, "\E606")}.next-icon-loading:before{content:"\E646";content:var(--icon-content-loading, "\E646");animation:loadingCircle 1s infinite linear}.next-icon-eye:before{content:"\E611";content:var(--icon-content-eye, "\E611")}.next-icon-copy:before{content:"\E60F";content:var(--icon-content-copy, "\E60F")}.next-icon-toggle-left:before{content:"\E602";content:var(--icon-content-toggle-left, "\E602")}.next-icon-toggle-right:before{content:"\E603";content:var(--icon-content-toggle-right, "\E603")}.next-icon-eye-close:before{content:"\E600";content:var(--icon-content-eye-close, "\E600")}.next-icon-unlock:before{content:"\E615";content:var(--icon-content-unlock, "\E615")}.next-icon-lock:before{content:"\E617";content:var(--icon-content-lock, "\E617")}.next-icon-exit:before{content:"\E616";content:var(--icon-content-exit, "\E616")}.next-icon-chart-bar:before{content:"\E612";content:var(--icon-content-chart-bar, "\E612")}.next-icon-chart-pie:before{content:"\E613";content:var(--icon-content-chart-pie, "\E613")}.next-icon-form:before{content:"\E7FB";content:var(--icon-content-form, "\E7FB")}.next-icon-detail:before{content:"\E7F8";content:var(--icon-content-detail, "\E7F8")}.next-icon-list:before{content:"\E7F9";content:var(--icon-content-list, "\E7F9")}.next-icon-dashboard:before{content:"\E7FA";content:var(--icon-content-dashboard, "\E7FA")}@keyframes loadingCircle{0%{transform-origin:50% 50%;transform:rotate(0)}100%{transform-origin:50% 50%;transform:rotate(360deg)}}.next-icon.next-xxs .next-icon-remote,.next-icon.next-xxs:before{width:8px;width:var(--icon-xxs,8px);font-size:8px;font-size:var(--icon-xxs,8px);line-height:inherit}@media all and (-webkit-min-device-pixel-ratio:0) and (min-resolution:0.001dpcm){.next-icon.next-xxs{transform:scale(.5);margin-left:-4px;margin-left:calc(0px - var(--icon-s,16px)/ 2 + var(--icon-xxs,8px)/ 2);margin-right:-4px;margin-right:calc(0px - var(--icon-s,16px)/ 2 + var(--icon-xxs,8px)/ 2)}.next-icon.next-xxs:before{width:16px;width:var(--icon-s,16px);font-size:16px;font-size:var(--icon-s,16px)}}.next-icon.next-xs .next-icon-remote,.next-icon.next-xs:before{width:12px;width:var(--icon-xs,12px);font-size:12px;font-size:var(--icon-xs,12px);line-height:inherit}.next-icon.next-small .next-icon-remote,.next-icon.next-small:before{width:16px;width:var(--icon-s,16px);font-size:16px;font-size:var(--icon-s,16px);line-height:inherit}.next-icon.next-medium .next-icon-remote,.next-icon.next-medium:before{width:20px;width:var(--icon-m,20px);font-size:20px;font-size:var(--icon-m,20px);line-height:inherit}.next-icon.next-large .next-icon-remote,.next-icon.next-large:before{width:24px;width:var(--icon-l,24px);font-size:24px;font-size:var(--icon-l,24px);line-height:inherit}.next-icon.next-xl .next-icon-remote,.next-icon.next-xl:before{width:32px;width:var(--icon-xl,32px);font-size:32px;font-size:var(--icon-xl,32px);line-height:inherit}.next-icon.next-xxl .next-icon-remote,.next-icon.next-xxl:before{width:48px;width:var(--icon-xxl,48px);font-size:48px;font-size:var(--icon-xxl,48px);line-height:inherit}.next-icon.next-xxxl .next-icon-remote,.next-icon.next-xxxl:before{width:64px;width:var(--icon-xxxl,64px);font-size:64px;font-size:var(--icon-xxxl,64px);line-height:inherit}.next-icon.next-inherit .next-icon-remote,.next-icon.next-inherit:before{width:inherit;font-size:inherit;line-height:inherit}.next-icon .next-icon-remote,.next-icon.next-inherit .next-icon-remote{width:1em;height:1em;vertical-align:middle;fill:currentColor}.next-sr-only{position:absolute;width:1px;height:1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);white-space:nowrap;border:0;top:0;margin:-1px}.next-input{box-sizing:border-box;vertical-align:middle;display:inline-table;border-collapse:separate;font-size:0;line-height:1;width:200px;border-spacing:0;transition:all .1s linear;transition:all var(--motion-duration-immediately,100ms) var(--motion-linear,linear);border:1px solid #c4c6cf;border:var(--input-border-width,1px) solid var(--input-border-color,#c4c6cf);background-color:#fff;background-color:var(--input-bg-color,#fff)}.next-input *,.next-input :after,.next-input :before{box-sizing:border-box}.next-input input{height:100%}.next-input input[type=reset],.next-input input[type=submit]{-webkit-appearance:button;cursor:pointer}.next-input input::-moz-focus-inner{border:0;padding:0}.next-input input:-webkit-autofill{-webkit-box-shadow:0 0 0 1000px #fff inset;-webkit-box-shadow:0 0 0 1000px var(--input-bg-color,#fff) inset;border-radius:3px;border-radius:var(--form-element-large-corner,3px)}.next-input textarea{resize:none}.next-input input,.next-input textarea{width:100%;border:none;outline:0;padding:0;margin:0;font-weight:400;vertical-align:middle;background-color:transparent;color:#333;color:var(--input-text-color,#333)}.next-input input::-ms-clear,.next-input textarea::-ms-clear{display:none}.next-input.next-small{height:20px;height:var(--form-element-small-height,20px);border-radius:3px;border-radius:var(--form-element-small-corner,3px)}.next-input.next-small .next-input-label{padding-left:8px;padding-left:var(--input-s-label-padding-left,8px);font-size:12px;font-size:var(--form-element-small-font-size,12px)}.next-input.next-small .next-input-inner{font-size:12px;font-size:var(--form-element-small-font-size,12px)}.next-input.next-small .next-input-control{padding-right:4px;padding-right:var(--input-s-icon-padding-right,4px)}.next-input.next-small input{height:18px;height:calc(var(--form-element-small-height,20px) - var(--input-border-width,1px)*2);padding:0 4px;padding:0 var(--input-s-padding,4px);font-size:12px;font-size:var(--form-element-small-font-size,12px)}.next-input.next-small input::placeholder{font-size:12px;font-size:var(--form-element-small-font-size,12px)}.next-input.next-small .next-input-text-field{padding:0 4px;padding:0 var(--input-s-padding,4px);font-size:12px;font-size:var(--form-element-small-font-size,12px);height:18px;height:calc(var(--form-element-small-height,20px) - var(--input-border-width,1px)*2);line-height:18px;line-height:calc(var(--form-element-small-height,20px) - var(--input-border-width,1px)*2)}.next-input.next-small .next-icon .next-icon-remote,.next-input.next-small .next-icon:before{width:12px;width:var(--form-element-small-icon-size,12px);font-size:12px;font-size:var(--form-element-small-icon-size,12px);line-height:inherit}.next-input.next-small .next-input-control{border-radius:0 3px 3px 0;border-radius:0 var(--form-element-small-corner,3px) var(--form-element-small-corner,3px) 0}.next-input.next-medium{height:28px;height:var(--form-element-medium-height,28px);border-radius:3px;border-radius:var(--form-element-medium-corner,3px)}.next-input.next-medium .next-input-label{padding-left:8px;padding-left:var(--input-m-label-padding-left,8px);font-size:12px;font-size:var(--form-element-medium-font-size,12px)}.next-input.next-medium .next-input-inner{font-size:12px;font-size:var(--form-element-medium-font-size,12px)}.next-input.next-medium .next-input-control{padding-right:8px;padding-right:var(--input-m-icon-padding-right,8px)}.next-input.next-medium input{height:26px;height:calc(var(--form-element-medium-height,28px) - var(--input-border-width,1px)*2);padding:0 8px;padding:0 var(--input-m-padding,8px);font-size:12px;font-size:var(--form-element-medium-font-size,12px)}.next-input.next-medium input::placeholder{font-size:12px;font-size:var(--form-element-medium-font-size,12px)}.next-input.next-medium .next-input-text-field{padding:0 8px;padding:0 var(--input-m-padding,8px);font-size:12px;font-size:var(--form-element-medium-font-size,12px);height:26px;height:calc(var(--form-element-medium-height,28px) - var(--input-border-width,1px)*2);line-height:26px;line-height:calc(var(--form-element-medium-height,28px) - var(--input-border-width,1px)*2)}.next-input.next-medium .next-icon .next-icon-remote,.next-input.next-medium .next-icon:before{width:12px;width:var(--form-element-medium-icon-size,12px);font-size:12px;font-size:var(--form-element-medium-icon-size,12px);line-height:inherit}.next-input.next-medium .next-input-control{border-radius:0 3px 3px 0;border-radius:0 var(--form-element-medium-corner,3px) var(--form-element-medium-corner,3px) 0}.next-input.next-large{height:40px;height:var(--form-element-large-height,40px);border-radius:3px;border-radius:var(--form-element-large-corner,3px)}.next-input.next-large .next-input-label{padding-left:12px;padding-left:var(--input-l-label-padding-left,12px);font-size:16px;font-size:var(--form-element-large-font-size,16px)}.next-input.next-large .next-input-inner{font-size:16px;font-size:var(--form-element-large-font-size,16px)}.next-input.next-large .next-input-control{padding-right:8px;padding-right:var(--input-l-icon-padding-right,8px)}.next-input.next-large input{height:38px;height:calc(var(--form-element-large-height,40px) - var(--input-border-width,1px)*2);padding:0 12px;padding:0 var(--input-l-padding,12px);font-size:16px;font-size:var(--form-element-large-font-size,16px)}.next-input.next-large input::placeholder{font-size:16px;font-size:var(--form-element-large-font-size,16px)}.next-input.next-large .next-input-text-field{padding:0 12px;padding:0 var(--input-l-padding,12px);font-size:16px;font-size:var(--form-element-large-font-size,16px);height:38px;height:calc(var(--form-element-large-height,40px) - var(--input-border-width,1px)*2);line-height:38px;line-height:calc(var(--form-element-large-height,40px) - var(--input-border-width,1px)*2)}.next-input.next-large .next-icon .next-icon-remote,.next-input.next-large .next-icon:before{width:16px;width:var(--form-element-large-icon-size,16px);font-size:16px;font-size:var(--form-element-large-icon-size,16px);line-height:inherit}.next-input.next-large .next-input-control{border-radius:0 3px 3px 0;border-radius:0 var(--form-element-large-corner,3px) var(--form-element-large-corner,3px) 0}.next-input.next-input-textarea{height:auto;border-radius:3px;border-radius:var(--input-multiple-corner,3px);font-size:0}.next-input.next-input-textarea textarea{color:#333;color:var(--input-text-color,#333);padding:4px 8px;padding:var(--input-multiple-padding-tb,4px) var(--input-multiple-padding-lr,8px);font-size:12px;font-size:var(--input-multiple-font-size,12px);border-radius:3px;border-radius:var(--input-multiple-corner,3px)}.next-input.next-input-textarea.next-small textarea{font-size:12px;font-size:var(--form-element-medium-font-size,12px)}.next-input.next-input-textarea.next-large textarea{font-size:16px;font-size:var(--form-element-large-font-size,16px)}.next-input.next-input-textarea .next-input-control{display:block;width:auto;border-radius:3px;border-radius:var(--input-multiple-corner,3px)}.next-input.next-input-textarea .next-input-len{padding:0 8px 4px;padding:0 var(--input-l-icon-padding-right,8px) 4px;display:block;text-align:right;width:auto}.next-input-hint-wrap{color:#999;color:var(--input-hint-color,#999);position:relative}.next-input-hint-wrap .next-input-clear{opacity:0;z-index:1;position:absolute}.next-input-hint-wrap .next-input-hint{opacity:1}.next-input .next-icon-eye-close:hover,.next-input .next-icon-eye:hover,.next-input .next-input-clear-icon:hover{cursor:pointer;color:#666;color:var(--input-hint-hover-color,#666)}.next-input.next-focus,.next-input:hover{border-color:#a0a2ad;border-color:var(--input-hover-border-color,#a0a2ad);background-color:#fff;background-color:var(--input-hover-bg-color,#fff)}.next-input.next-focus .next-input-clear,.next-input:hover .next-input-clear{opacity:1}.next-input.next-focus .next-input-clear+.next-input-hint,.next-input:hover .next-input-clear+.next-input-hint{opacity:0}.next-input .next-input-clear:focus{opacity:1}.next-input .next-input-clear:focus+.next-input-hint{opacity:0}.next-input.next-focus{border-color:#5584ff;border-color:var(--input-focus-border-color,#5584ff);background-color:#fff;background-color:var(--input-focus-bg-color,#fff);box-shadow:0 0 0 2px rgba(85,132,255,.2);box-shadow:0 0 0 var(--input-focus-shadow-spread,2px) var(--color-calculate-input-focus-shadow,rgba(85,132,255,.2))}.next-input.next-warning{border-color:#ff9300;border-color:var(--input-feedback-warning-border-color,#ff9300);background-color:#fff;background-color:var(--input-feedback-warning-bg-color,#fff)}.next-input.next-warning.next-focus,.next-input.next-warning:hover{border-color:#ff9300;border-color:var(--input-feedback-warning-border-color,#ff9300)}.next-input.next-warning.next-focus{box-shadow:0 0 0 2px rgba(255,147,0,.2);box-shadow:0 0 0 var(--input-focus-shadow-spread,2px) var(--color-calculate-input-feedback-warning-shadow,rgba(255,147,0,.2))}.next-input.next-error{border-color:#ff3000;border-color:var(--input-feedback-error-border-color,#ff3000);background-color:#fff;background-color:var(--input-feedback-error-bg-color,#fff)}.next-input.next-error.next-focus,.next-input.next-error:hover{border-color:#ff3000;border-color:var(--input-feedback-error-border-color,#ff3000)}.next-input.next-error.next-focus{box-shadow:0 0 0 2px rgba(255,48,0,.2);box-shadow:0 0 0 var(--input-focus-shadow-spread,2px) var(--color-calculate-input-feedback-error-shadow,rgba(255,48,0,.2))}.next-input.next-hidden{display:none}.next-input.next-noborder{border:none;box-shadow:none}.next-input-control .next-input-len{font-size:12px;font-size:var(--input-maxlen-font-size,12px);line-height:12px;line-height:var(--input-maxlen-font-size,12px);color:#999;color:var(--input-maxlen-color,#999);display:table-cell;width:1px;vertical-align:bottom}.next-input-control .next-input-len.next-error{color:#ff3000;color:var(--input-maxlen-error-color,#ff3000)}.next-input-control .next-input-len.next-warning{color:#ff9300;color:var(--input-maxlen-warning-color,#ff9300)}.next-input-control>*{display:table-cell;width:1%;top:0}.next-input-control>:not(:last-child){padding-right:4px;padding-right:var(--s-1,4px)}.next-input-control .next-icon{transition:all .1s linear;transition:all var(--motion-duration-immediately,100ms) var(--motion-linear,linear);color:#999;color:var(--input-hint-color,#999)}.next-input-control .next-input-warning-icon{color:#ff9300;color:var(--input-feedback-warning-color,#ff9300)}.next-input-control .next-input-warning-icon::before{content:"\E60B";content:var(--input-feedback-warning-icon, "\E60B")}.next-input-control .next-input-success-icon{color:#46bc15;color:var(--input-feedback-success-color,#46bc15)}.next-input-control .next-input-success-icon::before{content:"\E63A";content:var(--input-feedback-success-icon, "\E63A")}.next-input-control .next-input-loading-icon{color:#4494f9;color:var(--input-feedback-loading-color,#4494f9)}.next-input-control .next-input-loading-icon::before{content:"\E646";content:var(--input-feedback-loading-icon, "\E646");animation:loadingCircle 1s infinite linear}.next-input-control .next-input-clear-icon::before{content:"\E623";content:var(--input-feedback-clear-icon, "\E623")}.next-input-label{color:#666;color:var(--input-label-color,#666)}.next-input input::-moz-placeholder,.next-input textarea::-moz-placeholder{color:#999;color:var(--input-placeholder-color,#999);opacity:1}.next-input input:-ms-input-placeholder,.next-input textarea:-ms-input-placeholder{color:#999;color:var(--input-placeholder-color,#999)}.next-input input::-webkit-input-placeholder,.next-input textarea::-webkit-input-placeholder{color:#999;color:var(--input-placeholder-color,#999)}.next-input.next-disabled{color:#ccc;color:var(--input-disabled-color,#ccc);border-color:#e6e7eb;border-color:var(--input-disabled-border-color,#e6e7eb);background-color:#f7f8fa;background-color:var(--input-disabled-bg-color,#f7f8fa);cursor:not-allowed}.next-input.next-disabled:hover{border-color:#e6e7eb;border-color:var(--input-disabled-border-color,#e6e7eb);background-color:#f7f8fa;background-color:var(--input-disabled-bg-color,#f7f8fa)}.next-input.next-disabled input,.next-input.next-disabled textarea{-webkit-text-fill-color:#ccc;-webkit-text-fill-color:var(--input-disabled-color,#ccc);color:#ccc;color:var(--input-disabled-color,#ccc)}.next-input.next-disabled input::-moz-placeholder,.next-input.next-disabled textarea::-moz-placeholder{color:#ccc;color:var(--input-disabled-color,#ccc);opacity:1}.next-input.next-disabled input:-ms-input-placeholder,.next-input.next-disabled textarea:-ms-input-placeholder{color:#ccc;color:var(--input-disabled-color,#ccc)}.next-input.next-disabled input::-webkit-input-placeholder,.next-input.next-disabled textarea::-webkit-input-placeholder{color:#ccc;color:var(--input-disabled-color,#ccc)}.next-input.next-disabled .next-input-label{color:#ccc;color:var(--input-disabled-color,#ccc)}.next-input.next-disabled .next-input-len{color:#ccc;color:var(--input-disabled-color,#ccc)}.next-input.next-disabled .next-input-hint-wrap{color:#ccc;color:var(--input-disabled-color,#ccc)}.next-input.next-disabled .next-input-hint-wrap .next-input-clear{opacity:0}.next-input.next-disabled .next-input-hint-wrap .next-input-hint{opacity:1}.next-input.next-disabled .next-input-hint-wrap .next-input-clear-icon:hover{cursor:not-allowed;color:#ccc;color:var(--input-disabled-color,#ccc)}.next-input.next-disabled .next-icon{color:#ccc;color:var(--input-disabled-color,#ccc)}.next-input-control,.next-input-inner,.next-input-label{display:table-cell;width:1px;vertical-align:middle;line-height:1;background-color:transparent;white-space:nowrap}.next-input-group{box-sizing:border-box;display:inline-table;border-collapse:separate;border-spacing:0;line-height:0;width:100%}.next-input-group *,.next-input-group :after,.next-input-group :before{box-sizing:border-box}.next-input-group-auto-width{width:100%;border-radius:0!important}.next-input-group>.next-input{border-radius:0}.next-input-group>.next-input.next-focus{position:relative;z-index:1}.next-input-group>.next-input:first-child.next-small{border-top-left-radius:3px!important;border-top-left-radius:var(--form-element-small-corner,3px)!important;border-bottom-left-radius:3px!important;border-bottom-left-radius:var(--form-element-small-corner,3px)!important}.next-input-group>.next-input:first-child.next-medium{border-top-left-radius:3px!important;border-top-left-radius:var(--form-element-medium-corner,3px)!important;border-bottom-left-radius:3px!important;border-bottom-left-radius:var(--form-element-medium-corner,3px)!important}.next-input-group>.next-input:first-child.next-large{border-top-left-radius:3px!important;border-top-left-radius:var(--form-element-large-corner,3px)!important;border-bottom-left-radius:3px!important;border-bottom-left-radius:var(--form-element-large-corner,3px)!important}.next-input-group>.next-input:last-child.next-small{border-top-right-radius:3px!important;border-top-right-radius:var(--form-element-small-corner,3px)!important;border-bottom-right-radius:3px!important;border-bottom-right-radius:var(--form-element-small-corner,3px)!important}.next-input-group>.next-input:last-child.next-medium{border-top-right-radius:3px!important;border-top-right-radius:var(--form-element-medium-corner,3px)!important;border-bottom-right-radius:3px!important;border-bottom-right-radius:var(--form-element-medium-corner,3px)!important}.next-input-group>.next-input:last-child.next-large{border-top-right-radius:3px!important;border-top-right-radius:var(--form-element-large-corner,3px)!important;border-bottom-right-radius:3px!important;border-bottom-right-radius:var(--form-element-large-corner,3px)!important}.next-input-group-addon{width:1px;display:table-cell;vertical-align:middle;white-space:nowrap}.next-input-group-addon:first-child{border-bottom-right-radius:0!important;border-top-right-radius:0!important}.next-input-group-addon:first-child>*{margin-right:-1px;margin-right:calc(0px - var(--input-border-width,1px));border-bottom-right-radius:0!important;border-top-right-radius:0!important}.next-input-group-addon:first-child>.next-focus{position:relative;z-index:1}.next-input-group-addon:first-child>*>.next-input{border-bottom-right-radius:0!important;border-top-right-radius:0!important}.next-input-group-addon:first-child>*>.next-input.next-focus{position:relative;z-index:1}.next-input-group-addon:last-child{border-bottom-left-radius:0!important;border-top-left-radius:0!important}.next-input-group-addon:last-child>*{margin-left:-1px;margin-left:calc(0px - var(--input-border-width,1px));border-bottom-left-radius:0!important;border-top-left-radius:0!important}.next-input-group-addon:last-child>*>.next-input{border-bottom-left-radius:0!important;border-top-left-radius:0!important}.next-input-group-text{color:#999;color:var(--input-addon-text-color,#999);background-color:#f2f3f7;background-color:var(--input-addon-bg-color,#f2f3f7);text-align:center;border:1px solid #c4c6cf;border:var(--input-border-width,1px) solid var(--input-border-color,#c4c6cf);padding:0 8px;padding:0 var(--input-addon-padding,8px)}.next-input-group-text:first-child{border-right-width:0}.next-input-group-text:last-child{border-left-width:0}.next-input-group-text.next-disabled{color:#ccc;color:var(--input-disabled-color,#ccc);border-color:#e6e7eb;border-color:var(--input-disabled-border-color,#e6e7eb);background-color:#f7f8fa;background-color:var(--input-disabled-bg-color,#f7f8fa);cursor:not-allowed}.next-input-group-text.next-disabled:hover{border-color:#e6e7eb;border-color:var(--input-disabled-border-color,#e6e7eb);background-color:#f7f8fa;background-color:var(--input-disabled-bg-color,#f7f8fa)}.next-input-group-text.next-small{font-size:12px;font-size:var(--form-element-small-font-size,12px);border-radius:3px;border-radius:var(--form-element-small-corner,3px)}.next-input-group-text.next-medium{font-size:12px;font-size:var(--form-element-medium-font-size,12px);border-radius:3px;border-radius:var(--form-element-medium-corner,3px)}.next-input-group-text.next-large{font-size:16px;font-size:var(--form-element-large-font-size,16px);border-radius:3px;border-radius:var(--form-element-large-corner,3px)}.next-input[dir=rtl].next-small .next-input-label{padding-left:0;padding-right:8px;padding-right:var(--input-s-label-padding-left,8px)}.next-input[dir=rtl].next-small .next-input-control{padding-right:0;padding-left:4px;padding-left:var(--input-s-icon-padding-right,4px)}.next-input[dir=rtl].next-medium .next-input-label{padding-left:0;padding-right:8px;padding-right:var(--input-m-label-padding-left,8px)}.next-input[dir=rtl].next-medium .next-input-control{padding-right:0;padding-left:8px;padding-left:var(--input-m-icon-padding-right,8px)}.next-input[dir=rtl].next-large .next-input-label{padding-left:0;padding-right:12px;padding-right:var(--input-l-label-padding-left,12px)}.next-input[dir=rtl].next-large .next-input-control{padding-right:0;padding-left:8px;padding-left:var(--input-l-icon-padding-right,8px)}.next-input[dir=rtl].next-input-textarea .next-input-len{text-align:left}.next-input[dir=rtl] .next-input-control>:not(:last-child){padding-left:4px;padding-left:var(--s-1,4px);padding-right:0}.next-input-group[dir=rtl]>.next-input:first-child.next-small{border-top-left-radius:0!important;border-bottom-left-radius:0!important;border-top-right-radius:3px!important;border-top-right-radius:var(--form-element-small-corner,3px)!important;border-bottom-right-radius:3px!important;border-bottom-right-radius:var(--form-element-small-corner,3px)!important}.next-input-group[dir=rtl]>.next-input:first-child.next-medium{border-top-left-radius:0!important;border-bottom-left-radius:0!important;border-top-right-radius:3px!important;border-top-right-radius:var(--form-element-medium-corner,3px)!important;border-bottom-right-radius:3px!important;border-bottom-right-radius:var(--form-element-medium-corner,3px)!important}.next-input-group[dir=rtl]>.next-input:first-child.next-large{border-top-left-radius:0!important;border-bottom-left-radius:0!important;border-top-right-radius:3px!important;border-top-right-radius:var(--form-element-large-corner,3px)!important;border-bottom-right-radius:3px!important;border-bottom-right-radius:var(--form-element-large-corner,3px)!important}.next-input-group[dir=rtl]>.next-input:last-child.next-small{border-top-left-radius:3px!important;border-top-left-radius:var(--form-element-small-corner,3px)!important;border-bottom-left-radius:3px!important;border-bottom-left-radius:var(--form-element-small-corner,3px)!important;border-top-right-radius:0!important;border-bottom-right-radius:0!important}.next-input-group[dir=rtl]>.next-input:last-child.next-medium{border-top-left-radius:3px!important;border-top-left-radius:var(--form-element-medium-corner,3px)!important;border-bottom-left-radius:3px!important;border-bottom-left-radius:var(--form-element-medium-corner,3px)!important;border-top-right-radius:0!important;border-bottom-right-radius:0!important}.next-input-group[dir=rtl]>.next-input:last-child.next-large{border-top-left-radius:3px!important;border-top-left-radius:var(--form-element-large-corner,3px)!important;border-bottom-left-radius:3px!important;border-bottom-left-radius:var(--form-element-large-corner,3px)!important;border-top-right-radius:0!important;border-bottom-right-radius:0!important}.next-input-group[dir=rtl] .next-input-group-addon:first-child,.next-input-group[dir=rtl] .next-input-group-addon:first-child>*>.next-input,.next-input-group[dir=rtl] .next-input-group-addon:first-child>.next-input{border-bottom-left-radius:0!important;border-top-left-radius:0!important}.next-input-group[dir=rtl] .next-input-group-addon:first-child.next-small,.next-input-group[dir=rtl] .next-input-group-addon:first-child>*>.next-input.next-small,.next-input-group[dir=rtl] .next-input-group-addon:first-child>.next-input.next-small{border-bottom-right-radius:3px!important;border-bottom-right-radius:var(--form-element-small-corner,3px)!important;border-top-right-radius:3px!important;border-top-right-radius:var(--form-element-small-corner,3px)!important}.next-input-group[dir=rtl] .next-input-group-addon:first-child.next-medium,.next-input-group[dir=rtl] .next-input-group-addon:first-child>*>.next-input.next-medium,.next-input-group[dir=rtl] .next-input-group-addon:first-child>.next-input.next-medium{border-bottom-right-radius:3px!important;border-bottom-right-radius:var(--form-element-medium-corner,3px)!important;border-top-right-radius:3px!important;border-top-right-radius:var(--form-element-medium-corner,3px)!important}.next-input-group[dir=rtl] .next-input-group-addon:first-child.next-large,.next-input-group[dir=rtl] .next-input-group-addon:first-child>*>.next-input.next-large,.next-input-group[dir=rtl] .next-input-group-addon:first-child>.next-input.next-large{border-bottom-right-radius:3px!important;border-bottom-right-radius:var(--form-element-large-corner,3px)!important;border-top-right-radius:3px!important;border-top-right-radius:var(--form-element-large-corner,3px)!important}.next-input-group[dir=rtl] .next-input-group-addon:first-child>*{margin-left:-1px;margin-left:calc(0px - var(--input-border-width,1px));border-bottom-left-radius:0!important;border-top-left-radius:0!important}.next-input-group[dir=rtl] .next-input-group-addon:last-child,.next-input-group[dir=rtl] .next-input-group-addon:last-child>*>.next-input,.next-input-group[dir=rtl] .next-input-group-addon:last-child>.next-input{border-bottom-right-radius:0!important;border-top-right-radius:0!important}.next-input-group[dir=rtl] .next-input-group-addon:last-child.next-small,.next-input-group[dir=rtl] .next-input-group-addon:last-child>*>.next-input.next-small,.next-input-group[dir=rtl] .next-input-group-addon:last-child>.next-input.next-small{border-bottom-left-radius:3px!important;border-bottom-left-radius:var(--form-element-small-corner,3px)!important;border-top-left-radius:3px!important;border-top-left-radius:var(--form-element-small-corner,3px)!important}.next-input-group[dir=rtl] .next-input-group-addon:last-child.next-medium,.next-input-group[dir=rtl] .next-input-group-addon:last-child>*>.next-input.next-medium,.next-input-group[dir=rtl] .next-input-group-addon:last-child>.next-input.next-medium{border-bottom-left-radius:3px!important;border-bottom-left-radius:var(--form-element-medium-corner,3px)!important;border-top-left-radius:3px!important;border-top-left-radius:var(--form-element-medium-corner,3px)!important}.next-input-group[dir=rtl] .next-input-group-addon:last-child.next-large,.next-input-group[dir=rtl] .next-input-group-addon:last-child>*>.next-input.next-large,.next-input-group[dir=rtl] .next-input-group-addon:last-child>.next-input.next-large{border-bottom-left-radius:3px!important;border-bottom-left-radius:var(--form-element-large-corner,3px)!important;border-top-left-radius:3px!important;border-top-left-radius:var(--form-element-large-corner,3px)!important}.next-input-group[dir=rtl] .next-input-group-addon:last-child>*{margin-right:-1px;margin-right:calc(0px - var(--input-border-width,1px));border-bottom-right-radius:0!important;border-top-right-radius:0!important}.next-input-group[dir=rtl] .next-input-group-text:first-child{border-right-width:1px;border-right-width:var(--input-border-width,1px);border-left:0}.next-input-group[dir=rtl] .next-input-group-text:last-child{border-left-width:1px;border-left-width:var(--input-border-width,1px);border-right:0}.next-sr-only{position:absolute;width:1px;height:1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);white-space:nowrap;border:0;top:0;margin:-1px}.next-list-header{border-bottom:1px solid #dcdee3;border-bottom:var(--line-1,1px) solid var(--list-divider-color,#dcdee3);color:#333;color:var(--list-title-color,#333)}.next-list-footer{border-top:1px solid #dcdee3;border-top:var(--line-1,1px) solid var(--list-divider-color,#dcdee3);color:#666;color:var(--list-content-color,#666)}.next-list-loading.next-loading{display:block}.next-list-empty{font-size:12px;font-size:var(--font-size-body-1,12px);color:#a0a2ad;color:var(--color-line1-4,#a0a2ad);padding:32px 0;padding:var(--s-8,32px) 0;text-align:center}.next-list-items{margin:0;padding:0;list-style:none}.next-list-item{display:table;display:flex;width:100%;color:#666;color:var(--list-content-color,#666)}.next-list-item-media{display:table-cell;display:flex;flex-direction:column;align-items:flex-start;justify-content:flex-start;min-width:1px;flex-shrink:0;vertical-align:top}.next-list-item-extra{display:table-cell;display:flex;flex-direction:column;align-items:flex-start;justify-content:flex-start;min-width:1px;flex-shrink:0;vertical-align:top;color:#999;color:var(--list-extra-color,#999)}.next-list-item-content{display:table-cell;display:flex;flex-direction:column;align-items:flex-start;justify-content:center;flex:1;width:100%;vertical-align:middle}.next-list-item-title{color:#333;color:var(--list-title-color,#333)}.next-list-medium .next-list-header{padding:16px 0;padding:var(--list-size-m-item-padding-tb,16px) var(--list-size-m-item-padding-lr,0);font-size:20px;font-size:var(--list-size-m-title-font-size,20px);font-weight:700;font-weight:var(--list-size-m-title-font-weight,bold)}.next-list-medium .next-list-footer{padding:16px 0;padding:var(--list-size-m-item-padding-tb,16px) var(--list-size-m-item-padding-lr,0)}.next-list-medium .next-list-item-media{padding-right:8px;padding-right:var(--list-size-m-item-media-margin,8px)}.next-list-medium .next-list-item-extra{padding-left:8px;padding-left:var(--list-size-m-item-media-margin,8px)}.next-list-medium .next-list-item{font-size:14px;font-size:var(--list-size-m-item-content-font-size,14px);line-height:1.5;line-height:var(--list-size-m-item-content-line-height,1.5);padding:16px 0;padding:var(--list-size-m-item-padding-tb,16px) var(--list-size-m-item-padding-lr,0)}.next-list-medium .next-list-item-title{font-weight:400;font-weight:var(--list-size-m-item-title-font-weight,normal);font-size:16px;font-size:var(--list-size-m-item-title-font-size,16px);line-height:1.5;line-height:var(--list-size-m-item-title-line-height,1.5)}.next-list-small .next-list-header{padding:8px 0;padding:var(--list-size-s-item-padding-tb,8px) var(--list-size-s-item-padding-lr,0);font-size:16px;font-size:var(--list-size-s-title-font-size,16px);font-weight:700;font-weight:var(--list-size-s-title-font-weight,bold)}.next-list-small .next-list-footer{padding:8px 0;padding:var(--list-size-s-item-padding-tb,8px) var(--list-size-s-item-padding-lr,0)}.next-list-small .next-list-item-media{padding-right:8px;padding-right:var(--list-size-s-item-media-margin,8px)}.next-list-small .next-list-item-extra{padding-left:8px;padding-left:var(--list-size-s-item-media-margin,8px)}.next-list-small .next-list-item{font-size:12px;font-size:var(--list-size-s-item-content-font-size,12px);font-weight:400;font-weight:var(--list-size-s-item-title-font-weight,normal);line-height:1.3;line-height:var(--list-size-s-item-content-line-height,1.3);padding:8px 0;padding:var(--list-size-s-item-padding-tb,8px) var(--list-size-s-item-padding-lr,0)}.next-list-small .next-list-item-title{font-size:14px;font-size:var(--list-size-s-item-title-font-size,14px);line-height:1.5;line-height:var(--list-size-s-item-title-line-height,1.5)}.next-list-divider .next-list-item{border-bottom:1px solid #dcdee3;border-bottom:var(--line-1,1px) solid var(--list-divider-color,#dcdee3)}.next-list-divider .next-list-item:last-child{border-bottom:none}.next-list[dir=rtl] .next-list-item-media{padding-left:8px;padding-left:var(--list-size-m-item-media-margin,8px);padding-right:0}.next-list[dir=rtl] .next-list-item-extra{padding-right:8px;padding-right:var(--list-size-m-item-media-margin,8px);padding-left:0}.next-list[dir=rtl] .next-list-small .next-list-item-media{padding-left:8px;padding-left:var(--list-size-s-item-media-margin,8px);padding-right:0}.next-list[dir=rtl] .next-list-small .next-list-item-extra{padding-right:8px;padding-right:var(--list-size-s-item-media-margin,8px);padding-left:0}.next-sr-only{position:absolute;width:1px;height:1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);white-space:nowrap;border:0;top:0;margin:-1px}.next-loading-fusion-reactor[dir=rtl]{-webkit-animation-name:nextVectorRouteRTL;-moz-animation-name:nextVectorRouteRTL;-ms-animation-name:nextVectorRouteRTL;-o-animation-name:nextVectorRouteRTL;animation-name:nextVectorRouteRTL}@-webkit-keyframes nextVectorRouteRTL{0%{-webkit-transform:rotate(0);-moz-transform:rotate(0);-ms-transform:rotate(0);-o-transform:rotate(0);transform:rotate(0)}5%{-webkit-transform:rotate(-90deg);-moz-transform:rotate(-90deg);-ms-transform:rotate(-90deg);-o-transform:rotate(-90deg);transform:rotate(-90deg)}25%{-webkit-transform:rotate(-90deg);-moz-transform:rotate(-90deg);-ms-transform:rotate(-90deg);-o-transform:rotate(-90deg);transform:rotate(-90deg)}30%{-webkit-transform:rotate(-180deg);-moz-transform:rotate(-180deg);-ms-transform:rotate(-180deg);-o-transform:rotate(-180deg);transform:rotate(-180deg)}50%{-webkit-transform:rotate(-180deg);-moz-transform:rotate(-180deg);-ms-transform:rotate(-180deg);-o-transform:rotate(-180deg);transform:rotate(-180deg)}55%{-webkit-transform:rotate(-270deg);-moz-transform:rotate(-270deg);-ms-transform:rotate(-270deg);-o-transform:rotate(-270deg);transform:rotate(-270deg)}75%{-webkit-transform:rotate(-270deg);-moz-transform:rotate(-270deg);-ms-transform:rotate(-270deg);-o-transform:rotate(-270deg);transform:rotate(-270deg)}80%{-webkit-transform:rotate(-360deg);-moz-transform:rotate(-360deg);-ms-transform:rotate(-360deg);-o-transform:rotate(-360deg);transform:rotate(-360deg)}100%{-webkit-transform:rotate(-360deg);-moz-transform:rotate(-360deg);-ms-transform:rotate(-360deg);-o-transform:rotate(-360deg);transform:rotate(-360deg)}}@-moz-keyframes nextVectorRouteRTL{0%{-webkit-transform:rotate(0);-moz-transform:rotate(0);-ms-transform:rotate(0);-o-transform:rotate(0);transform:rotate(0)}5%{-webkit-transform:rotate(-90deg);-moz-transform:rotate(-90deg);-ms-transform:rotate(-90deg);-o-transform:rotate(-90deg);transform:rotate(-90deg)}25%{-webkit-transform:rotate(-90deg);-moz-transform:rotate(-90deg);-ms-transform:rotate(-90deg);-o-transform:rotate(-90deg);transform:rotate(-90deg)}30%{-webkit-transform:rotate(-180deg);-moz-transform:rotate(-180deg);-ms-transform:rotate(-180deg);-o-transform:rotate(-180deg);transform:rotate(-180deg)}50%{-webkit-transform:rotate(-180deg);-moz-transform:rotate(-180deg);-ms-transform:rotate(-180deg);-o-transform:rotate(-180deg);transform:rotate(-180deg)}55%{-webkit-transform:rotate(-270deg);-moz-transform:rotate(-270deg);-ms-transform:rotate(-270deg);-o-transform:rotate(-270deg);transform:rotate(-270deg)}75%{-webkit-transform:rotate(-270deg);-moz-transform:rotate(-270deg);-ms-transform:rotate(-270deg);-o-transform:rotate(-270deg);transform:rotate(-270deg)}80%{-webkit-transform:rotate(-360deg);-moz-transform:rotate(-360deg);-ms-transform:rotate(-360deg);-o-transform:rotate(-360deg);transform:rotate(-360deg)}100%{-webkit-transform:rotate(-360deg);-moz-transform:rotate(-360deg);-ms-transform:rotate(-360deg);-o-transform:rotate(-360deg);transform:rotate(-360deg)}}@-ms-keyframes nextVectorRouteRTL{0%{-webkit-transform:rotate(0);-moz-transform:rotate(0);-ms-transform:rotate(0);-o-transform:rotate(0);transform:rotate(0)}5%{-webkit-transform:rotate(-90deg);-moz-transform:rotate(-90deg);-ms-transform:rotate(-90deg);-o-transform:rotate(-90deg);transform:rotate(-90deg)}25%{-webkit-transform:rotate(-90deg);-moz-transform:rotate(-90deg);-ms-transform:rotate(-90deg);-o-transform:rotate(-90deg);transform:rotate(-90deg)}30%{-webkit-transform:rotate(-180deg);-moz-transform:rotate(-180deg);-ms-transform:rotate(-180deg);-o-transform:rotate(-180deg);transform:rotate(-180deg)}50%{-webkit-transform:rotate(-180deg);-moz-transform:rotate(-180deg);-ms-transform:rotate(-180deg);-o-transform:rotate(-180deg);transform:rotate(-180deg)}55%{-webkit-transform:rotate(-270deg);-moz-transform:rotate(-270deg);-ms-transform:rotate(-270deg);-o-transform:rotate(-270deg);transform:rotate(-270deg)}75%{-webkit-transform:rotate(-270deg);-moz-transform:rotate(-270deg);-ms-transform:rotate(-270deg);-o-transform:rotate(-270deg);transform:rotate(-270deg)}80%{-webkit-transform:rotate(-360deg);-moz-transform:rotate(-360deg);-ms-transform:rotate(-360deg);-o-transform:rotate(-360deg);transform:rotate(-360deg)}100%{-webkit-transform:rotate(-360deg);-moz-transform:rotate(-360deg);-ms-transform:rotate(-360deg);-o-transform:rotate(-360deg);transform:rotate(-360deg)}}@-o-keyframes nextVectorRouteRTL{0%{-webkit-transform:rotate(0);-moz-transform:rotate(0);-ms-transform:rotate(0);-o-transform:rotate(0);transform:rotate(0)}5%{-webkit-transform:rotate(-90deg);-moz-transform:rotate(-90deg);-ms-transform:rotate(-90deg);-o-transform:rotate(-90deg);transform:rotate(-90deg)}25%{-webkit-transform:rotate(-90deg);-moz-transform:rotate(-90deg);-ms-transform:rotate(-90deg);-o-transform:rotate(-90deg);transform:rotate(-90deg)}30%{-webkit-transform:rotate(-180deg);-moz-transform:rotate(-180deg);-ms-transform:rotate(-180deg);-o-transform:rotate(-180deg);transform:rotate(-180deg)}50%{-webkit-transform:rotate(-180deg);-moz-transform:rotate(-180deg);-ms-transform:rotate(-180deg);-o-transform:rotate(-180deg);transform:rotate(-180deg)}55%{-webkit-transform:rotate(-270deg);-moz-transform:rotate(-270deg);-ms-transform:rotate(-270deg);-o-transform:rotate(-270deg);transform:rotate(-270deg)}75%{-webkit-transform:rotate(-270deg);-moz-transform:rotate(-270deg);-ms-transform:rotate(-270deg);-o-transform:rotate(-270deg);transform:rotate(-270deg)}80%{-webkit-transform:rotate(-360deg);-moz-transform:rotate(-360deg);-ms-transform:rotate(-360deg);-o-transform:rotate(-360deg);transform:rotate(-360deg)}100%{-webkit-transform:rotate(-360deg);-moz-transform:rotate(-360deg);-ms-transform:rotate(-360deg);-o-transform:rotate(-360deg);transform:rotate(-360deg)}}@keyframes nextVectorRouteRTL{0%{-webkit-transform:rotate(0);-moz-transform:rotate(0);-ms-transform:rotate(0);-o-transform:rotate(0);transform:rotate(0)}5%{-webkit-transform:rotate(-90deg);-moz-transform:rotate(-90deg);-ms-transform:rotate(-90deg);-o-transform:rotate(-90deg);transform:rotate(-90deg)}25%{-webkit-transform:rotate(-90deg);-moz-transform:rotate(-90deg);-ms-transform:rotate(-90deg);-o-transform:rotate(-90deg);transform:rotate(-90deg)}30%{-webkit-transform:rotate(-180deg);-moz-transform:rotate(-180deg);-ms-transform:rotate(-180deg);-o-transform:rotate(-180deg);transform:rotate(-180deg)}50%{-webkit-transform:rotate(-180deg);-moz-transform:rotate(-180deg);-ms-transform:rotate(-180deg);-o-transform:rotate(-180deg);transform:rotate(-180deg)}55%{-webkit-transform:rotate(-270deg);-moz-transform:rotate(-270deg);-ms-transform:rotate(-270deg);-o-transform:rotate(-270deg);transform:rotate(-270deg)}75%{-webkit-transform:rotate(-270deg);-moz-transform:rotate(-270deg);-ms-transform:rotate(-270deg);-o-transform:rotate(-270deg);transform:rotate(-270deg)}80%{-webkit-transform:rotate(-360deg);-moz-transform:rotate(-360deg);-ms-transform:rotate(-360deg);-o-transform:rotate(-360deg);transform:rotate(-360deg)}100%{-webkit-transform:rotate(-360deg);-moz-transform:rotate(-360deg);-ms-transform:rotate(-360deg);-o-transform:rotate(-360deg);transform:rotate(-360deg)}}.next-loading{position:relative}.next-loading.next-open{pointer-events:none}.next-loading .next-loading-component{opacity:.7;-webkit-filter:blur(1px);filter:blur(1px);position:relative;pointer-events:none}.next-loading-masker{position:absolute;top:0;bottom:0;left:0;right:0;z-index:99;opacity:.2;background:#fff}.next-loading-inline{display:inline-block}.next-loading-tip{display:block;position:absolute;top:50%;left:50%;z-index:4;transform:translate(-50%,-50%);text-align:center}.next-loading-tip-fullscreen{top:inherit;left:inherit;transform:inherit}.next-loading-tip-placeholder{display:none}.next-loading-right-tip .next-loading-indicator{display:inline-block}.next-loading-right-tip .next-loading-tip-content{position:absolute;display:block;top:50%;right:0;transform:translate(0,-50%)}.next-loading-right-tip .next-loading-tip-placeholder{display:inline-block;visibility:hidden;margin-left:1em}.next-loading-fusion-reactor{display:inline-block;width:48px;width:var(--loading-large-size,48px);height:48px;height:var(--loading-large-size,48px);position:relative;margin:0;-webkit-animation-duration:5.6s;-webkit-animation-duration:var(--loading-fusion-vector-seconds,5.6s);-moz-animation-duration:5.6s;-moz-animation-duration:var(--loading-fusion-vector-seconds,5.6s);-ms-animation-duration:5.6s;-ms-animation-duration:var(--loading-fusion-vector-seconds,5.6s);-o-animation-duration:5.6s;-o-animation-duration:var(--loading-fusion-vector-seconds,5.6s);animation-duration:5.6s;animation-duration:var(--loading-fusion-vector-seconds,5.6s);-webkit-animation-iteration-count:infinite;-moz-animation-iteration-count:infinite;-ms-animation-iteration-count:infinite;-o-animation-iteration-count:infinite;animation-iteration-count:infinite;-webkit-animation-timing-function:linear;-moz-animation-timing-function:linear;-ms-animation-timing-function:linear;-o-animation-timing-function:linear;animation-timing-function:linear;-webkit-animation-name:nextVectorRoute;-moz-animation-name:nextVectorRoute;-ms-animation-name:nextVectorRoute;-o-animation-name:nextVectorRoute;animation-name:nextVectorRoute}.next-loading-fusion-reactor .next-loading-dot{position:absolute;margin:auto;width:12px;width:var(--loading-large-dot-size,12px);height:12px;height:var(--loading-large-dot-size,12px);border-radius:50%;background:#5584ff;background:var(--loading-dot-color,#5584ff);-webkit-animation-timing-function:ease-in-out;-moz-animation-timing-function:ease-in-out;-ms-animation-timing-function:ease-in-out;-o-animation-timing-function:ease-in-out;animation-timing-function:ease-in-out;-webkit-animation-iteration-count:infinite;-moz-animation-iteration-count:infinite;-ms-animation-iteration-count:infinite;-o-animation-iteration-count:infinite;animation-iteration-count:infinite;-webkit-animation-duration:1.4s;-webkit-animation-duration:var(--loading-fusion-vector-dot-seconds,1.4s);-moz-animation-duration:1.4s;-moz-animation-duration:var(--loading-fusion-vector-dot-seconds,1.4s);-ms-animation-duration:1.4s;-ms-animation-duration:var(--loading-fusion-vector-dot-seconds,1.4s);-o-animation-duration:1.4s;-o-animation-duration:var(--loading-fusion-vector-dot-seconds,1.4s);animation-duration:1.4s;animation-duration:var(--loading-fusion-vector-dot-seconds,1.4s)}.next-loading-fusion-reactor .next-loading-dot:nth-child(1){top:0;bottom:0;left:0;-webkit-animation-name:nextVectorDotsX;-moz-animation-name:nextVectorDotsX;-ms-animation-name:nextVectorDotsX;-o-animation-name:nextVectorDotsX;animation-name:nextVectorDotsX}.next-loading-fusion-reactor .next-loading-dot:nth-child(2){left:0;right:0;top:0;opacity:.8;-webkit-animation-name:nextVectorDotsY;-moz-animation-name:nextVectorDotsY;-ms-animation-name:nextVectorDotsY;-o-animation-name:nextVectorDotsY;animation-name:nextVectorDotsY}.next-loading-fusion-reactor .next-loading-dot:nth-child(3){top:0;bottom:0;right:0;opacity:.6;-webkit-animation-name:nextVectorDotsXR;-moz-animation-name:nextVectorDotsXR;-ms-animation-name:nextVectorDotsXR;-o-animation-name:nextVectorDotsXR;animation-name:nextVectorDotsXR}.next-loading-fusion-reactor .next-loading-dot:nth-child(4){left:0;right:0;bottom:0;opacity:.2;-webkit-animation-name:nextVectorDotsYR;-moz-animation-name:nextVectorDotsYR;-ms-animation-name:nextVectorDotsYR;-o-animation-name:nextVectorDotsYR;animation-name:nextVectorDotsYR}.next-loading-medium-fusion-reactor{width:32px;width:var(--loading-medium-size,32px);height:32px;height:var(--loading-medium-size,32px)}.next-loading-medium-fusion-reactor .next-loading-dot{width:8px;width:var(--loading-medium-dot-size,8px);height:8px;height:var(--loading-medium-dot-size,8px)}.next-loading-medium-fusion-reactor .next-loading-dot:nth-child(1){-webkit-animation-name:nextVectorDotsX-medium;-moz-animation-name:nextVectorDotsX-medium;-ms-animation-name:nextVectorDotsX-medium;-o-animation-name:nextVectorDotsX-medium;animation-name:nextVectorDotsX-medium}.next-loading-medium-fusion-reactor .next-loading-dot:nth-child(2){-webkit-animation-name:nextVectorDotsY-medium;-moz-animation-name:nextVectorDotsY-medium;-ms-animation-name:nextVectorDotsY-medium;-o-animation-name:nextVectorDotsY-medium;animation-name:nextVectorDotsY-medium}.next-loading-medium-fusion-reactor .next-loading-dot:nth-child(3){-webkit-animation-name:nextVectorDotsXR-medium;-moz-animation-name:nextVectorDotsXR-medium;-ms-animation-name:nextVectorDotsXR-medium;-o-animation-name:nextVectorDotsXR-medium;animation-name:nextVectorDotsXR-medium}.next-loading-medium-fusion-reactor .next-loading-dot:nth-child(4){-webkit-animation-name:nextVectorDotsYR-medium;-moz-animation-name:nextVectorDotsYR-medium;-ms-animation-name:nextVectorDotsYR-medium;-o-animation-name:nextVectorDotsYR-medium;animation-name:nextVectorDotsYR-medium}@-webkit-keyframes nextVectorRoute{0%{-webkit-transform:rotate(0);-moz-transform:rotate(0);-ms-transform:rotate(0);-o-transform:rotate(0);transform:rotate(0)}5%{-webkit-transform:rotate(90deg);-moz-transform:rotate(90deg);-ms-transform:rotate(90deg);-o-transform:rotate(90deg);transform:rotate(90deg)}25%{-webkit-transform:rotate(90deg);-moz-transform:rotate(90deg);-ms-transform:rotate(90deg);-o-transform:rotate(90deg);transform:rotate(90deg)}30%{-webkit-transform:rotate(180deg);-moz-transform:rotate(180deg);-ms-transform:rotate(180deg);-o-transform:rotate(180deg);transform:rotate(180deg)}50%{-webkit-transform:rotate(180deg);-moz-transform:rotate(180deg);-ms-transform:rotate(180deg);-o-transform:rotate(180deg);transform:rotate(180deg)}55%{-webkit-transform:rotate(270deg);-moz-transform:rotate(270deg);-ms-transform:rotate(270deg);-o-transform:rotate(270deg);transform:rotate(270deg)}75%{-webkit-transform:rotate(270deg);-moz-transform:rotate(270deg);-ms-transform:rotate(270deg);-o-transform:rotate(270deg);transform:rotate(270deg)}80%{-webkit-transform:rotate(360deg);-moz-transform:rotate(360deg);-ms-transform:rotate(360deg);-o-transform:rotate(360deg);transform:rotate(360deg)}100%{-webkit-transform:rotate(360deg);-moz-transform:rotate(360deg);-ms-transform:rotate(360deg);-o-transform:rotate(360deg);transform:rotate(360deg)}}@-moz-keyframes nextVectorRoute{0%{-webkit-transform:rotate(0);-moz-transform:rotate(0);-ms-transform:rotate(0);-o-transform:rotate(0);transform:rotate(0)}5%{-webkit-transform:rotate(90deg);-moz-transform:rotate(90deg);-ms-transform:rotate(90deg);-o-transform:rotate(90deg);transform:rotate(90deg)}25%{-webkit-transform:rotate(90deg);-moz-transform:rotate(90deg);-ms-transform:rotate(90deg);-o-transform:rotate(90deg);transform:rotate(90deg)}30%{-webkit-transform:rotate(180deg);-moz-transform:rotate(180deg);-ms-transform:rotate(180deg);-o-transform:rotate(180deg);transform:rotate(180deg)}50%{-webkit-transform:rotate(180deg);-moz-transform:rotate(180deg);-ms-transform:rotate(180deg);-o-transform:rotate(180deg);transform:rotate(180deg)}55%{-webkit-transform:rotate(270deg);-moz-transform:rotate(270deg);-ms-transform:rotate(270deg);-o-transform:rotate(270deg);transform:rotate(270deg)}75%{-webkit-transform:rotate(270deg);-moz-transform:rotate(270deg);-ms-transform:rotate(270deg);-o-transform:rotate(270deg);transform:rotate(270deg)}80%{-webkit-transform:rotate(360deg);-moz-transform:rotate(360deg);-ms-transform:rotate(360deg);-o-transform:rotate(360deg);transform:rotate(360deg)}100%{-webkit-transform:rotate(360deg);-moz-transform:rotate(360deg);-ms-transform:rotate(360deg);-o-transform:rotate(360deg);transform:rotate(360deg)}}@-ms-keyframes nextVectorRoute{0%{-webkit-transform:rotate(0);-moz-transform:rotate(0);-ms-transform:rotate(0);-o-transform:rotate(0);transform:rotate(0)}5%{-webkit-transform:rotate(90deg);-moz-transform:rotate(90deg);-ms-transform:rotate(90deg);-o-transform:rotate(90deg);transform:rotate(90deg)}25%{-webkit-transform:rotate(90deg);-moz-transform:rotate(90deg);-ms-transform:rotate(90deg);-o-transform:rotate(90deg);transform:rotate(90deg)}30%{-webkit-transform:rotate(180deg);-moz-transform:rotate(180deg);-ms-transform:rotate(180deg);-o-transform:rotate(180deg);transform:rotate(180deg)}50%{-webkit-transform:rotate(180deg);-moz-transform:rotate(180deg);-ms-transform:rotate(180deg);-o-transform:rotate(180deg);transform:rotate(180deg)}55%{-webkit-transform:rotate(270deg);-moz-transform:rotate(270deg);-ms-transform:rotate(270deg);-o-transform:rotate(270deg);transform:rotate(270deg)}75%{-webkit-transform:rotate(270deg);-moz-transform:rotate(270deg);-ms-transform:rotate(270deg);-o-transform:rotate(270deg);transform:rotate(270deg)}80%{-webkit-transform:rotate(360deg);-moz-transform:rotate(360deg);-ms-transform:rotate(360deg);-o-transform:rotate(360deg);transform:rotate(360deg)}100%{-webkit-transform:rotate(360deg);-moz-transform:rotate(360deg);-ms-transform:rotate(360deg);-o-transform:rotate(360deg);transform:rotate(360deg)}}@-o-keyframes nextVectorRoute{0%{-webkit-transform:rotate(0);-moz-transform:rotate(0);-ms-transform:rotate(0);-o-transform:rotate(0);transform:rotate(0)}5%{-webkit-transform:rotate(90deg);-moz-transform:rotate(90deg);-ms-transform:rotate(90deg);-o-transform:rotate(90deg);transform:rotate(90deg)}25%{-webkit-transform:rotate(90deg);-moz-transform:rotate(90deg);-ms-transform:rotate(90deg);-o-transform:rotate(90deg);transform:rotate(90deg)}30%{-webkit-transform:rotate(180deg);-moz-transform:rotate(180deg);-ms-transform:rotate(180deg);-o-transform:rotate(180deg);transform:rotate(180deg)}50%{-webkit-transform:rotate(180deg);-moz-transform:rotate(180deg);-ms-transform:rotate(180deg);-o-transform:rotate(180deg);transform:rotate(180deg)}55%{-webkit-transform:rotate(270deg);-moz-transform:rotate(270deg);-ms-transform:rotate(270deg);-o-transform:rotate(270deg);transform:rotate(270deg)}75%{-webkit-transform:rotate(270deg);-moz-transform:rotate(270deg);-ms-transform:rotate(270deg);-o-transform:rotate(270deg);transform:rotate(270deg)}80%{-webkit-transform:rotate(360deg);-moz-transform:rotate(360deg);-ms-transform:rotate(360deg);-o-transform:rotate(360deg);transform:rotate(360deg)}100%{-webkit-transform:rotate(360deg);-moz-transform:rotate(360deg);-ms-transform:rotate(360deg);-o-transform:rotate(360deg);transform:rotate(360deg)}}@keyframes nextVectorRoute{0%{-webkit-transform:rotate(0);-moz-transform:rotate(0);-ms-transform:rotate(0);-o-transform:rotate(0);transform:rotate(0)}5%{-webkit-transform:rotate(90deg);-moz-transform:rotate(90deg);-ms-transform:rotate(90deg);-o-transform:rotate(90deg);transform:rotate(90deg)}25%{-webkit-transform:rotate(90deg);-moz-transform:rotate(90deg);-ms-transform:rotate(90deg);-o-transform:rotate(90deg);transform:rotate(90deg)}30%{-webkit-transform:rotate(180deg);-moz-transform:rotate(180deg);-ms-transform:rotate(180deg);-o-transform:rotate(180deg);transform:rotate(180deg)}50%{-webkit-transform:rotate(180deg);-moz-transform:rotate(180deg);-ms-transform:rotate(180deg);-o-transform:rotate(180deg);transform:rotate(180deg)}55%{-webkit-transform:rotate(270deg);-moz-transform:rotate(270deg);-ms-transform:rotate(270deg);-o-transform:rotate(270deg);transform:rotate(270deg)}75%{-webkit-transform:rotate(270deg);-moz-transform:rotate(270deg);-ms-transform:rotate(270deg);-o-transform:rotate(270deg);transform:rotate(270deg)}80%{-webkit-transform:rotate(360deg);-moz-transform:rotate(360deg);-ms-transform:rotate(360deg);-o-transform:rotate(360deg);transform:rotate(360deg)}100%{-webkit-transform:rotate(360deg);-moz-transform:rotate(360deg);-ms-transform:rotate(360deg);-o-transform:rotate(360deg);transform:rotate(360deg)}}@-webkit-keyframes nextVectorDotsYR{25%{bottom:0}45%,50%{bottom:16.8px;bottom:calc(var(--loading-large-size,48px)/ 2 - var(--loading-large-dot-size,12px)*1.2/2);height:14.4px;height:calc(var(--loading-large-dot-size,12px)*1.2);width:14.4px;width:calc(var(--loading-large-dot-size,12px)*1.2)}90%{bottom:0;height:12px;height:var(--loading-large-dot-size,12px);width:12px;width:var(--loading-large-dot-size,12px)}}@-moz-keyframes nextVectorDotsYR{25%{bottom:0}45%,50%{bottom:16.8px;bottom:calc(var(--loading-large-size,48px)/ 2 - var(--loading-large-dot-size,12px)*1.2/2);height:14.4px;height:calc(var(--loading-large-dot-size,12px)*1.2);width:14.4px;width:calc(var(--loading-large-dot-size,12px)*1.2)}90%{bottom:0;height:12px;height:var(--loading-large-dot-size,12px);width:12px;width:var(--loading-large-dot-size,12px)}}@-ms-keyframes nextVectorDotsYR{25%{bottom:0}45%,50%{bottom:16.8px;bottom:calc(var(--loading-large-size,48px)/ 2 - var(--loading-large-dot-size,12px)*1.2/2);height:14.4px;height:calc(var(--loading-large-dot-size,12px)*1.2);width:14.4px;width:calc(var(--loading-large-dot-size,12px)*1.2)}90%{bottom:0;height:12px;height:var(--loading-large-dot-size,12px);width:12px;width:var(--loading-large-dot-size,12px)}}@-o-keyframes nextVectorDotsYR{25%{bottom:0}45%,50%{bottom:16.8px;bottom:calc(var(--loading-large-size,48px)/ 2 - var(--loading-large-dot-size,12px)*1.2/2);height:14.4px;height:calc(var(--loading-large-dot-size,12px)*1.2);width:14.4px;width:calc(var(--loading-large-dot-size,12px)*1.2)}90%{bottom:0;height:12px;height:var(--loading-large-dot-size,12px);width:12px;width:var(--loading-large-dot-size,12px)}}@keyframes nextVectorDotsYR{25%{bottom:0}45%,50%{bottom:16.8px;bottom:calc(var(--loading-large-size,48px)/ 2 - var(--loading-large-dot-size,12px)*1.2/2);height:14.4px;height:calc(var(--loading-large-dot-size,12px)*1.2);width:14.4px;width:calc(var(--loading-large-dot-size,12px)*1.2)}90%{bottom:0;height:12px;height:var(--loading-large-dot-size,12px);width:12px;width:var(--loading-large-dot-size,12px)}}@-webkit-keyframes nextVectorDotsY{25%{top:0}45%,50%{top:16.8px;top:calc(var(--loading-large-size,48px)/ 2 - var(--loading-large-dot-size,12px)*1.2/2);height:14.4px;height:calc(var(--loading-large-dot-size,12px)*1.2);width:14.4px;width:calc(var(--loading-large-dot-size,12px)*1.2)}90%{top:0;height:12px;height:var(--loading-large-dot-size,12px);width:12px;width:var(--loading-large-dot-size,12px)}}@-moz-keyframes nextVectorDotsY{25%{top:0}45%,50%{top:16.8px;top:calc(var(--loading-large-size,48px)/ 2 - var(--loading-large-dot-size,12px)*1.2/2);height:14.4px;height:calc(var(--loading-large-dot-size,12px)*1.2);width:14.4px;width:calc(var(--loading-large-dot-size,12px)*1.2)}90%{top:0;height:12px;height:var(--loading-large-dot-size,12px);width:12px;width:var(--loading-large-dot-size,12px)}}@-ms-keyframes nextVectorDotsY{25%{top:0}45%,50%{top:16.8px;top:calc(var(--loading-large-size,48px)/ 2 - var(--loading-large-dot-size,12px)*1.2/2);height:14.4px;height:calc(var(--loading-large-dot-size,12px)*1.2);width:14.4px;width:calc(var(--loading-large-dot-size,12px)*1.2)}90%{top:0;height:12px;height:var(--loading-large-dot-size,12px);width:12px;width:var(--loading-large-dot-size,12px)}}@-o-keyframes nextVectorDotsY{25%{top:0}45%,50%{top:16.8px;top:calc(var(--loading-large-size,48px)/ 2 - var(--loading-large-dot-size,12px)*1.2/2);height:14.4px;height:calc(var(--loading-large-dot-size,12px)*1.2);width:14.4px;width:calc(var(--loading-large-dot-size,12px)*1.2)}90%{top:0;height:12px;height:var(--loading-large-dot-size,12px);width:12px;width:var(--loading-large-dot-size,12px)}}@keyframes nextVectorDotsY{25%{top:0}45%,50%{top:16.8px;top:calc(var(--loading-large-size,48px)/ 2 - var(--loading-large-dot-size,12px)*1.2/2);height:14.4px;height:calc(var(--loading-large-dot-size,12px)*1.2);width:14.4px;width:calc(var(--loading-large-dot-size,12px)*1.2)}90%{top:0;height:12px;height:var(--loading-large-dot-size,12px);width:12px;width:var(--loading-large-dot-size,12px)}}@-webkit-keyframes nextVectorDotsX{25%{left:0}45%,50%{left:16.8px;left:calc(var(--loading-large-size,48px)/ 2 - var(--loading-large-dot-size,12px)*1.2/2);width:14.4px;width:calc(var(--loading-large-dot-size,12px)*1.2);height:14.4px;height:calc(var(--loading-large-dot-size,12px)*1.2)}90%{left:0;height:12px;height:var(--loading-large-dot-size,12px);width:12px;width:var(--loading-large-dot-size,12px)}}@-moz-keyframes nextVectorDotsX{25%{left:0}45%,50%{left:16.8px;left:calc(var(--loading-large-size,48px)/ 2 - var(--loading-large-dot-size,12px)*1.2/2);width:14.4px;width:calc(var(--loading-large-dot-size,12px)*1.2);height:14.4px;height:calc(var(--loading-large-dot-size,12px)*1.2)}90%{left:0;height:12px;height:var(--loading-large-dot-size,12px);width:12px;width:var(--loading-large-dot-size,12px)}}@-ms-keyframes nextVectorDotsX{25%{left:0}45%,50%{left:16.8px;left:calc(var(--loading-large-size,48px)/ 2 - var(--loading-large-dot-size,12px)*1.2/2);width:14.4px;width:calc(var(--loading-large-dot-size,12px)*1.2);height:14.4px;height:calc(var(--loading-large-dot-size,12px)*1.2)}90%{left:0;height:12px;height:var(--loading-large-dot-size,12px);width:12px;width:var(--loading-large-dot-size,12px)}}@-o-keyframes nextVectorDotsX{25%{left:0}45%,50%{left:16.8px;left:calc(var(--loading-large-size,48px)/ 2 - var(--loading-large-dot-size,12px)*1.2/2);width:14.4px;width:calc(var(--loading-large-dot-size,12px)*1.2);height:14.4px;height:calc(var(--loading-large-dot-size,12px)*1.2)}90%{left:0;height:12px;height:var(--loading-large-dot-size,12px);width:12px;width:var(--loading-large-dot-size,12px)}}@keyframes nextVectorDotsX{25%{left:0}45%,50%{left:16.8px;left:calc(var(--loading-large-size,48px)/ 2 - var(--loading-large-dot-size,12px)*1.2/2);width:14.4px;width:calc(var(--loading-large-dot-size,12px)*1.2);height:14.4px;height:calc(var(--loading-large-dot-size,12px)*1.2)}90%{left:0;height:12px;height:var(--loading-large-dot-size,12px);width:12px;width:var(--loading-large-dot-size,12px)}}@-webkit-keyframes nextVectorDotsXR{25%{right:0}45%,50%{right:16.8px;right:calc(var(--loading-large-size,48px)/ 2 - var(--loading-large-dot-size,12px)*1.2/2);width:14.4px;width:calc(var(--loading-large-dot-size,12px)*1.2);height:14.4px;height:calc(var(--loading-large-dot-size,12px)*1.2)}90%{right:0;height:12px;height:var(--loading-large-dot-size,12px);width:12px;width:var(--loading-large-dot-size,12px)}}@-moz-keyframes nextVectorDotsXR{25%{right:0}45%,50%{right:16.8px;right:calc(var(--loading-large-size,48px)/ 2 - var(--loading-large-dot-size,12px)*1.2/2);width:14.4px;width:calc(var(--loading-large-dot-size,12px)*1.2);height:14.4px;height:calc(var(--loading-large-dot-size,12px)*1.2)}90%{right:0;height:12px;height:var(--loading-large-dot-size,12px);width:12px;width:var(--loading-large-dot-size,12px)}}@-ms-keyframes nextVectorDotsXR{25%{right:0}45%,50%{right:16.8px;right:calc(var(--loading-large-size,48px)/ 2 - var(--loading-large-dot-size,12px)*1.2/2);width:14.4px;width:calc(var(--loading-large-dot-size,12px)*1.2);height:14.4px;height:calc(var(--loading-large-dot-size,12px)*1.2)}90%{right:0;height:12px;height:var(--loading-large-dot-size,12px);width:12px;width:var(--loading-large-dot-size,12px)}}@-o-keyframes nextVectorDotsXR{25%{right:0}45%,50%{right:16.8px;right:calc(var(--loading-large-size,48px)/ 2 - var(--loading-large-dot-size,12px)*1.2/2);width:14.4px;width:calc(var(--loading-large-dot-size,12px)*1.2);height:14.4px;height:calc(var(--loading-large-dot-size,12px)*1.2)}90%{right:0;height:12px;height:var(--loading-large-dot-size,12px);width:12px;width:var(--loading-large-dot-size,12px)}}@keyframes nextVectorDotsXR{25%{right:0}45%,50%{right:16.8px;right:calc(var(--loading-large-size,48px)/ 2 - var(--loading-large-dot-size,12px)*1.2/2);width:14.4px;width:calc(var(--loading-large-dot-size,12px)*1.2);height:14.4px;height:calc(var(--loading-large-dot-size,12px)*1.2)}90%{right:0;height:12px;height:var(--loading-large-dot-size,12px);width:12px;width:var(--loading-large-dot-size,12px)}}@-webkit-keyframes nextVectorDotsYR-medium{25%{bottom:0}45%,50%{bottom:11.2px;bottom:calc(var(--loading-medium-size,32px)/ 2 - var(--loading-medium-dot-size,8px)*1.2/2);height:9.6px;height:calc(var(--loading-medium-dot-size,8px)*1.2);width:9.6px;width:calc(var(--loading-medium-dot-size,8px)*1.2)}90%{bottom:0;height:8px;height:var(--loading-medium-dot-size,8px);width:8px;width:var(--loading-medium-dot-size,8px)}}@-moz-keyframes nextVectorDotsYR-medium{25%{bottom:0}45%,50%{bottom:11.2px;bottom:calc(var(--loading-medium-size,32px)/ 2 - var(--loading-medium-dot-size,8px)*1.2/2);height:9.6px;height:calc(var(--loading-medium-dot-size,8px)*1.2);width:9.6px;width:calc(var(--loading-medium-dot-size,8px)*1.2)}90%{bottom:0;height:8px;height:var(--loading-medium-dot-size,8px);width:8px;width:var(--loading-medium-dot-size,8px)}}@-ms-keyframes nextVectorDotsYR-medium{25%{bottom:0}45%,50%{bottom:11.2px;bottom:calc(var(--loading-medium-size,32px)/ 2 - var(--loading-medium-dot-size,8px)*1.2/2);height:9.6px;height:calc(var(--loading-medium-dot-size,8px)*1.2);width:9.6px;width:calc(var(--loading-medium-dot-size,8px)*1.2)}90%{bottom:0;height:8px;height:var(--loading-medium-dot-size,8px);width:8px;width:var(--loading-medium-dot-size,8px)}}@-o-keyframes nextVectorDotsYR-medium{25%{bottom:0}45%,50%{bottom:11.2px;bottom:calc(var(--loading-medium-size,32px)/ 2 - var(--loading-medium-dot-size,8px)*1.2/2);height:9.6px;height:calc(var(--loading-medium-dot-size,8px)*1.2);width:9.6px;width:calc(var(--loading-medium-dot-size,8px)*1.2)}90%{bottom:0;height:8px;height:var(--loading-medium-dot-size,8px);width:8px;width:var(--loading-medium-dot-size,8px)}}@keyframes nextVectorDotsYR-medium{25%{bottom:0}45%,50%{bottom:11.2px;bottom:calc(var(--loading-medium-size,32px)/ 2 - var(--loading-medium-dot-size,8px)*1.2/2);height:9.6px;height:calc(var(--loading-medium-dot-size,8px)*1.2);width:9.6px;width:calc(var(--loading-medium-dot-size,8px)*1.2)}90%{bottom:0;height:8px;height:var(--loading-medium-dot-size,8px);width:8px;width:var(--loading-medium-dot-size,8px)}}@-webkit-keyframes nextVectorDotsY-medium{25%{top:0}45%,50%{top:11.2px;top:calc(var(--loading-medium-size,32px)/ 2 - var(--loading-medium-dot-size,8px)*1.2/2);height:9.6px;height:calc(var(--loading-medium-dot-size,8px)*1.2);width:9.6px;width:calc(var(--loading-medium-dot-size,8px)*1.2)}90%{top:0;height:8px;height:var(--loading-medium-dot-size,8px);width:8px;width:var(--loading-medium-dot-size,8px)}}@-moz-keyframes nextVectorDotsY-medium{25%{top:0}45%,50%{top:11.2px;top:calc(var(--loading-medium-size,32px)/ 2 - var(--loading-medium-dot-size,8px)*1.2/2);height:9.6px;height:calc(var(--loading-medium-dot-size,8px)*1.2);width:9.6px;width:calc(var(--loading-medium-dot-size,8px)*1.2)}90%{top:0;height:8px;height:var(--loading-medium-dot-size,8px);width:8px;width:var(--loading-medium-dot-size,8px)}}@-ms-keyframes nextVectorDotsY-medium{25%{top:0}45%,50%{top:11.2px;top:calc(var(--loading-medium-size,32px)/ 2 - var(--loading-medium-dot-size,8px)*1.2/2);height:9.6px;height:calc(var(--loading-medium-dot-size,8px)*1.2);width:9.6px;width:calc(var(--loading-medium-dot-size,8px)*1.2)}90%{top:0;height:8px;height:var(--loading-medium-dot-size,8px);width:8px;width:var(--loading-medium-dot-size,8px)}}@-o-keyframes nextVectorDotsY-medium{25%{top:0}45%,50%{top:11.2px;top:calc(var(--loading-medium-size,32px)/ 2 - var(--loading-medium-dot-size,8px)*1.2/2);height:9.6px;height:calc(var(--loading-medium-dot-size,8px)*1.2);width:9.6px;width:calc(var(--loading-medium-dot-size,8px)*1.2)}90%{top:0;height:8px;height:var(--loading-medium-dot-size,8px);width:8px;width:var(--loading-medium-dot-size,8px)}}@keyframes nextVectorDotsY-medium{25%{top:0}45%,50%{top:11.2px;top:calc(var(--loading-medium-size,32px)/ 2 - var(--loading-medium-dot-size,8px)*1.2/2);height:9.6px;height:calc(var(--loading-medium-dot-size,8px)*1.2);width:9.6px;width:calc(var(--loading-medium-dot-size,8px)*1.2)}90%{top:0;height:8px;height:var(--loading-medium-dot-size,8px);width:8px;width:var(--loading-medium-dot-size,8px)}}@-webkit-keyframes nextVectorDotsX-medium{25%{left:0}45%,50%{left:11.2px;left:calc(var(--loading-medium-size,32px)/ 2 - var(--loading-medium-dot-size,8px)*1.2/2);width:9.6px;width:calc(var(--loading-medium-dot-size,8px)*1.2);height:9.6px;height:calc(var(--loading-medium-dot-size,8px)*1.2)}90%{left:0;height:8px;height:var(--loading-medium-dot-size,8px);width:8px;width:var(--loading-medium-dot-size,8px)}}@-moz-keyframes nextVectorDotsX-medium{25%{left:0}45%,50%{left:11.2px;left:calc(var(--loading-medium-size,32px)/ 2 - var(--loading-medium-dot-size,8px)*1.2/2);width:9.6px;width:calc(var(--loading-medium-dot-size,8px)*1.2);height:9.6px;height:calc(var(--loading-medium-dot-size,8px)*1.2)}90%{left:0;height:8px;height:var(--loading-medium-dot-size,8px);width:8px;width:var(--loading-medium-dot-size,8px)}}@-ms-keyframes nextVectorDotsX-medium{25%{left:0}45%,50%{left:11.2px;left:calc(var(--loading-medium-size,32px)/ 2 - var(--loading-medium-dot-size,8px)*1.2/2);width:9.6px;width:calc(var(--loading-medium-dot-size,8px)*1.2);height:9.6px;height:calc(var(--loading-medium-dot-size,8px)*1.2)}90%{left:0;height:8px;height:var(--loading-medium-dot-size,8px);width:8px;width:var(--loading-medium-dot-size,8px)}}@-o-keyframes nextVectorDotsX-medium{25%{left:0}45%,50%{left:11.2px;left:calc(var(--loading-medium-size,32px)/ 2 - var(--loading-medium-dot-size,8px)*1.2/2);width:9.6px;width:calc(var(--loading-medium-dot-size,8px)*1.2);height:9.6px;height:calc(var(--loading-medium-dot-size,8px)*1.2)}90%{left:0;height:8px;height:var(--loading-medium-dot-size,8px);width:8px;width:var(--loading-medium-dot-size,8px)}}@keyframes nextVectorDotsX-medium{25%{left:0}45%,50%{left:11.2px;left:calc(var(--loading-medium-size,32px)/ 2 - var(--loading-medium-dot-size,8px)*1.2/2);width:9.6px;width:calc(var(--loading-medium-dot-size,8px)*1.2);height:9.6px;height:calc(var(--loading-medium-dot-size,8px)*1.2)}90%{left:0;height:8px;height:var(--loading-medium-dot-size,8px);width:8px;width:var(--loading-medium-dot-size,8px)}}@-webkit-keyframes nextVectorDotsXR-medium{25%{right:0}45%,50%{right:11.2px;right:calc(var(--loading-medium-size,32px)/ 2 - var(--loading-medium-dot-size,8px)*1.2/2);width:9.6px;width:calc(var(--loading-medium-dot-size,8px)*1.2);height:9.6px;height:calc(var(--loading-medium-dot-size,8px)*1.2)}90%{right:0;height:8px;height:var(--loading-medium-dot-size,8px);width:8px;width:var(--loading-medium-dot-size,8px)}}@-moz-keyframes nextVectorDotsXR-medium{25%{right:0}45%,50%{right:11.2px;right:calc(var(--loading-medium-size,32px)/ 2 - var(--loading-medium-dot-size,8px)*1.2/2);width:9.6px;width:calc(var(--loading-medium-dot-size,8px)*1.2);height:9.6px;height:calc(var(--loading-medium-dot-size,8px)*1.2)}90%{right:0;height:8px;height:var(--loading-medium-dot-size,8px);width:8px;width:var(--loading-medium-dot-size,8px)}}@-ms-keyframes nextVectorDotsXR-medium{25%{right:0}45%,50%{right:11.2px;right:calc(var(--loading-medium-size,32px)/ 2 - var(--loading-medium-dot-size,8px)*1.2/2);width:9.6px;width:calc(var(--loading-medium-dot-size,8px)*1.2);height:9.6px;height:calc(var(--loading-medium-dot-size,8px)*1.2)}90%{right:0;height:8px;height:var(--loading-medium-dot-size,8px);width:8px;width:var(--loading-medium-dot-size,8px)}}@-o-keyframes nextVectorDotsXR-medium{25%{right:0}45%,50%{right:11.2px;right:calc(var(--loading-medium-size,32px)/ 2 - var(--loading-medium-dot-size,8px)*1.2/2);width:9.6px;width:calc(var(--loading-medium-dot-size,8px)*1.2);height:9.6px;height:calc(var(--loading-medium-dot-size,8px)*1.2)}90%{right:0;height:8px;height:var(--loading-medium-dot-size,8px);width:8px;width:var(--loading-medium-dot-size,8px)}}@keyframes nextVectorDotsXR-medium{25%{right:0}45%,50%{right:11.2px;right:calc(var(--loading-medium-size,32px)/ 2 - var(--loading-medium-dot-size,8px)*1.2/2);width:9.6px;width:calc(var(--loading-medium-dot-size,8px)*1.2);height:9.6px;height:calc(var(--loading-medium-dot-size,8px)*1.2)}90%{right:0;height:8px;height:var(--loading-medium-dot-size,8px);width:8px;width:var(--loading-medium-dot-size,8px)}}.next-sr-only{position:absolute;width:1px;height:1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);white-space:nowrap;border:0;top:0;margin:-1px}.next-menu[dir=rtl] .next-menu-item-helper{float:left}.next-menu[dir=rtl] .next-menu-item .next-checkbox,.next-menu[dir=rtl] .next-menu-item .next-radio{margin-left:4px;margin-left:var(--menu-icon-margin,4px);margin-right:0}.next-menu[dir=rtl] .next-menu-hoz-right{float:left}.next-menu[dir=rtl] .next-menu-icon-arrow.next-icon{left:10px;right:auto}.next-menu[dir=rtl] .next-menu-hoz-icon-arrow.next-icon{left:6px;right:auto}.next-menu[dir=rtl] .next-menu-icon-selected.next-icon{margin-left:0;margin-right:-16px;margin-right:calc(0px - var(--menu-padding-horizontal,20px)/ 2 - var(--menu-icon-selected-size,12px)/ 2)}.next-menu[dir=rtl] .next-menu-icon-selected.next-icon .next-icon-remote,.next-menu[dir=rtl] .next-menu-icon-selected.next-icon:before{width:12px;width:var(--menu-icon-selected-size,12px);font-size:12px;font-size:var(--menu-icon-selected-size,12px);line-height:inherit}.next-menu[dir=rtl] .next-menu-icon-selected.next-icon.next-menu-icon-right{right:auto;left:4px;left:var(--menu-icon-selected-right,4px)}.next-menu[dir=rtl] .next-menu-icon-arrow.next-icon{left:10px;right:auto}.next-menu{box-sizing:border-box;position:relative;min-width:100px;min-width:var(--s-25,100px);margin:0;list-style:none;border:1px solid #dcdee3;border:var(--popup-local-border-width,1px) var(--popup-local-border-style,solid) var(--popup-local-border-color,#dcdee3);border-radius:3px;border-radius:var(--popup-local-corner,3px);box-shadow:none;box-shadow:var(--popup-local-shadow,none);background:#fff;background:var(--menu-background,#fff);line-height:32px;line-height:var(--menu-line-height,32px);font-size:12px;font-size:var(--menu-font-size,12px);animation-duration:.3s;animation-duration:var(--motion-duration-standard,300ms);animation-timing-function:ease;animation-timing-function:var(--motion-ease,ease)}.next-menu *,.next-menu :after,.next-menu :before{box-sizing:border-box}.next-menu :focus,.next-menu:focus{outline:0}.next-menu-spacing-lr{padding:0 4px;padding:0 var(--popup-spacing-lr,4px)}.next-menu-spacing-lr.next-menu-outside>.next-menu{height:100%;overflow-y:auto}.next-menu-spacing-tb{padding:4px 0;padding:var(--popup-spacing-tb,4px) 0}.next-menu.next-ver{padding:8px 0;padding:var(--menu-padding-ver-padding-tb,8px) var(--menu-padding-ver-padding-lr,0)}.next-menu.next-ver .next-menu-item{padding:0 20px 0 20px;padding:0 var(--menu-item-padding-ver-padding-r,20px) 0 var(--menu-item-padding-ver-padding-l,20px)}.next-menu.next-hoz{padding:8px 0;padding:var(--menu-padding-hoz-padding-tb,8px) var(--menu-padding-hoz-padding-lr,0)}.next-menu.next-hoz .next-menu-item{padding:0 20px;padding:0 var(--menu-item-padding-hoz-padding-lr,20px)}.next-menu-embeddable,.next-menu-embeddable .next-menu-item.next-disabled,.next-menu-embeddable .next-menu-item.next-disabled .next-menu-item-text>a{background:0 0;border:none}.next-menu-embeddable{box-shadow:none}.next-menu-embeddable .next-menu-item-inner{height:100%}.next-menu-content{position:relative;padding:0;margin:0;list-style:none}.next-menu-sub-menu{padding:0;margin:0;list-style:none}.next-menu-sub-menu.next-expand-enter{overflow:hidden}.next-menu-sub-menu.next-expand-enter-active{transition:height .3s ease;transition:height var(--motion-duration-standard,300ms) var(--motion-ease,ease)}.next-menu-sub-menu.next-expand-leave{overflow:hidden}.next-menu-sub-menu.next-expand-leave-active{transition:height .3s ease;transition:height var(--motion-duration-standard,300ms) var(--motion-ease,ease)}.next-menu-item{position:relative;transition:background .1s linear;transition:background var(--motion-duration-immediately,100ms) var(--motion-linear,linear);color:#333;color:var(--menu-color,#333);cursor:pointer}.next-menu-item-helper{float:right;color:#999;color:var(--color-text1-2,#999);font-style:normal;font-size:12px;font-size:var(--menu-font-size,12px)}.next-menu-item .next-checkbox,.next-menu-item .next-radio{margin-right:4px;margin-right:var(--menu-icon-margin,4px)}.next-menu-item.next-selected{color:#333;color:var(--menu-color-selected,#333);background-color:#fff;background-color:var(--menu-background-selected,#fff)}.next-menu-item.next-selected .next-menu-icon-arrow{color:#666;color:var(--menu-arrow-color,#666)}.next-menu-item.next-selected .next-menu-icon-selected{color:#5584ff;color:var(--menu-icon-selected-color,#5584ff)}.next-menu-item.next-disabled,.next-menu-item.next-disabled .next-menu-item-text>a{color:#ccc;color:var(--menu-color-disabled,#ccc);background-color:#fff;background-color:var(--menu-background,#fff);cursor:not-allowed}.next-menu-item.next-disabled .next-menu-icon-arrow,.next-menu-item.next-disabled .next-menu-item-text>a .next-menu-icon-arrow{color:#ccc;color:var(--menu-color-disabled,#ccc)}.next-menu-item.next-disabled .next-menu-icon-selected,.next-menu-item.next-disabled .next-menu-item-text>a .next-menu-icon-selected{color:#ccc;color:var(--menu-color-disabled,#ccc)}.next-menu-item:not(.next-disabled).next-focused,.next-menu-item:not(.next-disabled).next-selected.next-focused,.next-menu-item:not(.next-disabled).next-selected.next-focused:hover,.next-menu-item:not(.next-disabled).next-selected:focus,.next-menu-item:not(.next-disabled).next-selected:focus:hover,.next-menu-item:not(.next-disabled).next-selected:hover,.next-menu-item:not(.next-disabled):hover{color:#333;color:var(--menu-color-hover,#333);background-color:#f2f3f7;background-color:var(--menu-background-hover,#f2f3f7)}.next-menu-item:not(.next-disabled).next-focused .next-menu-icon-arrow,.next-menu-item:not(.next-disabled).next-selected.next-focused .next-menu-icon-arrow,.next-menu-item:not(.next-disabled).next-selected.next-focused:hover .next-menu-icon-arrow,.next-menu-item:not(.next-disabled).next-selected:focus .next-menu-icon-arrow,.next-menu-item:not(.next-disabled).next-selected:focus:hover .next-menu-icon-arrow,.next-menu-item:not(.next-disabled).next-selected:hover .next-menu-icon-arrow,.next-menu-item:not(.next-disabled):hover .next-menu-icon-arrow{color:#333;color:var(--menu-arrow-color-hover,#333)}.next-menu-item:not(.next-disabled).next-focused .next-menu-icon-selected,.next-menu-item:not(.next-disabled).next-selected.next-focused .next-menu-icon-selected,.next-menu-item:not(.next-disabled).next-selected.next-focused:hover .next-menu-icon-selected,.next-menu-item:not(.next-disabled).next-selected:focus .next-menu-icon-selected,.next-menu-item:not(.next-disabled).next-selected:focus:hover .next-menu-icon-selected,.next-menu-item:not(.next-disabled).next-selected:hover .next-menu-icon-selected,.next-menu-item:not(.next-disabled):hover .next-menu-icon-selected{color:#5584ff;color:var(--menu-icon-selected-hover-color,#5584ff)}.next-menu-item-inner{height:32px;height:var(--menu-line-height,32px);font-size:12px;font-size:var(--menu-font-size,12px);overflow:hidden;text-overflow:ellipsis;white-space:nowrap;word-wrap:normal}.next-menu-item .next-menu-item-text{vertical-align:middle}.next-menu-item .next-menu-item-text>a{display:inline-block;text-decoration:none;color:#333;color:var(--menu-color,#333)}.next-menu-item .next-menu-item-text>a::before{position:absolute;background-color:transparent;top:0;left:0;bottom:0;right:0;content:''}.next-menu.next-hoz{padding:0}.next-menu.next-hoz.next-menu-nowrap{overflow:hidden;white-space:nowrap}.next-menu.next-hoz.next-menu-nowrap .next-menu-more{text-align:center}.next-menu.next-hoz .next-menu-content>.next-menu-item,.next-menu.next-hoz>.next-menu-item,.next-menu.next-hoz>.next-menu-sub-menu-wrapper{display:inline-block;vertical-align:top}.next-menu.next-hoz .next-menu-content,.next-menu.next-hoz .next-menu-footer,.next-menu.next-hoz .next-menu-header{display:inline-block}.next-menu-hoz-right{float:right}.next-menu-group-label{padding:0 12px;padding:0 var(--menu-padding-title-horizontal,12px);color:#999;color:var(--color-text1-2,#999)}.next-menu-divider{margin:8px 12px;margin:var(--menu-divider-margin-ver,8px) var(--menu-divider-margin-hoz,12px);border-bottom:1px solid #e6e7eb;border-bottom:var(--menu-divider-width,1px) var(--menu-divider-style,solid) var(--menu-divider-color,#e6e7eb)}.next-menu .next-menu-icon-selected.next-icon{position:absolute;top:0;margin-left:-16px;margin-left:calc(0px - var(--menu-item-padding-ver-padding-l,20px) + var(--menu-icon-selected-right,4px))}.next-menu .next-menu-icon-selected.next-icon .next-icon-remote,.next-menu .next-menu-icon-selected.next-icon:before{width:12px;width:var(--menu-icon-selected-size,12px);font-size:12px;font-size:var(--menu-icon-selected-size,12px);line-height:inherit}.next-menu .next-menu-icon-selected.next-icon.next-menu-icon-right{right:4px;right:var(--menu-icon-selected-right,4px)}.next-menu .next-menu-symbol-icon-selected.next-menu-icon-selected::before{content:"\E632";content:var(--menu-select-icon-content, "\E632")}.next-menu .next-menu-icon-arrow.next-icon{position:absolute;top:0;right:10px;color:#666;color:var(--menu-arrow-color,#666);transition:all .1s linear;transition:all var(--motion-duration-immediately,100ms) var(--motion-linear,linear)}.next-menu .next-menu-icon-arrow.next-icon .next-icon-remote,.next-menu .next-menu-icon-arrow.next-icon:before{width:8px;width:var(--menu-icon-size,8px);font-size:8px;font-size:var(--menu-icon-size,8px);line-height:inherit}@media all and (-webkit-min-device-pixel-ratio:0) and (min-resolution:0.001dpcm){.next-menu .next-menu-icon-arrow.next-icon{transform:scale(.5);margin-left:-4px;margin-left:calc(0px - var(--icon-s,16px)/ 2 + var(--menu-icon-size,8px)/ 2);margin-right:-4px;margin-right:calc(0px - var(--icon-s,16px)/ 2 + var(--menu-icon-size,8px)/ 2)}.next-menu .next-menu-icon-arrow.next-icon:before{width:16px;width:var(--icon-s,16px);font-size:16px;font-size:var(--icon-s,16px)}}.next-menu .next-menu-icon-arrow-down::before{content:"\E63D";content:var(--menu-fold-icon-content, "\E63D")}.next-menu .next-menu-icon-arrow-down.next-open{transform:rotate(180deg)}.next-menu .next-menu-icon-arrow-down.next-open .next-icon-remote,.next-menu .next-menu-icon-arrow-down.next-open:before{width:8px;width:var(--menu-icon-size,8px);font-size:8px;font-size:var(--menu-icon-size,8px);line-height:inherit}@media all and (-webkit-min-device-pixel-ratio:0) and (min-resolution:0.001dpcm){.next-menu .next-menu-icon-arrow-down.next-open{transform:scale(.5) rotate(180deg);margin-left:-4px;margin-left:calc(0px - var(--icon-s,16px)/ 2 + var(--menu-icon-size,8px)/ 2);margin-right:-4px;margin-right:calc(0px - var(--icon-s,16px)/ 2 + var(--menu-icon-size,8px)/ 2)}.next-menu .next-menu-icon-arrow-down.next-open:before{width:16px;width:var(--icon-s,16px);font-size:16px;font-size:var(--icon-s,16px)}}.next-menu .next-menu-symbol-popupfold::before{content:"\E619";content:var(--menu-popupfold-icon-content, "\E619")}.next-menu .next-menu-icon-arrow-right.next-open{transform:rotate(-90deg)}.next-menu .next-menu-icon-arrow-right.next-open .next-icon-remote,.next-menu .next-menu-icon-arrow-right.next-open:before{width:8px;width:var(--menu-icon-size,8px);font-size:8px;font-size:var(--menu-icon-size,8px);line-height:inherit}@media all and (-webkit-min-device-pixel-ratio:0) and (min-resolution:0.001dpcm){.next-menu .next-menu-icon-arrow-right.next-open{transform:scale(.5) rotate(-90deg);margin-left:-4px;margin-left:calc(0px - var(--icon-s,16px)/ 2 + var(--menu-icon-size,8px)/ 2);margin-right:-4px;margin-right:calc(0px - var(--icon-s,16px)/ 2 + var(--menu-icon-size,8px)/ 2)}.next-menu .next-menu-icon-arrow-right.next-open:before{width:16px;width:var(--icon-s,16px);font-size:16px;font-size:var(--icon-s,16px)}}.next-menu .next-menu-hoz-icon-arrow.next-icon{position:absolute;top:0;right:6px;color:#666;color:var(--menu-arrow-color,#666);transition:all .1s linear;transition:all var(--motion-duration-immediately,100ms) var(--motion-linear,linear)}.next-menu .next-menu-hoz-icon-arrow.next-icon .next-icon-remote,.next-menu .next-menu-hoz-icon-arrow.next-icon:before{width:12px;width:var(--menu-hoz-icon-size,12px);font-size:12px;font-size:var(--menu-hoz-icon-size,12px);line-height:inherit}.next-menu .next-menu-hoz-icon-arrow.next-icon::before{content:"\E63D";content:var(--menu-fold-icon-content, "\E63D")}.next-menu-unfold-icon::before{content:"";content:var(--menu-unfold-icon-content, "")}.next-menu .next-menu-hoz-icon-arrow.next-open{transform:rotate(180deg)}.next-menu .next-menu-hoz-icon-arrow.next-open .next-icon-remote,.next-menu .next-menu-hoz-icon-arrow.next-open:before{width:12px;width:var(--menu-hoz-icon-size,12px);font-size:12px;font-size:var(--menu-hoz-icon-size,12px);line-height:inherit}.next-menu.next-context{line-height:24px;line-height:var(--s-6,24px)}.next-menu.next-context .next-menu-item-inner{height:24px;height:var(--s-6,24px)}.next-sr-only{position:absolute;width:1px;height:1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);white-space:nowrap;border:0;top:0;margin:-1px}.next-menu-btn{display:inline-block;box-shadow:none}.next-menu-btn .next-icon{transition:transform .1s linear;transition:transform var(--motion-duration-immediately,100ms) var(--motion-linear,linear)}.next-menu-btn .next-menu-btn-arrow::before{content:"\E63D";content:var(--menu-btn-fold-icon-content, "\E63D")}.next-menu-btn.next-expand .next-menu-btn-arrow{transform:rotate(180deg)}.next-menu-btn-symbol-unfold::before{content:"";content:var(--menu-btn-unfold-icon-content, "")}.next-menu-btn.next-btn-normal .next-menu-btn-arrow{color:#999;color:var(--menu-btn-pure-text-normal-icon-color,#999)}.next-menu-btn.next-btn-secondary .next-menu-btn-arrow{color:#5584ff;color:var(--menu-btn-pure-text-secondary-icon-color,#5584ff)}.next-menu-btn.next-btn-primary .next-menu-btn-arrow{color:#fff;color:var(--menu-btn-pure-text-primary-icon-color,#fff)}.next-menu-btn.next-btn-text.next-btn-normal .next-menu-btn-arrow{color:#333;color:var(--menu-btn-text-text-normal-icon-color,#333)}.next-menu-btn.next-btn-text.next-btn-primary .next-menu-btn-arrow{color:#5584ff;color:var(--menu-btn-text-text-primary-icon-color,#5584ff)}.next-menu-btn.next-btn-ghost.next-btn-light .next-menu-btn-arrow{color:#333;color:var(--menu-btn-ghost-light-icon-color,#333)}.next-menu-btn.next-btn-ghost.next-btn-dark .next-menu-btn-arrow{color:#fff;color:var(--menu-btn-ghost-dark-icon-color,#fff)}.next-menu-btn.disabled .next-menu-btn-arrow,.next-menu-btn[disabled] .next-menu-btn-arrow{color:#ccc;color:var(--menu-btn-disabled-icon-color,#ccc)}.next-menu-btn.next-btn-text.disabled .next-menu-btn-arrow,.next-menu-btn.next-btn-text[disabled] .next-menu-btn-arrow{color:#ccc;color:var(--menu-btn-disabled-icon-color,#ccc)}.next-menu-btn[disabled].next-btn-ghost.next-btn-dark .next-menu-btn-arrow{color:rgba(255,255,255,.4);color:var(--menu-btn-ghost-dark-disabled-icon-color,rgba(255,255,255,.4))}.next-menu-btn[disabled].next-btn-ghost.next-btn-light .next-menu-btn-arrow{color:rgba(0,0,0,.1);color:var(--menu-btn-ghost-light-disabled-icon-color,rgba(0,0,0,.1))}.next-sr-only{position:absolute;width:1px;height:1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);white-space:nowrap;border:0;top:0;margin:-1px}.next-message{box-sizing:border-box;position:relative;display:block;vertical-align:baseline;animation-duration:.3s;animation-duration:var(--motion-duration-standard,300ms);animation-timing-function:ease-in-out;animation-timing-function:var(--motion-ease-in-out,ease-in-out)}.next-message *,.next-message :after,.next-message :before{box-sizing:border-box}.next-message:after{visibility:hidden;display:block;height:0;font-size:0;content:' ';clear:both}.next-message .next-message-close{color:#999;color:var(--message-close-icon-color,#999);font-size:0;position:absolute;cursor:pointer}.next-message .next-message-close .next-icon-close{width:12px;width:var(--message-close-icon-size,12px);height:12px;height:var(--message-close-icon-size,12px);line-height:1em}.next-message .next-message-close .next-icon-close:before{width:12px;width:var(--message-close-icon-size,12px);height:12px;height:var(--message-close-icon-size,12px);font-size:12px;font-size:var(--message-close-icon-size,12px);line-height:1em}.next-message .next-message-close:hover{color:#666;color:var(--message-hover-close-icon-color,#666)}.next-message.next-message-success.next-inline{background-color:#e4fdda;background-color:var(--message-success-color-bg-inline,#e4fdda);border-color:#e4fdda;border-color:var(--message-success-color-border-inline,#e4fdda);box-shadow:none;border-style:solid;border-style:var(--message-border-style,solid)}.next-message.next-message-success.next-inline .next-message-title{color:#333;color:var(--message-success-color-title-inline,#333)}.next-message.next-message-success.next-inline .next-message-content{color:#666;color:var(--message-success-color-content-inline,#666)}.next-message.next-message-success.next-inline .next-message-symbol{color:#46bc15;color:var(--message-success-color-icon-inline,#46bc15)}.next-message.next-message-success.next-inline .next-message-symbol-icon::before{content:"\E60A";content:var(--message-success-icon-content, "\E60A")}.next-message.next-message-success.next-addon{background-color:transparent;border-color:transparent;box-shadow:none;border-style:solid;border-style:var(--message-border-style-toast,solid)}.next-message.next-message-success.next-addon .next-message-title{color:#333;color:var(--message-success-color-title-addon,#333)}.next-message.next-message-success.next-addon .next-message-content{color:#666;color:var(--message-success-color-content-addon,#666)}.next-message.next-message-success.next-addon .next-message-symbol{color:#46bc15;color:var(--message-success-color-icon-addon,#46bc15)}.next-message.next-message-success.next-addon .next-message-symbol-icon::before{content:"\E60A";content:var(--message-success-icon-content, "\E60A")}.next-message.next-message-success.next-toast{background-color:#fff;background-color:var(--message-success-color-bg-toast,#fff);border-color:#fff;border-color:var(--message-success-color-border-toast,#fff);box-shadow:0 2px 4px 0 rgba(0,0,0,.12);box-shadow:var(--message-shadow-toast,0 2px 4px 0 rgba(0,0,0,.12));border-style:solid;border-style:var(--message-border-style-toast,solid)}.next-message.next-message-success.next-toast .next-message-title{color:#333;color:var(--message-success-color-title-toast,#333)}.next-message.next-message-success.next-toast .next-message-content{color:#666;color:var(--message-success-color-content-toast,#666)}.next-message.next-message-success.next-toast .next-message-symbol{color:#46bc15;color:var(--message-success-color-icon-toast,#46bc15)}.next-message.next-message-success.next-toast .next-message-symbol-icon::before{content:"\E60A";content:var(--message-success-icon-content, "\E60A")}.next-message.next-message-warning.next-inline{background-color:#fff3e0;background-color:var(--message-warning-color-bg-inline,#fff3e0);border-color:#fff3e0;border-color:var(--message-warning-color-border-inline,#fff3e0);box-shadow:none;border-style:solid;border-style:var(--message-border-style,solid)}.next-message.next-message-warning.next-inline .next-message-title{color:#333;color:var(--message-warning-color-title-inline,#333)}.next-message.next-message-warning.next-inline .next-message-content{color:#666;color:var(--message-warning-color-content-inline,#666)}.next-message.next-message-warning.next-inline .next-message-symbol{color:#ff9300;color:var(--message-warning-color-icon-inline,#ff9300)}.next-message.next-message-warning.next-inline .next-message-symbol-icon::before{content:"\E60B";content:var(--message-warning-icon-content, "\E60B")}.next-message.next-message-warning.next-addon{background-color:transparent;border-color:transparent;box-shadow:none;border-style:solid;border-style:var(--message-border-style-toast,solid)}.next-message.next-message-warning.next-addon .next-message-title{color:#333;color:var(--message-warning-color-title-addon,#333)}.next-message.next-message-warning.next-addon .next-message-content{color:#666;color:var(--message-warning-color-content-addon,#666)}.next-message.next-message-warning.next-addon .next-message-symbol{color:#ff9300;color:var(--message-warning-color-icon-addon,#ff9300)}.next-message.next-message-warning.next-addon .next-message-symbol-icon::before{content:"\E60B";content:var(--message-warning-icon-content, "\E60B")}.next-message.next-message-warning.next-toast{background-color:#fff;background-color:var(--message-warning-color-bg-toast,#fff);border-color:#fff;border-color:var(--message-warning-color-border-toast,#fff);box-shadow:0 2px 4px 0 rgba(0,0,0,.12);box-shadow:var(--message-shadow-toast,0 2px 4px 0 rgba(0,0,0,.12));border-style:solid;border-style:var(--message-border-style-toast,solid)}.next-message.next-message-warning.next-toast .next-message-title{color:#333;color:var(--message-warning-color-title-toast,#333)}.next-message.next-message-warning.next-toast .next-message-content{color:#666;color:var(--message-warning-color-content-toast,#666)}.next-message.next-message-warning.next-toast .next-message-symbol{color:#ff9300;color:var(--message-warning-color-icon-toast,#ff9300)}.next-message.next-message-warning.next-toast .next-message-symbol-icon::before{content:"\E60B";content:var(--message-warning-icon-content, "\E60B")}.next-message.next-message-error.next-inline{background-color:#ffece4;background-color:var(--message-error-color-bg-inline,#ffece4);border-color:#ffece4;border-color:var(--message-error-color-border-inline,#ffece4);box-shadow:none;border-style:solid;border-style:var(--message-border-style,solid)}.next-message.next-message-error.next-inline .next-message-title{color:#333;color:var(--message-error-color-title-inline,#333)}.next-message.next-message-error.next-inline .next-message-content{color:#666;color:var(--message-error-color-content-inline,#666)}.next-message.next-message-error.next-inline .next-message-symbol{color:#ff3000;color:var(--message-error-color-icon-inline,#ff3000)}.next-message.next-message-error.next-inline .next-message-symbol-icon::before{content:"\E60D";content:var(--message-error-icon-content, "\E60D")}.next-message.next-message-error.next-addon{background-color:transparent;border-color:transparent;box-shadow:none;border-style:solid;border-style:var(--message-border-style-toast,solid)}.next-message.next-message-error.next-addon .next-message-title{color:#333;color:var(--message-error-color-title-addon,#333)}.next-message.next-message-error.next-addon .next-message-content{color:#666;color:var(--message-error-color-content-addon,#666)}.next-message.next-message-error.next-addon .next-message-symbol{color:#ff3000;color:var(--message-error-color-icon-addon,#ff3000)}.next-message.next-message-error.next-addon .next-message-symbol-icon::before{content:"\E60D";content:var(--message-error-icon-content, "\E60D")}.next-message.next-message-error.next-toast{background-color:#fff;background-color:var(--message-error-color-bg-toast,#fff);border-color:#fff;border-color:var(--message-error-color-border-toast,#fff);box-shadow:0 2px 4px 0 rgba(0,0,0,.12);box-shadow:var(--message-shadow-toast,0 2px 4px 0 rgba(0,0,0,.12));border-style:solid;border-style:var(--message-border-style-toast,solid)}.next-message.next-message-error.next-toast .next-message-title{color:#333;color:var(--message-error-color-title-toast,#333)}.next-message.next-message-error.next-toast .next-message-content{color:#666;color:var(--message-error-color-content-toast,#666)}.next-message.next-message-error.next-toast .next-message-symbol{color:#ff3000;color:var(--message-error-color-icon-toast,#ff3000)}.next-message.next-message-error.next-toast .next-message-symbol-icon::before{content:"\E60D";content:var(--message-error-icon-content, "\E60D")}.next-message.next-message-notice.next-inline{background-color:#e3f2fd;background-color:var(--message-notice-color-bg-inline,#e3f2fd);border-color:#e3f2fd;border-color:var(--message-notice-color-border-inline,#e3f2fd);box-shadow:none;border-style:solid;border-style:var(--message-border-style,solid)}.next-message.next-message-notice.next-inline .next-message-title{color:#333;color:var(--message-notice-color-title-inline,#333)}.next-message.next-message-notice.next-inline .next-message-content{color:#666;color:var(--message-notice-color-content-inline,#666)}.next-message.next-message-notice.next-inline .next-message-symbol{color:#4494f9;color:var(--message-notice-color-icon-inline,#4494f9)}.next-message.next-message-notice.next-inline .next-message-symbol-icon::before{content:"\E60C";content:var(--message-notice-icon-content, "\E60C")}.next-message.next-message-notice.next-addon{background-color:transparent;border-color:transparent;box-shadow:none;border-style:solid;border-style:var(--message-border-style-toast,solid)}.next-message.next-message-notice.next-addon .next-message-title{color:#333;color:var(--message-notice-color-title-addon,#333)}.next-message.next-message-notice.next-addon .next-message-content{color:#666;color:var(--message-notice-color-content-addon,#666)}.next-message.next-message-notice.next-addon .next-message-symbol{color:#4494f9;color:var(--message-notice-color-icon-addon,#4494f9)}.next-message.next-message-notice.next-addon .next-message-symbol-icon::before{content:"\E60C";content:var(--message-notice-icon-content, "\E60C")}.next-message.next-message-notice.next-toast{background-color:#fff;background-color:var(--message-notice-color-bg-toast,#fff);border-color:#fff;border-color:var(--message-notice-color-border-toast,#fff);box-shadow:0 2px 4px 0 rgba(0,0,0,.12);box-shadow:var(--message-shadow-toast,0 2px 4px 0 rgba(0,0,0,.12));border-style:solid;border-style:var(--message-border-style-toast,solid)}.next-message.next-message-notice.next-toast .next-message-title{color:#333;color:var(--message-notice-color-title-toast,#333)}.next-message.next-message-notice.next-toast .next-message-content{color:#666;color:var(--message-notice-color-content-toast,#666)}.next-message.next-message-notice.next-toast .next-message-symbol{color:#4494f9;color:var(--message-notice-color-icon-toast,#4494f9)}.next-message.next-message-notice.next-toast .next-message-symbol-icon::before{content:"\E60C";content:var(--message-notice-icon-content, "\E60C")}.next-message.next-message-help.next-inline{background-color:#e3fff8;background-color:var(--message-help-color-bg-inline,#e3fff8);border-color:#e3fff8;border-color:var(--message-help-color-border-inline,#e3fff8);box-shadow:none;border-style:solid;border-style:var(--message-border-style,solid)}.next-message.next-message-help.next-inline .next-message-title{color:#333;color:var(--message-help-color-title-inline,#333)}.next-message.next-message-help.next-inline .next-message-content{color:#666;color:var(--message-help-color-content-inline,#666)}.next-message.next-message-help.next-inline .next-message-symbol{color:#01c1b2;color:var(--message-help-color-icon-inline,#01c1b2)}.next-message.next-message-help.next-inline .next-message-symbol-icon::before{content:"\E673";content:var(--message-help-icon-content, "\E673")}.next-message.next-message-help.next-addon{background-color:transparent;border-color:transparent;box-shadow:none;border-style:solid;border-style:var(--message-border-style-toast,solid)}.next-message.next-message-help.next-addon .next-message-title{color:#333;color:var(--message-help-color-title-addon,#333)}.next-message.next-message-help.next-addon .next-message-content{color:#666;color:var(--message-help-color-content-addon,#666)}.next-message.next-message-help.next-addon .next-message-symbol{color:#01c1b2;color:var(--message-help-color-icon-addon,#01c1b2)}.next-message.next-message-help.next-addon .next-message-symbol-icon::before{content:"\E673";content:var(--message-help-icon-content, "\E673")}.next-message.next-message-help.next-toast{background-color:#fff;background-color:var(--message-help-color-bg-toast,#fff);border-color:#fff;border-color:var(--message-help-color-border-toast,#fff);box-shadow:0 2px 4px 0 rgba(0,0,0,.12);box-shadow:var(--message-shadow-toast,0 2px 4px 0 rgba(0,0,0,.12));border-style:solid;border-style:var(--message-border-style-toast,solid)}.next-message.next-message-help.next-toast .next-message-title{color:#333;color:var(--message-help-color-title-toast,#333)}.next-message.next-message-help.next-toast .next-message-content{color:#666;color:var(--message-help-color-content-toast,#666)}.next-message.next-message-help.next-toast .next-message-symbol{color:#01c1b2;color:var(--message-help-color-icon-toast,#01c1b2)}.next-message.next-message-help.next-toast .next-message-symbol-icon::before{content:"\E673";content:var(--message-help-icon-content, "\E673")}.next-message.next-message-loading.next-inline{background-color:#fff;background-color:var(--message-loading-color-bg-inline,#fff);border-color:#fff;border-color:var(--message-loading-color-border-inline,#fff);box-shadow:none;border-style:solid;border-style:var(--message-border-style,solid)}.next-message.next-message-loading.next-inline .next-message-title{color:#333;color:var(--message-loading-color-title-inline,#333)}.next-message.next-message-loading.next-inline .next-message-content{color:#666;color:var(--message-loading-color-content-inline,#666)}.next-message.next-message-loading.next-inline .next-message-symbol{color:#5584ff;color:var(--message-loading-color-icon-inline,#5584ff)}.next-message.next-message-loading.next-inline .next-message-symbol-icon::before{content:"\E646";content:var(--message-loading-icon-content, "\E646");animation:loadingCircle 1s infinite linear}.next-message.next-message-loading.next-addon{background-color:transparent;border-color:transparent;box-shadow:none;border-style:solid;border-style:var(--message-border-style-toast,solid)}.next-message.next-message-loading.next-addon .next-message-title{color:#333;color:var(--message-loading-color-title-addon,#333)}.next-message.next-message-loading.next-addon .next-message-content{color:#666;color:var(--message-loading-color-content-addon,#666)}.next-message.next-message-loading.next-addon .next-message-symbol{color:#5584ff;color:var(--message-loading-color-icon-addon,#5584ff)}.next-message.next-message-loading.next-addon .next-message-symbol-icon::before{content:"\E646";content:var(--message-loading-icon-content, "\E646");animation:loadingCircle 1s infinite linear}.next-message.next-message-loading.next-toast{background-color:#fff;background-color:var(--message-loading-color-bg-toast,#fff);border-color:#fff;border-color:var(--message-loading-color-border-toast,#fff);box-shadow:0 2px 4px 0 rgba(0,0,0,.12);box-shadow:var(--message-shadow-toast,0 2px 4px 0 rgba(0,0,0,.12));border-style:solid;border-style:var(--message-border-style-toast,solid)}.next-message.next-message-loading.next-toast .next-message-title{color:#333;color:var(--message-loading-color-title-toast,#333)}.next-message.next-message-loading.next-toast .next-message-content{color:#666;color:var(--message-loading-color-content-toast,#666)}.next-message.next-message-loading.next-toast .next-message-symbol{color:#5584ff;color:var(--message-loading-color-icon-toast,#5584ff)}.next-message.next-message-loading.next-toast .next-message-symbol-icon::before{content:"\E646";content:var(--message-loading-icon-content, "\E646");animation:loadingCircle 1s infinite linear}.next-message.next-medium{border-width:1px;border-width:var(--message-size-m-border-width,1px);padding:12px;padding:var(--message-size-m-padding,12px)}.next-message.next-medium .next-message-symbol{float:left;line-height:16px;line-height:var(--message-size-m-icon,16px)}.next-message.next-medium .next-message-symbol .next-icon-remote,.next-message.next-medium .next-message-symbol:before{width:16px;width:var(--message-size-m-icon,16px);font-size:16px;font-size:var(--message-size-m-icon,16px);line-height:inherit}.next-message.next-medium .next-message-title{padding:0 20px 0 24px;padding:var(--message-size-m-title-content-padding,0 20px 0 24px);font-size:16px;font-size:var(--message-size-m-title-font,16px);line-height:16px;line-height:var(--message-size-m-title-font,16px)}.next-message.next-medium .next-message-content{margin-top:8px;margin-top:var(--message-size-m-content-margin-top,8px);padding:0 20px 0 24px;padding:var(--message-size-m-title-content-padding,0 20px 0 24px);font-size:12px;font-size:var(--message-size-m-content-font,12px);line-height:12px;line-height:var(--message-size-m-content-font,12px)}.next-message.next-medium .next-message-symbol+.next-message-content{margin-top:0}.next-message.next-medium.next-title-content .next-message-title{line-height:16px;line-height:var(--message-size-m-icon,16px)}.next-message.next-medium.next-only-content .next-message-content{line-height:16px;line-height:var(--message-size-m-icon,16px)}.next-message.next-medium .next-message-close{top:12px;top:var(--message-size-m-close-top,12px);right:12px;right:var(--message-size-m-close-right,12px)}.next-message.next-medium.next-inline{border-radius:3px;border-radius:var(--message-size-m-border-radius,3px)}.next-message.next-medium.next-toast{border-radius:3px;border-radius:var(--message-size-m-border-radius-toast,3px)}.next-message.next-large{border-width:2px;border-width:var(--message-size-l-border-width,2px);padding:16px;padding:var(--message-size-l-padding,16px);line-height:18px}.next-message.next-large .next-message-symbol{float:left;line-height:24px;line-height:var(--message-size-l-icon,24px)}.next-message.next-large .next-message-symbol .next-icon-remote,.next-message.next-large .next-message-symbol:before{width:24px;width:var(--message-size-l-icon,24px);font-size:24px;font-size:var(--message-size-l-icon,24px);line-height:inherit}.next-message.next-large .next-message-title{padding:0 20px 0 36px;padding:var(--message-size-l-title-content-padding,0 20px 0 36px);font-size:20px;font-size:var(--message-size-l-title-font,20px);line-height:20px;line-height:var(--message-size-l-title-font,20px)}.next-message.next-large .next-message-content{margin-top:8px;margin-top:var(--message-size-l-content-margin-top,8px);padding:0 20px 0 36px;padding:var(--message-size-l-title-content-padding,0 20px 0 36px);font-size:12px;font-size:var(--message-size-l-content-font,12px);line-height:12px;line-height:var(--message-size-l-content-font,12px)}.next-message.next-large .next-message-symbol+.next-message-content{margin-top:0}.next-message.next-large.next-title-content .next-message-title{line-height:24px;line-height:var(--message-size-l-icon,24px)}.next-message.next-large.next-only-content .next-message-content{line-height:24px;line-height:var(--message-size-l-icon,24px)}.next-message.next-large .next-message-close{top:16px;top:var(--message-size-l-close-top,16px);right:16px;right:var(--message-size-l-close-right,16px)}.next-message.next-large.next-inline{border-radius:3px;border-radius:var(--message-size-l-border-radius,3px)}.next-message.next-large.next-toast{border-radius:3px;border-radius:var(--message-size-l-border-radius-toast,3px)}.next-message[dir=rtl] .next-message-symbol{float:right}.next-message[dir=rtl].next-medium .next-message-title{padding:0 24px 0 20px;padding:0 calc(var(--message-size-m-title-content-padding-left,8px) + var(--message-size-m-icon,16px)) 0 var(--message-size-m-title-content-padding-right,20px)}.next-message[dir=rtl].next-medium .next-message-close{left:12px;left:var(--message-size-m-close-right,12px);right:auto}.next-message[dir=rtl].next-large .next-message-title{padding:0 36px 0 20px;padding:0 calc(var(--message-size-l-title-content-padding-left,12px) + var(--message-size-l-icon,24px)) 0 var(--message-size-l-title-content-padding-right,20px)}.next-message[dir=rtl].next-large .next-message-close{left:16px;left:var(--message-size-l-close-right,16px);right:auto}.next-sr-only{position:absolute;width:1px;height:1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);white-space:nowrap;border:0;top:0;margin:-1px}.next-nav{box-sizing:border-box;min-width:auto;border-radius:0}.next-nav *,.next-nav :after,.next-nav :before{box-sizing:border-box}.next-nav-icon.next-icon{margin-right:4px;margin-right:var(--nav-icon-self-margin,4px);font-weight:inherit}.next-nav-icon.next-icon .next-icon-remote,.next-nav-icon.next-icon:before{width:12px;width:var(--nav-icon-self-size,12px);font-size:12px;font-size:var(--nav-icon-self-size,12px);line-height:inherit}.next-nav-group-label{height:40px;height:var(--nav-group-height,40px);line-height:40px;line-height:var(--nav-group-height,40px);font-size:12px;font-size:var(--nav-group-font-size,12px)}.next-nav-item .next-menu-item-text>span,.next-nav-item .next-nav-group-label>span{opacity:1;transition:opacity .1s linear;transition:opacity var(--motion-duration-immediately,100ms) var(--motion-linear,linear)}.next-nav-item .next-menu-item-text>a{text-decoration:none;color:inherit}.next-nav-item .next-menu-hoz-icon-arrow.next-icon,.next-nav-item .next-menu-icon-arrow.next-icon,.next-nav-item.next-focused .next-menu-hoz-icon-arrow.next-icon,.next-nav-item.next-focused .next-menu-icon-arrow.next-icon,.next-nav-item.next-opened .next-menu-hoz-icon-arrow.next-icon,.next-nav-item.next-opened .next-menu-icon-arrow.next-icon,.next-nav-item.next-selected .next-menu-hoz-icon-arrow.next-icon,.next-nav-item.next-selected .next-menu-icon-arrow.next-icon,.next-nav-item:hover .next-menu-hoz-icon-arrow.next-icon,.next-nav-item:hover .next-menu-icon-arrow.next-icon{color:inherit;top:0;transform-origin:center 50%}.next-nav.next-active .next-nav-item:before{position:absolute;transition:all .3s ease;transition:all var(--motion-duration-standard,300ms) var(--motion-ease,ease);content:''}.next-nav.next-hoz{padding:0;height:44px;height:calc(var(--nav-hoz-height,44px) + var(--nav-hoz-item-margin-tb,0px)*2);line-height:42px;line-height:calc(var(--nav-hoz-height,44px) - var(--popup-local-border-width,1px)*2);font-size:12px;font-size:var(--nav-hoz-font-size,12px)}.next-nav.next-hoz .next-menu-item{margin-left:0;margin-left:var(--nav-hoz-item-margin-lr,0);margin-right:0;margin-right:var(--nav-hoz-item-margin-lr,0);padding:0 20px;padding:0 var(--nav-hoz-item-padding-lr,20px);border-radius:0;border-radius:var(--nav-hoz-item-corner,0)}.next-nav.next-hoz .next-menu-item,.next-nav.next-hoz .next-menu-sub-menu-wrapper>.next-menu-item{margin-top:0;margin-top:var(--nav-hoz-item-margin-tb,0);margin-bottom:0;margin-bottom:var(--nav-hoz-item-margin-tb,0)}.next-nav.next-hoz .next-menu-item-inner{height:42px;height:calc(var(--nav-hoz-height,44px) - var(--popup-local-border-width,1px)*2);font-size:12px;font-size:var(--nav-hoz-font-size,12px)}.next-nav.next-hoz .next-nav-group-label .next-menu-item-inner{height:40px;height:var(--nav-group-height,40px);line-height:40px;line-height:var(--nav-group-height,40px);font-size:12px;font-size:var(--nav-group-font-size,12px)}.next-nav.next-hoz .next-menu-header{float:left;height:42px;height:calc(var(--nav-hoz-height,44px) - var(--popup-local-border-width,1px)*2)}.next-nav.next-hoz .next-menu-footer{float:right;height:42px;height:calc(var(--nav-hoz-height,44px) - var(--popup-local-border-width,1px)*2)}.next-nav.next-hoz .next-nav-item:before{width:0;left:50%;height:2px;height:var(--nav-hoz-item-selected-active-line,2px)}.next-nav.next-hoz .next-nav-item:hover:before{height:0;height:var(--nav-hoz-item-hover-active-line,0)}.next-nav.next-hoz.next-top .next-nav-item:before{top:-1px;top:calc(0px - var(--popup-local-border-width,1px))}.next-nav.next-hoz.next-bottom .next-nav-item:before{bottom:-1px;bottom:calc(0px - var(--popup-local-border-width,1px))}.next-nav.next-hoz .next-selected.next-nav-item:before{width:100%;left:0;height:2px;height:var(--nav-hoz-item-selected-active-line,2px)}.next-nav.next-ver{padding:0;transition:width .3s ease;transition:width var(--motion-duration-standard,300ms) var(--motion-ease,ease);line-height:40px;line-height:var(--nav-ver-height,40px);font-size:12px;font-size:var(--nav-ver-font-size,12px)}.next-nav.next-ver .next-menu-item{margin-left:0;margin-left:var(--nav-ver-item-margin-lr,0);margin-right:0;margin-right:var(--nav-ver-item-margin-lr,0);padding:0 20px;padding:0 var(--nav-ver-item-padding-lr,20px);border-radius:0;border-radius:var(--nav-ver-item-corner,0)}.next-nav.next-ver .next-menu-item:not(:first-child),.next-nav.next-ver .next-menu-sub-menu-wrapper:not(:first-child)>.next-menu-item{margin-top:0;margin-top:var(--nav-ver-item-margin-tb,0)}.next-nav.next-ver .next-menu-item:not(:last-child),.next-nav.next-ver .next-menu-sub-menu-wrapper:not(:last-child)>.next-menu-item{margin-bottom:0;margin-bottom:var(--nav-ver-item-margin-tb,0)}.next-nav.next-ver .next-menu-item-inner{height:40px;height:var(--nav-ver-height,40px);font-size:12px;font-size:var(--nav-ver-font-size,12px)}.next-nav.next-ver .next-nav-group-label .next-menu-item-inner{height:40px;height:var(--nav-group-height,40px);line-height:40px;line-height:var(--nav-group-height,40px);font-size:12px;font-size:var(--nav-group-font-size,12px)}.next-nav.next-ver>.next-menu-item:first-child,.next-nav.next-ver>.next-menu-sub-menu-wrapper:first-child>.next-menu-item{margin-top:0;margin-top:var(--nav-ver-item-margin-tb,0)}.next-nav.next-ver>.next-menu-item:last-child,.next-nav.next-ver>.next-menu-sub-menu-wrapper:last-child>.next-menu-item{margin-bottom:0;margin-bottom:var(--nav-ver-item-margin-tb,0)}.next-nav.next-ver .next-menu-sub-menu{line-height:40px;line-height:var(--nav-ver-sub-nav-height,40px)}.next-nav.next-ver .next-menu-sub-menu .next-menu-item-inner{height:40px;height:var(--nav-ver-sub-nav-height,40px);font-size:12px;font-size:var(--nav-ver-sub-nav-font-size,12px)}.next-nav.next-ver .next-nav-item:before{height:0;top:50%;width:2px;width:var(--nav-ver-item-selected-active-line,2px)}.next-nav.next-ver .next-nav-item:hover:before{width:0;width:var(--nav-ver-item-hover-active-line,0)}.next-nav.next-ver.next-left .next-nav-item:before,.next-nav.next-ver.next-top .next-nav-item:before{left:-1px;left:calc(0px - var(--popup-local-border-width,1px))}.next-nav.next-ver.next-bottom .next-nav-item:before,.next-nav.next-ver.next-right .next-nav-item:before{right:-1px;right:calc(0px - var(--popup-local-border-width,1px))}.next-nav.next-ver .next-selected.next-nav-item:before{height:100%;top:0;width:2px;width:var(--nav-ver-item-selected-active-line,2px)}.next-nav.next-primary{border-width:0;border-width:var(--nav-primary-border-width,0);background-color:#333;background-color:var(--nav-primary-bg-color,#333);border-color:#333;border-color:var(--nav-primary-border-color,#333);color:#fff;color:var(--nav-primary-text-color,#fff);font-weight:400;font-weight:var(--nav-primary-text-style,normal);box-shadow:2px 2px 4px 0 rgba(0,0,0,.12);box-shadow:var(--nav-primary-shadow,2px 2px 4px 0 rgba(0,0,0,.12))}.next-nav.next-primary.next-hoz{line-height:44px;line-height:var(--nav-hoz-height,44px);line-height:44px;line-height:calc(var(--nav-hoz-height,44px) - var(--nav-primary-border-width,0px)*2)}.next-nav.next-primary.next-hoz .next-menu-footer,.next-nav.next-primary.next-hoz .next-menu-header,.next-nav.next-primary.next-hoz .next-menu-item-inner{line-height:44px;line-height:var(--nav-hoz-height,44px);height:44px;height:calc(var(--nav-hoz-height,44px) - var(--nav-primary-border-width,0px)*2)}.next-nav.next-primary.next-hoz.next-top .next-nav-item:before{top:0;top:0;top:calc(0px - var(--nav-primary-border-width,0px))}.next-nav.next-primary.next-hoz.next-bottom .next-nav-item:before{bottom:0;bottom:0;bottom:calc(0px - var(--nav-primary-border-width,0px))}.next-nav.next-primary.next-ver.next-left .next-nav-item:before{left:0;left:0;left:calc(0px - var(--nav-primary-border-width,0px))}.next-nav.next-primary.next-ver.next-right .next-nav-item:before{right:0;right:0;right:calc(0px - var(--nav-primary-border-width,0px))}.next-nav.next-primary .next-nav-item.next-menu-item{background-color:#333;background-color:var(--nav-primary-bg-color,#333);color:#fff;color:var(--nav-primary-text-color,#fff)}.next-nav.next-primary .next-nav-item.next-menu-item.next-focused,.next-nav.next-primary .next-nav-item.next-menu-item:hover{background-color:#000;background-color:var(--nav-primary-item-hover-bg-color,#000);color:#fff;color:var(--nav-primary-item-hover-text-color,#fff);font-weight:400;font-weight:var(--nav-primary-item-hover-text-style,normal)}.next-nav.next-primary .next-nav-item.next-menu-item.next-selected{background-color:#000;background-color:var(--nav-primary-item-selected-bg-color,#000);color:#fff;color:var(--nav-primary-item-selected-text-color,#fff);font-weight:700;font-weight:var(--nav-primary-item-selected-text-style,bold)}.next-nav.next-primary .next-nav-item.next-menu-item.next-opened{background-color:transparent;background-color:var(--nav-primary-item-opened-bg-color,transparent);color:#fff;color:var(--nav-primary-item-opened-text-color,#fff)}.next-nav.next-primary .next-nav-item.next-menu-item.next-child-selected{font-weight:700;font-weight:var(--nav-primary-item-childselected-text-style,bold);background-color:transparent;background-color:var(--nav-primary-item-childselected-bg-color,transparent);color:#fff;color:var(--nav-primary-item-childselected-text-color,#fff)}.next-nav.next-primary .next-nav-item.next-menu-item.next-opened.next-nav-popup{color:#fff;color:var(--nav-primary-item-opened-text-color,#fff)}.next-nav.next-primary .next-nav-item.next-menu-item.next-child-selected.next-nav-popup{color:#fff;color:var(--nav-primary-item-childselected-text-color,#fff)}.next-nav.next-primary .next-nav-item.next-menu-item:before{background-color:#5584ff;background-color:var(--nav-primary-item-selected-active-color,#5584ff)}.next-nav.next-primary .next-nav-item.next-menu-item:hover:before{background-color:#5584ff;background-color:var(--nav-primary-item-hover-active-color,#5584ff)}.next-nav.next-primary .next-menu-sub-menu .next-menu-item.next-opened{background-color:transparent;background-color:var(--nav-primary-item-opened-bg-color,transparent);color:#fff;color:var(--nav-primary-item-opened-text-color,#fff)}.next-nav.next-primary .next-nav-group-label{color:#999;color:var(--nav-primary-group-text-color,#999);font-weight:400;font-weight:var(--nav-primary-group-text-style,normal)}.next-nav.next-primary .next-menu-sub-menu .next-menu-item{background-color:#333;background-color:var(--nav-primary-sub-nav-bg-color,#333);color:#fff;color:var(--nav-primary-sub-nav-text-color,#fff);font-weight:400;font-weight:var(--nav-primary-sub-nav-text-style,normal)}.next-nav.next-primary .next-menu-sub-menu .next-menu-item.next-focused,.next-nav.next-primary .next-menu-sub-menu .next-menu-item:hover{background-color:#000;background-color:var(--nav-primary-sub-nav-hover-bg-color,#000);color:#fff;color:var(--nav-primary-sub-nav-hover-text-color,#fff)}.next-nav.next-primary .next-menu-sub-menu .next-menu-item.next-selected{background-color:#000;background-color:var(--nav-primary-sub-nav-selected-bg-color,#000);color:#fff;color:var(--nav-primary-sub-nav-selected-text-color,#fff)}.next-nav.next-secondary{border-width:0;border-width:var(--nav-secondary-border-width,0);background-color:#5584ff;background-color:var(--nav-secondary-bg-color,#5584ff);border-color:#5584ff;border-color:var(--nav-secondary-border-color,#5584ff);color:#fff;color:var(--nav-secondary-text-color,#fff);font-weight:400;font-weight:var(--nav-secondary-text-style,normal);box-shadow:2px 2px 4px 0 rgba(0,0,0,.12);box-shadow:var(--nav-secondary-shadow,2px 2px 4px 0 rgba(0,0,0,.12))}.next-nav.next-secondary.next-hoz{line-height:44px;line-height:var(--nav-hoz-height,44px);line-height:44px;line-height:calc(var(--nav-hoz-height,44px) - var(--nav-secondary-border-width,0px)*2)}.next-nav.next-secondary.next-hoz .next-menu-footer,.next-nav.next-secondary.next-hoz .next-menu-header,.next-nav.next-secondary.next-hoz .next-menu-item-inner{line-height:44px;line-height:var(--nav-hoz-height,44px);height:44px;height:calc(var(--nav-hoz-height,44px) - var(--nav-secondary-border-width,0px)*2)}.next-nav.next-secondary.next-hoz.next-top .next-nav-item:before{top:0;top:0;top:calc(0px - var(--nav-secondary-border-width,0px))}.next-nav.next-secondary.next-hoz.next-bottom .next-nav-item:before{bottom:0;bottom:0;bottom:calc(0px - var(--nav-secondary-border-width,0px))}.next-nav.next-secondary.next-ver.next-left .next-nav-item:before{left:0;left:0;left:calc(0px - var(--nav-secondary-border-width,0px))}.next-nav.next-secondary.next-ver.next-right .next-nav-item:before{right:0;right:0;right:calc(0px - var(--nav-secondary-border-width,0px))}.next-nav.next-secondary .next-nav-item.next-menu-item{background-color:#5584ff;background-color:var(--nav-secondary-bg-color,#5584ff);color:#fff;color:var(--nav-secondary-text-color,#fff)}.next-nav.next-secondary .next-nav-item.next-menu-item.next-focused,.next-nav.next-secondary .next-nav-item.next-menu-item:hover{background-color:#3e71f7;background-color:var(--nav-secondary-item-hover-bg-color,#3e71f7);color:#fff;color:var(--nav-secondary-item-hover-text-color,#fff);font-weight:400;font-weight:var(--nav-secondary-item-hover-text-style,normal)}.next-nav.next-secondary .next-nav-item.next-menu-item.next-selected{background-color:#3e71f7;background-color:var(--nav-secondary-item-selected-bg-color,#3e71f7);color:#fff;color:var(--nav-secondary-item-selected-text-color,#fff);font-weight:700;font-weight:var(--nav-secondary-item-selected-text-style,bold)}.next-nav.next-secondary .next-nav-item.next-menu-item.next-opened{background-color:transparent;background-color:var(--nav-secondary-item-opened-bg-color,transparent);color:#fff;color:var(--nav-secondary-item-opened-text-color,#fff)}.next-nav.next-secondary .next-nav-item.next-menu-item.next-child-selected{font-weight:700;font-weight:var(--nav-secondary-item-childselected-text-style,bold);background-color:transparent;background-color:var(--nav-secondary-item-childselected-bg-color,transparent);color:#fff;color:var(--nav-secondary-item-childselected-text-color,#fff)}.next-nav.next-secondary .next-nav-item.next-menu-item.next-opened.next-nav-popup{color:#fff;color:var(--nav-secondary-item-opened-text-color,#fff)}.next-nav.next-secondary .next-nav-item.next-menu-item.next-child-selected.next-nav-popup{color:#fff;color:var(--nav-secondary-item-childselected-text-color,#fff)}.next-nav.next-secondary .next-nav-item.next-menu-item:before{background-color:#3e71f7;background-color:var(--nav-secondary-item-selected-active-color,#3e71f7)}.next-nav.next-secondary .next-nav-item.next-menu-item:hover:before{background-color:#3e71f7;background-color:var(--nav-secondary-item-hover-active-color,#3e71f7)}.next-nav.next-secondary .next-menu-sub-menu .next-menu-item.next-opened{background-color:transparent;background-color:var(--nav-secondary-item-opened-bg-color,transparent);color:#fff;color:var(--nav-secondary-item-opened-text-color,#fff)}.next-nav.next-secondary .next-nav-group-label{color:#fff;color:var(--nav-secondary-group-text-color,#fff);font-weight:400;font-weight:var(--nav-secondary-group-text-style,normal)}.next-nav.next-secondary .next-menu-sub-menu .next-menu-item{background-color:#5584ff;background-color:var(--nav-secondary-sub-nav-bg-color,#5584ff);color:#fff;color:var(--nav-secondary-sub-nav-text-color,#fff);font-weight:400;font-weight:var(--nav-secondary-sub-nav-text-style,normal)}.next-nav.next-secondary .next-menu-sub-menu .next-menu-item.next-focused,.next-nav.next-secondary .next-menu-sub-menu .next-menu-item:hover{background-color:#3e71f7;background-color:var(--nav-secondary-sub-nav-hover-bg-color,#3e71f7);color:#fff;color:var(--nav-secondary-sub-nav-hover-text-color,#fff)}.next-nav.next-secondary .next-menu-sub-menu .next-menu-item.next-selected{background-color:#3e71f7;background-color:var(--nav-secondary-sub-nav-selected-bg-color,#3e71f7);color:#fff;color:var(--nav-secondary-sub-nav-selected-text-color,#fff)}.next-nav.next-normal{background-color:#fff;background-color:var(--nav-normal-bg-color,#fff);border-color:#dcdee3;border-color:var(--nav-normal-border-color,#dcdee3);color:#333;color:var(--nav-normal-text-color,#333);font-weight:400;font-weight:var(--nav-normal-text-style,normal);box-shadow:2px 2px 4px 0 rgba(0,0,0,.12);box-shadow:var(--nav-normal-shadow,2px 2px 4px 0 rgba(0,0,0,.12))}.next-nav.next-normal .next-nav-item.next-menu-item{background-color:#fff;background-color:var(--nav-normal-bg-color,#fff);color:#333;color:var(--nav-normal-text-color,#333)}.next-nav.next-normal .next-nav-item.next-menu-item.next-focused,.next-nav.next-normal .next-nav-item.next-menu-item:hover{background-color:#fff;background-color:var(--nav-normal-item-hover-bg-color,#fff);color:#5584ff;color:var(--nav-normal-item-hover-text-color,#5584ff);font-weight:400;font-weight:var(--nav-normal-item-hover-text-style,normal)}.next-nav.next-normal .next-nav-item.next-menu-item.next-selected{background-color:#f2f3f7;background-color:var(--nav-normal-item-selected-bg-color,#f2f3f7);color:#5584ff;color:var(--nav-normal-item-selected-text-color,#5584ff);font-weight:700;font-weight:var(--nav-normal-item-selected-text-style,bold)}.next-nav.next-normal .next-nav-item.next-menu-item.next-opened{background-color:transparent;background-color:var(--nav-normal-item-opened-bg-color,transparent);color:#5584ff;color:var(--nav-normal-item-opened-text-color,#5584ff)} | cdnjs/cdnjs | ajax/libs/alifd__next/1.23.0-beta.2/next.var-1.min.css | CSS | mit | 480,169 |
using Scoreboard.Domain.Enums;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace ScoreBoard.Models
{
public class MatchFormat
{
public string MatchFormatName { get; set; }
public MatchType Type { get; set; }
public int Id { get; set; }
static List<MatchFormat> _matchTypes;
public static List<MatchFormat> All
{
get
{
if (_matchTypes == null)
{
_matchTypes = new List<MatchFormat>
{
new MatchFormat { MatchFormatName="Single Set", Id=1, Type=MatchType.OneSet },
new MatchFormat { MatchFormatName="Best of 3", Id=2, Type=MatchType.BestOf3 }
};
}
return _matchTypes;
}
}
public override string ToString()
{
return MatchFormatName;
}
public override bool Equals(object obj)
{
return (int)this.Type == (int)((MatchFormat)obj).Type;
}
public override int GetHashCode()
{
var hashCode = 1071943099;
hashCode = hashCode * -1521134295 + EqualityComparer<string>.Default.GetHashCode(MatchFormatName);
hashCode = hashCode * -1521134295 + Type.GetHashCode();
hashCode = hashCode * -1521134295 + Id.GetHashCode();
return hashCode;
}
}
}
| billycauvier/BeachVolleyballKit | scr/ScoreBoard/ScoreBoard/Models/MatchFormat.cs | C# | mit | 1,528 |
.sheet-wrapper {
width:calc(100%-6em);
background-color:#111111;
min-height:500px;
padding-bottom:50px;
background-image:url(http://i.imgur.com/TQ8WzzX.png);
background-repeat:no-repeat;
background-position:center 2em;
background-size: auto 8em;
}
.sheet-wrapper select{
-moz-appearance:none;
}
.sheet-wrapper input[type=number]::-webkit-outer-spin-button,
input[type=number]::-webkit-inner-spin-button {
-webkit-appearance: none;
margin: 0;
}
.sheet-wrapper input[type=number] {
-moz-appearance:textfield;
}
.sheet-tabs {
opacity:0;
width:11%;
height:2em!important;
}
.sheet-tablabel{
margin-left:-11%;
width:11%;
text-align:center;
vertical-align:top;
color:#eeeeee;
background-color:#550000;
display:inline-block;
border-radius:5px;
margin-bottom:5em;
}
.sheet-tabs:checked + div.sheet-tablabel {
font-weight:700;
}
.sheet-tab1:checked + div.sheet-tablabel,
.sheet-tab1:checked ~ div.sheet-gmroll,
.sheet-content1{
color:#eebb99;
}
.sheet-tab2:checked + div.sheet-tablabel,
.sheet-tab2:checked ~ div.sheet-gmroll,
.sheet-content2{
color:#aaaaee;
}
.sheet-tab3:checked + div.sheet-tablabel,
.sheet-tab3:checked ~ div.sheet-gmroll,
.sheet-content3{
color:#ee99bb;
}
.sheet-tab4:checked + div.sheet-tablabel,
.sheet-tab4:checked ~ div.sheet-gmroll,
.sheet-content4{
color:#bbee99;
}
.sheet-tab5:checked + div.sheet-tablabel,
.sheet-tab5:checked ~ div.sheet-gmroll,
.sheet-content5{
color:#99eeee;
}
.sheet-tab6:checked + div.sheet-tablabel,
.sheet-tab6:checked ~ div.sheet-gmroll,
.sheet-content6{
color:#ee9999;
}
.sheet-tab7:checked + div.sheet-tablabel,
.sheet-tab7:checked ~ div.sheet-gmroll,
.sheet-content7{
color:#eeee99;
}
.sheet-tab8:checked + div.sheet-tablabel,
.sheet-tab8:checked ~ div.sheet-gmroll,
.sheet-content8{
color:#bbbbbb;
}
.sheet-content1,
.sheet-content2,
.sheet-content3,
.sheet-content4,
.sheet-content5,
.sheet-content6,
.sheet-content7,
.sheet-content8{
display:none;
}
input[type=radio].sheet-tab1:checked ~ div.sheet-content1,
input[type=radio].sheet-tab2:checked ~ div.sheet-content2,
input[type=radio].sheet-tab3:checked ~ div.sheet-content3,
input[type=radio].sheet-tab4:checked ~ div.sheet-content4,
input[type=radio].sheet-tab5:checked ~ div.sheet-content5,
input[type=radio].sheet-tab6:checked ~ div.sheet-content6,
input[type=radio].sheet-tab7:checked ~ div.sheet-content7,
input[type=radio].sheet-tab8:checked ~ div.sheet-content8
{
display:block;
width:100%;
}
.sheet-gmrollcheckbox{
opacity:0;
width:4em;
margin-right:-0.5em;
}
.sheet-gmroll{
position:absolute;
right:3.25em;
top:17em;
}
.sheet-gmrolllabel{
display:inline-block;
margin-left:-4.2em;
width:4em;
background-color:#550000;
text-align:center;
border-radius:5px;
color:black;
}
.sheet-gmrollcheckbox:checked + div{
color:inherit;
}
.repcontrol_add,
.repcontrol_edit,
.repcontrol_del,
.repcontrol_move,
.sheet-standardroll,
.sheet-deckroll,
.sheet-mskillroll,
.sheet-rollbuttonspec,
.sheet-rollbuttonnospec,
.sheet-spellrollmage,
.sheet-spellrolltechno,
.sheet-vehicleroll,
.sheet-armorroll,
.sheet-defenseroll,
.sheet-weaponroll,
.sheet-ammoroll,
.sheet-initiativeroll{
background-color:#550000 !important;
color:inherit !important;
background-image:none;
box-shadow:none;
border:none;
border-radius:5px;
text-shadow:none;
padding:3px 3px 0px 3px !important;
}
.repcontrol_add,
.repcontrol_edit{
margin:0.3em 2em 0em 2em;
}
input[type=text],
input[type=number]{
padding:4px;
}
select{
padding:4px 4px 2px 4px;
}
.sheet-hiddencheckbox{
opacity:0;
width:1.2em;
height:1.5em;
margin-left:0.5em;
}
.sheet-checkboxunticked,
.sheet-checkboxticked,
.sheet-checkboxticker{
margin-left:-1.5em;
width:1em;
height:1em;
padding:0.15em 0.1em 0.1em 0.05em;
text-align:center;
background-color:#550000;
font-size:1em;
border-radius:5px;
vertical-align:middle;
line-height:100%;
color:inherit;
}
.sheet-magicianinitiation,
input.sheet-technomancycheckbox:checked ~ div.sheet-technomancerinitiation,
input.sheet-technomancycheckbox:checked ~ div.sheet-labeltechnomancer,
input.sheet-technomancycheckbox:checked ~ label.sheet-labeltechnomancer{
display:block;
}
.sheet-weaponrangerollwrapper,
.sheet-weaponmodewrapper select,
.sheet-hiddenmelee:checked ~ div.sheet-weaponmodewrapper input,
.sheet-hiddenmelee:checked ~ div.sheet-weaponmeleerollwrapper,
.sheet-istechnounticked,
.sheet-istechnocheckbox:checked ~ div.sheet-istechnoticked,
.sheet-mskillmodunticked,
.sheet-mskillmodcheckbox:checked ~ div.sheet-mskillmodticked,
.sheet-programunticked,
.sheet-programcheckbox:checked ~ div.sheet-programticked,
.sheet-armornotesunticked,
.sheet-armornotescheckbox:checked ~ div.sheet-armornotesticked,
.sheet-armorwornunticked,
.sheet-armorworncheckbox:checked ~ div.sheet-armorwornticked,
.sheet-meleeunticked,
.sheet-meleecheckbox:checked ~ div.sheet-meleeticked,
.sheet-weaponunticked,
.sheet-weaponcheckbox:checked ~ div.sheet-weaponticked,
.sheet-contactsunticked,
.sheet-contactscheckbox:checked ~ div.sheet-contactsticked,
.sheet-qualityunticked,
.sheet-qualitycheckbox:checked ~ div.sheet-qualityticked,
.sheet-wareunticked,
.sheet-warecheckbox:checked ~ div.sheet-wareticked,
.sheet-equipmentunticked,
.sheet-equipmentcheckbox:checked ~ div.sheet-equipmentticked,
.sheet-nuyenunticked,
.sheet-nuyencheckbox:checked ~ div.sheet-nuyenticked,
.sheet-vehicleskillsunticked,
.sheet-vehicleskillscheckbox:checked ~ div.sheet-vehicleskillsticked,
.sheet-vehiclenotesunticked,
.sheet-vehiclenotescheckbox:checked ~ div.sheet-vehiclenotesticked,
.sheet-vehicleshowweaponunticked,
.sheet-vehicleshowweaponcheckbox:checked ~ div.sheet-vehicleshowweaponticked,
.sheet-vehicleweaponunticked,
.sheet-vehicleweaponcheckbox:checked ~ div.sheet-vehicleweaponticked,
.sheet-spiriteboundunticked,
.sheet-spiriteboundcheckbox:checked ~ div.sheet-spiriteboundticked,
.sheet-spellspecializedunticked,
.sheet-spellspecialized:checked ~ div.sheet-spellspecializedticked,
.sheet-knowledgespecunticked,
.sheet-skillspecunticked,
.sheet-mskillspecunticked,
.sheet-knowledgespecunticked,
.sheet-edgeunticked,
.sheet-edgecheckbox:checked ~ div.sheet-edgeticked,
.sheet-skillshowspec:checked ~ button.sheet-rollbuttonspec,
.sheet-mskillshowspec:checked ~ button.sheet-rollbuttonspec,
.sheet-knowledgeshowspec:checked ~ button.sheet-rollbuttonspec,
.sheet-content3 .sheet-technomancycheckbox:checked ~ div.sheet-spells button.sheet-spellrolltechno,
.sheet-content3 .sheet-technomancycheckbox:checked ~ div.sheet-spells label.sheet-technolabel,
.sheet-spellrollmage,
.sheet-magebound,
.sheet-technomancycheckbox:checked ~ div.sheet-technobound,
.sheet-technomancycheckbox:checked ~ div div div div.sheet-technobound{
display: inline-block;
}
.sheet-weaponmeleerollwrapper,
.sheet-hiddenmelee:checked ~ div.sheet-weaponrcwrapper input,
.sheet-hiddenmelee:checked ~ div.sheet-weaponmodewrapper select,
.sheet-weaponmodewrapper input,
.sheet-hiddenmelee:checked ~ div.sheet-weaponrangerollwrapper,
.sheet-hide1:checked ~ div.sheet-hide1,
.sheet-hide2:checked ~ div.sheet-hide2,
.sheet-hide3:checked ~ div.sheet-hide3,
.sheet-hide4:checked ~ div.sheet-hide4,
.sheet-hide5:checked ~ div.sheet-hide5,
.sheet-hide6:checked ~ div.sheet-hide6,
.sheet-istechnoticked,
.sheet-istechnocheckbox:checked ~ div.sheet-istechnounticked,
.sheet-mskillmodticked,
.sheet-mskillmodcheckbox:checked ~ div.sheet-mskillmodunticked,
.sheet-programticked,
.sheet-programcheckbox:checked ~ div.sheet-programunticked,
.sheet-vehiclenotesticked,
.sheet-vehiclenotescheckbox:checked ~ div.sheet-vehiclenotesunticked,
.sheet-vehicleskillsticked,
.sheet-vehicleskillscheckbox:checked ~ div.sheet-vehicleskillsunticked,
.sheet-vehicleshowweaponticked,
.sheet-vehicleshowweaponcheckbox:checked ~ div.sheet-vehicleshowweaponunticked,
.sheet-vehicleweaponticked,
.sheet-vehicleweaponcheckbox:checked ~ div.sheet-vehicleweaponunticked,
.sheet-meleeticked,
.sheet-meleecheckbox:checked ~ div.sheet-meleeunticked,
.sheet-weaponticked,
.sheet-weaponcheckbox:checked ~ div.sheet-weaponunticked,
.sheet-armornotesticked,
.sheet-armornotescheckbox:checked ~ div.sheet-armornotesunticked,
.sheet-armorwornticked,
.sheet-armorworncheckbox:checked ~ div.sheet-armorwornunticked,
.sheet-contactsticked,
.sheet-contactscheckbox:checked ~ div.sheet-contactsunticked,
.sheet-qualityticked,
.sheet-qualitycheckbox:checked ~ div.sheet-qualityunticked,
.sheet-wareticked,
.sheet-warecheckbox:checked ~ div.sheet-wareunticked,
.sheet-equipmentticked,
.sheet-equipmentcheckbox:checked ~ div.sheet-equipmentunticked,
.sheet-nuyenticked,
.sheet-nuyencheckbox:checked ~ div.sheet-nuyenunticked,
.sheet-spiriteboundticked,
.sheet-spiriteboundcheckbox:checked ~ div.sheet-spiriteboundunticked,
.sheet-spellspecializedticked,
.sheet-spellspecialized:checked ~ div.sheet-spellspecializedunticked,
.sheet-knowledgespecticker:checked ~ div.sheet-knowledgespecunticked,
.sheet-skillspecticker:checked ~ div.sheet-skillspecunticked,
.sheet-mskillspecticker:checked ~ div.sheet-mskillspecunticked,
.sheet-edgeticked,
.sheet-edgecheckbox:checked ~ div.sheet-edgeunticked,.sheet-technomancycheckbox,
.sheet-labeltechnomancer,
.sheet-technomancer,
.sheet-technomancerinitiation,
.sheet-rollbuttonspec,
.sheet-skillshowspec,
.sheet-skillshowspec:checked ~ button.sheet-rollbuttonnospec,
.sheet-mskillshowspec,
.sheet-mskillshowspec:checked ~ button.sheet-rollbuttonnospec,
.sheet-knowledgeshowspec,
.sheet-knowledgeshowspec:checked ~ button.sheet-rollbuttonnospec,
.sheet-technomancycheckbox:checked ~ div.sheet-labelmage,
.sheet-technomancycheckbox:checked ~ label.sheet-labelmage,
.sheet-technomancycheckbox:checked ~ div.sheet-magician,
.sheet-technomancycheckbox:checked ~ div.sheet-magicianinitiation,
.sheet-hiddentextfield,
.sheet-hiddenmelee,
.sheet-content3 .sheet-technomancycheckbox:checked ~ div.sheet-spells button.sheet-spellrollmage,
.sheet-content3 .sheet-technomancycheckbox:checked ~ div.sheet-spells label.sheet-magelabel,
.sheet-technolabel,
.sheet-spellrolltechno,
.sheet-technobound,
.sheet-technomancycheckbox:checked ~ div.sheet-magebound,
.sheet-technomancycheckbox:checked ~ div div div div.sheet-magebound{
display:none;
}
.sheet-woundsmod,
.sheet-contacts,
.sheet-ware,
.sheet-qualities,
.sheet-statblock,
.sheet-infoblock,
.sheet-initiation,
.sheet-spirites,
.sheet-equipment,
.sheet-armor,
.sheet-cyberdeck,
.sheet-cyberprograms{
width:calc(46% - 2px);
display:inline-block;
margin:5em 0% 0% 2%;
vertical-align:top;
}
.sheet-initiation{
padding-bottom:2em;
}
.sheet-spirites{
vertical-align:bottom !important;
}
.sheet-content7 .sheet-weapon{
display:inline-block;
margin:2em 0% 0% 2%;
vertical-align:top;
width:90%;
}
.sheet-statheading{
display:block;
}
.sheet-statinput{
width:2em;
background-color:#444444;
color:inherit;
border:none;
box-shadow:none;
text-align:center;
}
.sheet-statlabel{
text-align:center;
display:block;
}
.sheet-statlabel label{
color:inherit;
font-weight:normal;
}
.sheet-statheading h4{
color:inherit;
}
.sheet-statsubcol{
display:inline-block;
vertical-align:top;
width:45%;
}
.sheet-statcol1{
display:inline-block;
vertical-align:top;
width:35%;
}
.sheet-statcol2{
display:inline-block;
vertical-align:top;
width:20%;
}
.sheet-statcol3{
display:inline-block;
vertical-align:top;
width:40%;
margin-bottom:2em;
}
.sheet-statinputwrapper,
.sheet-statlabel, .sheet-statheading{
height:3em;
}
.sheet-statinputwrapper{
display:block;
}
.sheet-edgewrapper{
display:block;
}
.sheet-edgecheckboxwrapper{
display:inline-block;
vertical-align:top;
width:15%;
min-width:2.1em;
margin-left:-0.5em;
}
.sheet-specrolls,
.sheet-standardrolls,
.sheet-initiative,
.sheet-defense,
.sheet-limits,
.sheet-wounds,
.sheet-infoblock .sheet-weapon{
display:inline-block;
width:100%;
margin-bottom:2em;
}
.sheet-initiativelabel{
display:inline-block;
width:20%;
}
.sheet-initiativeattribute,
.sheet-initiativebonus,
.sheet-initiativedice,
.sheet-initiativerollwrapper{
display:inline-block;
width:10%;
}
.sheet-initiativelabelwrapper{
display:inline-block;
text-align:center;
vertical-align:bottom;
width:5%;
}
.sheet-initiativelabelwrapper label{
color:inherit;
font-weight:normal;
text-align:center;
margin-bottom: 0.25em;
}
.sheet-woundsrow div{
width:10%;
display:inline-block;
margin:0px 8% 0.5em 0%;
}
.sheet-woundsmodrow div{
width:19%;
display:inline-block;
}
.sheet-limitwrapper,
.sheet-armortotal{
display:inline-block;
width:20%;
}
.sheet-nuyentotallabel{
display:inline-block;
width:15%;
}
.sheet-nuyentotal,
.sheet-armortotallabel{
display:inline-block;
width:30%;
}
.sheet-movementrow label,
.sheet-magician label,
.sheet-technomancer label,
.sheet-specrolls label,
.sheet-charinforow label,
.sheet-defenselabel label,
.sheet-defensebonuslabel label,
.sheet-qualityrow label,
.sheet-initiationrow label,
.sheet-warerow label,
.sheet-contactsrow label,
.sheet-cyberprograms label,
.sheet-decklabelwrapper label,
.sheet-deckrowlabel label,
.sheet-skilllabel,
.sheet-equipmentlabel,
.sheet-vehiclelabel,
.sheet-vehicleskillmodlabel label,
.sheet-armorlabel,
.sheet-weaponlabel,
.sheet-ammolabel,
.sheet-initiativelabel label,
.sheet-standardrolls label,
.sheet-spelllabel,
.sheet-spirites label,
.sheet-spiritestable label,
.sheet-matrixactions label,
.sheet-wounds label,
.sheet-woundsmod label,
.sheet-limitlabels label{
width:100%;
font-size:80%;
color:inherit;
font-weight:bold;
margin-top:0.5em;
margin-bottom:-0.3em;
}
.sheet-rolllabel,
.sheet-spiritelabel,
.sheet-limitmodifier{
display:inline-block;
width:30%;
}
.sheet-limitdisplay{
display:inline-block;
width:60%;
}
.sheet-limitdisplayastral{
display:inline-block;
width:100%;
}
.sheet-infoblock .sheet-weaponmeleewrapper,
.sheet-infoblock .sheet-weaponcategorywrapper,
.sheet-infoblock .sheet-weaponaccuracywrapper,
.sheet-infoblock .sheet-weapondvwrapper,
.sheet-infoblock .sheet-weapondmgtypewrapper,
.sheet-infoblock .sheet-weaponapwrapper,
.sheet-infoblock .sheet-weaponrcwrapper,
.sheet-infoblock .sheet-weaponskillwrapper,
.sheet-infoblock .sheet-weaponbonuswrapper,
.sheet-infoblock .sheet-weaponnoteboxwrapper,
.sheet-infoblock .sheet-weaponunticked,
.sheet-infoblock .sheet-weaponticked,
.sheet-infoblock .sheet-weaponnoteswrapper,
.sheet-infoblock .sheet-weapon input[type="checkbox"],
.sheet-infoblock .sheet-ammonumberwrapper,
.sheet-infoblock .sheet-ammodvwrapper,
.sheet-infoblock .sheet-ammodmgtypewrapper,
.sheet-infoblock .sheet-ammoapwrapper,
.sheet-infoblock .sheet-ammoaccwrapper,
.sheet-infoblock .sheet-ammodescriptionwrapper,
.sheet-infoblock .sheet-ammolabels,
.sheet-infoblock .sheet-weapon .repcontrol_add,
.sheet-infoblock .sheet-weapon .repcontrol_edit{
display:none !important;
}
.sheet-infoblock .sheet-weaponnamewrapper{
width:50% !important;
}
.sheet-infoblock .sheet-ammonamewrapper{
width:calc(50% - 2em);
}
.sheet-infoblock .sheet-weaponmodewrapper,
.sheet-infoblock .sheet-ammonumberwrapper{
width:calc(50% - 5em);
}
.sheet-infoblock .sheet-ammorollwrapper{
width:3em;
}
.sheet-spiritestable{
width:90%;
margin-left:2%;
}
.sheet-charinfo,
.sheet-matrixactions,
.sheet-skills,
.sheet-knowledge,
.sheet-spells,
.sheet-vehicle,
.sheet-magician,
input.sheet-technomancycheckbox:checked ~ div.sheet-technomancer{
display:block;
width:90%;
margin:5em 0% 0% 2%;
text-align:left;
}
.sheet-skilllabels,
.sheet-spelllabels,
.sheet-weaponlabels,
.sheet-ammolabels,
.sheet-vehiclelabels{
width:100%;
}
.sheet-movementrow input,
.sheet-qualities input[type=text],
.sheet-qualities textarea,
.sheet-initiation input[type=text],
.sheet-ware input[type=text],
.sheet-ware textarea,
.sheet-contacts select,
.sheet-contacts input[type=text],
.sheet-contacts textarea,
.sheet-notesblock textarea,
.sheet-defense input,
.sheet-initiative input,
.sheet-limits input,
.sheet-limits select,
.sheet-woundsrow input,
.sheet-woundsmodrow input,
.sheet-skills input[type=text],
.sheet-skills input[type=number],
.sheet-skills select,
.sheet-matrixactions input[type=text],
.sheet-matrixactions input[type=number],
.sheet-matrixactions select,
.sheet-knowledge input[type=text],
.sheet-knowledge input[type=number],
.sheet-knowledge select,
.sheet-magician input[type=text],
.sheet-magician select,
.sheet-technomancer input[type=text],
.sheet-technomancer select,
.sheet-spells input[type=text],
.sheet-spells select,
.sheet-spiriterow input[type=text],
.sheet-spiriterow select,
.sheet-cyberdeck input[type=text],
.sheet-cyberdeck input[type=number],
.sheet-cyberprograms input[type=text],
.sheet-vehicle input[type=text],
.sheet-vehicle input[type=number],
.sheet-vehicle textarea,
.sheet-vehicle select,
.sheet-equipment input[type=text],
.sheet-equipment input[type=number],
.sheet-equipment textarea,
.sheet-weapon input[type=text],
.sheet-weapon input[type=number],
.sheet-weapon select,
.sheet-weapon textarea,
.sheet-armor input[type=text],
.sheet-armor textarea,
.sheet-charinfo input[type=text],
.sheet-charinfo textarea{
width:100%;
vertical-align:top;
background-color:#444444;
color:inherit;
border:none;
box-shadow:none;
height:100%;
box-sizing:border-box;
margin:0px;
text-align:center;
}
.sheet-wrapper textarea{
text-align:left !important;
}
input[disabled="true"]{
background-color:#111111 !important;
border:3px solid #444444 !important;
padding:1px !important;
}
.sheet-specroll{
margin-top:0.3em;
}
.sheet-armornamewrapper{
margin-left:calc(10%-1.5em);
}
.sheet-ammofieldset{
padding-bottom:1em;
}
.sheet-spiritetypewrapper{
vertical-align:top;
}
.sheet-movementrow div:not(.itemcontrol),
.sheet-specrolls div:not(.itemcontrol),
.sheet-standardroll div:not(.itemcontrol),
.sheet-skillrow div:not(.sheet-checkboxticker):not(.itemcontrol),
.sheet-mskillrow div:not(.sheet-checkboxticker):not(.itemcontrol),
.sheet-knowledge div:not(.sheet-checkboxticker):not(.itemcontrol),
.sheet-spells div:not(.sheet-checkboxticker):not(.itemcontrol),
.sheet-qualityrow div:not(.itemcontrol):not(.sheet-checkboxticker):not(.sheet-qualitynoteswrapper),
.sheet-initiationrow div:not(.itemcontrol),
.sheet-spiriterow div:not(.itemcontrol):not(.sheet-technobound):not(.sheet-magebound):not(.sheet-checkboxticker),
.sheet-warerow div:not(.sheet-checkboxticker):not(.sheet-warenoteswrapper):not(.itemcontrol),
.sheet-contactsrow div:not(.sheet-checkboxticker):not(.sheet-contactsnoteswrapper):not(.itemcontrol),
.sheet-programrow div:not(.sheet-checkboxticker):not(.itemcontrol),
.sheet-vehicle div:not(.sheet-checkboxticker):not(.sheet-vehicleskillmodelabel):not(.sheet-vehicleskillswrapper):not(.sheet-vehiclenoteswrapper):not(.sheet-vehicleweaponnoteswrapper):not(.sheet-vehicleweaponwrapper):not(.itemcontrol),
.sheet-equipmentrow div:not(.sheet-checkboxticker):not(.sheet-equipmentnoteswrapper):not(.itemcontrol),
.sheet-weaponrow div:not(.sheet-checkboxticker):not(.sheet-weaponnoteswrapper):not(.itemcontrol):not(.sheet-weaponrangerollwrapper):not(.sheet-weaponmeleerollwrapper),
.sheet-ammorow div:not(.sheet-checkboxticker):not(.itemcontrol):not(.sheet-ammofieldset):not(.sheet-ammolabels),
.sheet-ammolabels div:not(.sheet-checkboxticker):not(.itemcontrol):not(.sheet-ammofieldset):not(.sheet-ammolabels),
.sheet-armorrow div:not(.sheet-checkboxticker):not(.sheet-armornoteswrapper):not(.itemcontrol),
.sheet-armorlabels div:not(.itemcontrol),
.sheet-charinforow div:not(.itemcontrol):not(.sheet-checkboxticker){
display:inline-block;
vertical-align:top;
}
.sheet-armornamewrapper{
width:40%;
margin-left:calc(10% - 1.5em);
}
.sheet-armortotallabel,
.sheet-essencelabelwrapper{
margin-right:5%;
margin-left:5%;
margin-bottom:1em;
}
.sheet-mskillmodboxwrapper,
.sheet-vehicleskillmodboxwrapper{
min-width:2.1em;
margin-left:1%;
}
.sheet-mskillmodlabel{
width:30%;
}
.sheet-vehicleskillmodlabel{
margin-left:5%;
}
.sheet-vehicleskillmodlabel label,
.sheet-armortotallabel label,
.sheet-essencelabelwrapper label,
.sheet-mskillmodlabel label{
text-align:right;
position:relative;
bottom:0.25em;
}
.sheet-vehicleskillinputwrapper,
.sheet-metamagicdescriptionwrapper,
.sheet-programdescriptionwrapper{
width:60%;
}
.sheet-equipmentnamewrapper,
.sheet-specroll,
.sheet-qualitydescriptionwrapper,
.sheet-waredescriptionwrapper{
width:40%;
}
.sheet-equipmentdescriptionwrapper,
.sheet-charbackgroundwrapper,
.sheet-chardescriptionwrapper,
.sheet-charnoteswrapper{
width:32%;
}
.sheet-movementmethod,
.sheet-essencelabelwrapper{
width:30%;
}
.sheet-charnamewrapper,
.sheet-contactnamewrapper,
.sheet-contacttypewrapper,
.sheet-warenamewrapper,
.sheet-qualitynamewrapper,
.sheet-metamagicnamewrapper,
.sheet-programnamewrapper,
.sheet-ammodescriptionwrapper{
width:25%;
}
.sheet-spiritenamewrapper,
.sheet-charmetawrapper,
.sheet-spiritetypewrapper,
.sheet-spelldescriptionwrapper,
.sheet-vehiclenamewrapper{
width:20%;
}
.sheet-armorcapacitywrapper{
width:17%;
}
.sheet-charkarmawrapper,
.sheet-charkarmacareerwrapper,
.sheet-charnotorietywrapper,
.sheet-charpawarenesswrapper,
.sheet-charstreetcredwrapper,
.sheet-charistechnomancerwrapper{
width:16%;
}
.sheet-vehicleskilldodge,
.sheet-vehicleskillmaneuver,
.sheet-vehicleskillperception,
.sheet-vehicleskillsneak,
.sheet-movementtotal,
.sheet-movementfactor,
.sheet-mskillspecwrapper,
.sheet-contactconnectionwrapper,
.sheet-contactloyaltywrapper,
.sheet-contactsnoteswrapper,
.sheet-essencewrapper,
.sheet-skillnamewrapper,
.sheet-skillnoteswrapper,
.sheet-skillspecwrapper,
.sheet-mskillnamewrapper,
.sheet-mskillnoteswrapper,
.sheet-weaponnamewrapper,
.sheet-qualitykarmawrapper,
.sheet-wareessencewrapper,
.sheet-weaponcategorywrapper{
width:15%;
}
.sheet-ammodmgtypewrapper,
.sheet-armorratingwrapper,
.sheet-ammonamewrapper{
width:12%;
}
.sheet-charplayerwrapper,
.sheet-equipmentnumberwrapper,
.sheet-weapondmgtypewrapper,
.sheet-equipmentnoteslabel,
.sheet-charsexwrapper,
.sheet-charagewrapper,
.sheet-charheightwrapper,
.sheet-charweightwrapper,
.sheet-skillattributewrapper,
.sheet-skilllimitwrapper,
.sheet-mskillattributewrapper,
.sheet-mskilllimitwrapper,
.sheet-spellcategorywrapper,
.sheet-spellsourcewrapper,
.sheet-spellnamewrapper,
.sheet-spellschoolwrapper,
.sheet-equipmentnumberwrapper,
.sheet-vehicletestwrapper,
.sheet-weaponmodewrapper{
width:10%;
}
.sheet-ammoaccwrapper{
width:8%;
}
.sheet-vehicleskillother,
.sheet-vehicleskillinitiative,
.sheet-vehicleskillsoak,
.sheet-vehiclecostwrapper{
width:7%;
}
.sheet-spiriterollwrapper,
.sheet-spiriteserviceswrapper,
.sheet-spiriteforcewrapper,
.sheet-spriterollwrapper,
.sheet-ammodvwrapper,
.sheet-ammoapwrapper,
.sheet-ammorollwrapper,
.sheet-ammonumberwrapper,
.sheet-ammomaxwrapper{
width:6.5%;
}
.sheet-vehicleboxwrapper,
.sheet-vehicleskillmodinput,
.sheet-weaponmeleewrapper,
.sheet-skillratingwrapper,
.sheet-skillbonuswrapper,
.sheet-skilllimitbonuswrapper,
.sheet-skilldicepoolwrapper,
.sheet-mskillratingwrapper,
.sheet-mskillbonuswrapper,
.sheet-mskilllimitbonuswrapper,
.sheet-mskilldicepoolwrapper,
.sheet-spelltypewrapper,
.sheet-spellrangewrapper,
.sheet-spellrangewrapper,
.sheet-spelldurationwrapper,
.sheet-spelldrainwrapper,
.sheet-spellspecializedwrapper,
.sheet-vehiclehandwrapper,
.sheet-vehiclespeedwrapper,
.sheet-vehicleacclwrapper,
.sheet-vehiclepilotwrapper,
.sheet-vehiclesenswrapper,
.sheet-vehicleseatswrapper,
.sheet-vehiclebodywrapper,
.sheet-vehiclearmorwrapper,
.sheet-vehicleskillwrapper,
.sheet-vehicletestwrapper,
.sheet-weaponaccuracywrapper,
.sheet-weapondvwrapper,
.sheet-weaponapwrapper,
.sheet-weaponrcwrapper,
.sheet-weaponaccuracywrapper,
.sheet-weaponskillwrapper,
.sheet-weaponautosoftwrapper,
.sheet-weaponbonuswrapper,
.sheet-weaponrangerollwrapper,
.sheet-weaponmeleerollwrapper{
width:5%;
}
.sheet-programloadedwrapper{
width:2.5em;
}
.sheet-vehiclenoteboxwrapper{
width:2em;
}
.sheet-armorwornwrapper,
.sheet-armornoteboxwrapper,
.sheet-weaponnoteboxwrapper{
width:1.5em;
}
.sheet-deckrowlabel{
display:inline-block;
width:10%;
}
.sheet-deckinputwrapper{
display:inline-block;
width:15%;
}
.sheet-decklabelwrapper{
display:inline-block;
width:15%;
}
.sheet-skillspecwrapper input[type="text"],
.sheet-skillspecwrapper input[type="checkbox"]:checked,
.sheet-mskillspecwrapper input[type="text"],
.sheet-mskillspecwrapper input[type="checkbox"]:checked{
display:none;
}
.sheet-skillspecwrapper input[type="checkbox"]:checked ~ input[type="text"],
.sheet-mskillspecwrapper input[type="checkbox"]:checked ~ input[type="text"]{
display:inline-block;
}
.sheet-skillbuttonwrapper{
margin-left:-0.43%;
}
.sheet-defenselabel{
display:inline-block;
width:20%;
}
.sheet-defensebonuslabel{
display:inline-block;
width:10%;
}
.sheet-magiciansorcery,
.sheet-magicianalchemy,
.sheet-magicianritual,
.sheet-magiciansummoning,
.sheet-magicianbinding,
.sheet-magiciandrainattribute,
.sheet-magicianlimit,
.sheet-magiciansoftware,
.sheet-magiciancompiling,
.sheet-magicianregistering,
.sheet-magicianfadeattribute{
display:inline-block;
width:30%;
margin-bottom:0.3em;
vertical-align:top;
}
.sheet-magicianalchemy,
.sheet-magiciandrainattribute,
.sheet-magicianbinding,
.sheet-magicianfadeattribute,
.sheet-magicianregistering{
margin-left:18%;
}
.sheet-magiciansorcery div,
.sheet-magicianalchemy div,
.sheet-magicianritual div,
.sheet-magiciansummoning div,
.sheet-magicianbinding div,
.sheet-magiciansoftware div,
.sheet-magiciancompiling div,
.sheet-magicianregistering div{
display:inline-block;
width:12%;
}
.sheet-magiciansorcery label,
.sheet-magicianalchemy label,
.sheet-magicianritual label,
.sheet-magiciansummoning label,
.sheet-magicianbinding label,
.sheet-magiciansoftware label,
.sheet-magiciancompiling label,
.sheet-magicianregistering label,
.sheet-magiciandrainattribute label,
.sheet-magicianlimit label{
display:inline-block;
width:45%;
margin-right:15%;
}
.sheet-magiciandrainattribute div{
display:inline-block;
width:30%;
}
.sheet-spellbuttonwrapper{
margin-left:-1.5%;
}
.sheet-vehicles{
width:100%;
}
.sheet-vehiclespacer{
margin-right:calc(5% - 2em);
}
.sheet-vehicleskillmodelabel{
width:7%;
margin-left:-7%;
}
.sheet-vehicleskillmodelabel label{
width:100%;
display:inline-block;
font-size:80%;
color:inherit;
font-weight:bold;
background-color:#550000;
text-align:center;
border-radius:5px;
}
.sheet-vehiclemode{
opacity:0;
width:7%;
display:none;
}
.sheet-vehicleskillmodelabel{
display:none;
}
.sheet-vehiclemode0:checked ~ .sheet-vehiclemode1,
.sheet-vehiclemode0:checked ~ .sheet-vehiclelabel0{
display:inline-block;
}
.sheet-vehiclemode1:checked ~ .sheet-vehiclemode2,
.sheet-vehiclemode1:checked ~ .sheet-vehiclelabel1{
display:inline-block;
}
.sheet-vehiclemode2:checked ~ .sheet-vehiclemode3,
.sheet-vehiclemode2:checked ~ .sheet-vehiclelabel2{
display:inline-block;
}
.sheet-vehiclemode3:checked ~ .sheet-vehiclemode0,
.sheet-vehiclemode3:checked ~ .sheet-vehiclelabel3{
display:inline-block;
}
.sheet-pilotroll,
.sheet-vehiclemode3:checked ~ div div div div div div button.sheet-autopilotroll{
display:inline-block;
}
.sheet-vehiclemode3:checked ~ div button.sheet-pilotroll,
.sheet-autopilotroll{
display:none;
}
.sheet-initiationrow,
.sheet-movementrow,
.sheet-qualityrow,
.sheet-warerow,
.sheet-contactsrow,
.sheet-charinforow,
.sheet-spiriterow,
.sheet-rollrow,
.sheet-defenserow,
.sheet-spellrow,
.sheet-armorrow,
.sheet-limitfields,
.sheet-limitlabels,
.sheet-woundsrow,
.sheet-woundsmodrow,
.sheet-initiativerow,
.sheet-programrow,
.sheet-deckrow,
.sheet-mskillrow,
.sheet-vehiclerow,
.sheet-equipmentrow,
.sheet-weaponrow,
.sheet-skillrow{
width:100%;
display:inline-block;
margin-top:0.3em;
}
.sheet-vehicleskillrow,
.sheet-vehicleweaponrow,
.sheet-ammorow,
.sheet-ammolabels{
width:90%;
display:inline-block;
margin-left:7%;
margin-top:0.3em;
}
.sheet-vehicleammorow,
.sheet-vehicleammolabels{
width:95%;
display:inline-block;
margin-left:3%;
margin-top:0.3em;
}
.sheet-contactsnoteswrapper,
.sheet-vehiclenoteswrapper,
.sheet-vehicleweaponnoteswrapper{
width:85%;
padding-top:0.3em;
}
.sheet-warenoteswrapper,
.sheet-nuyennoteswrapper,
.sheet-armornoteswrapper,
.sheet-qualitynoteswrapper,
.sheet-equipmentnoteswrapper{
width:95%;
padding-top:0.3em;
}
.sheet-weaponnoteswrapper{
width:100%;
padding-top:0.3em;
}
.sheet-chartextsize textarea{
min-height:14em;
}
.sheet-notesblock{
height:25em;
}
.sheet-charinfo textarea,
.sheet-notesblock textarea,
.sheet-vehiclenoteswrapper textarea,
.sheet-qualitynoteswrapper textarea,
.sheet-warenoteswrapper textarea,
.sheet-contactsnoteswrapper textarea,
.sheet-equipmentnoteswrapper textarea,
.sheet-nuyennoteswrapper textarea,
.sheet-armornoteswrapper textarea,
.sheet-weaponnoteswrapper textarea{
resize:vertical;
width:100%;
height:100%;
min-height:8em;
}
.sheet-vehiclenoteswrapper,
.sheet-vehicleskillswrapper,
.sheet-vehicleweaponwrapper,
.sheet-vehicleweaponnoteswrapper,
.sheet-equipmentnoteswrapper,
.sheet-nuyennoteswrapper,
.sheet-warenoteswrapper,
.sheet-qualitynoteswrapper,
.sheet-contactsnoteswrapper,
.sheet-armornoteswrapper,
.sheet-weaponnoteswrapper{
display:none;
}
input.sheet-vehicleshowweaponcheckbox:checked ~ div.sheet-vehicleweaponwrapper,
input.sheet-vehiclenotescheckbox:checked ~ div.sheet-vehiclenoteswrapper,
input.sheet-vehicleskillscheckbox:checked ~ div.sheet-vehicleskillswrapper,
input.sheet-vehicleweaponcheckbox:checked ~ div.sheet-vehicleweaponnoteswrapper,
input.sheet-armornotescheckbox:checked ~ div.sheet-armornoteswrapper,
input.sheet-warecheckbox:checked ~ div.sheet-warenoteswrapper,
input.sheet-qualitycheckbox:checked ~ div.sheet-qualitynoteswrapper,
input.sheet-contactscheckbox:checked ~ div.sheet-contactsnoteswrapper,
input.sheet-equipmentcheckbox:checked ~ div.sheet-equipmentnoteswrapper,
input.sheet-nuyencheckbox:checked ~ div.sheet-nuyennoteswrapper,
input.sheet-weaponcheckbox:checked ~ div.sheet-weaponnoteswrapper{
display:block;
}
.sheet-rolltemplate-shadowrun table{
background-color:#111111;
border:4px solid #550000;
color:#eebb99;
text-align:left;
font-size:1em;
width:100%;
margin-right:5%;
}
.sheet-rolltemplate-shadowrun img{
float:left;
width:auto;
height:3em;
}
.sheet-rolltemplate-shadowrun table th{
background-color:#444444;
text-align:center;
color:#eebb99;
margin:0px;
font-size:1.5em;
}
.sheet-rolltemplate-results-success{
font-size:1.5em;
text-align:center;
margin:5em 0em 5em 0em;
color:#99eeee;
}
.sheet-rolltemplate-results-fail{
font-size:1.5em;
text-align:center;
margin:5em 0em 5em 0em;
color:#ee99bb;
}
.sheet-rolltemplate-after{
font-size:1.2em;
text-align:left;
}
.sheet-rolltemplate-spacer{
display:block;
width:calc(100%+2px);
border:1px solid #550000;
vertical-align:top;
margin:-1px -3px 0px -3px;
padding:1px;
}
.sheet-rolltemplate-limit{
color:#aaaaee;
width:100%;
font-style:italic;
}
.sheet-rolltemplate-description{
color:#eeeeee;
font-size:0.8em;
}
.sheet-rolltemplate-sectionheading{
color:#550000;
font-size:0.8em;
text-align:center;
}
.sheet-rolltemplate-shadowrun table .inlinerollresult{
border:none !important;
background-color:inherit;
}
| symposion/roll20-character-sheets | Shadowrun5th/Shadowrun5th.css | CSS | mit | 32,236 |
//
// StatsViewController.swift
// Meet
//
// Created by Benjamin Encz on 12/1/15.
// Copyright © 2015 DigiTales. All rights reserved.
//
import UIKit
import ReSwift
import ReSwiftRouter
class StatsViewController: UIViewController, Routable {
static let identifier = "StatsViewController"
var infoViewController: Routable!
func pushRouteSegment(_ viewControllerIdentifier: RouteElementIdentifier,
animated: Bool,
completionHandler: @escaping RoutingCompletionHandler) -> Routable {
infoViewController = UIStoryboard(name: "Main", bundle: nil)
.instantiateViewController(withIdentifier: "InfoViewController") as? Routable
present(infoViewController as! UIViewController, animated: false,
completion: completionHandler)
return infoViewController
}
func popRouteSegment(_ identifier: RouteElementIdentifier,
animated: Bool,
completionHandler: @escaping RoutingCompletionHandler) {
dismiss(animated: false, completion: completionHandler)
}
@IBAction func pushButtonTapped(_ sender: Any) {
_ = mainStore.dispatch(
SetRouteAction(["TabBarViewController", StatsViewController.identifier,
InfoViewController.identifier])
)
}
}
| Swift-Flow/CounterExample | ReSwiftCounterExample/ViewControllers/StatsViewController.swift | Swift | mit | 1,332 |
/**
* Copyright (c) Microsoft Corporation. All rights reserved.
* Licensed under the MIT License. See License.txt in the project root for
* license information.
*
* Code generated by Microsoft (R) AutoRest Code Generator.
*/
package com.microsoft.azure.management.netapp.v2019_08_01;
import com.fasterxml.jackson.annotation.JsonProperty;
/**
* Dimension of blobs, possibly be blob type or access tier.
*/
public class Dimension {
/**
* Display name of dimension.
*/
@JsonProperty(value = "name")
private String name;
/**
* Display name of dimension.
*/
@JsonProperty(value = "displayName")
private String displayName;
/**
* Get display name of dimension.
*
* @return the name value
*/
public String name() {
return this.name;
}
/**
* Set display name of dimension.
*
* @param name the name value to set
* @return the Dimension object itself.
*/
public Dimension withName(String name) {
this.name = name;
return this;
}
/**
* Get display name of dimension.
*
* @return the displayName value
*/
public String displayName() {
return this.displayName;
}
/**
* Set display name of dimension.
*
* @param displayName the displayName value to set
* @return the Dimension object itself.
*/
public Dimension withDisplayName(String displayName) {
this.displayName = displayName;
return this;
}
}
| selvasingh/azure-sdk-for-java | sdk/netapp/mgmt-v2019_08_01/src/main/java/com/microsoft/azure/management/netapp/v2019_08_01/Dimension.java | Java | mit | 1,532 |
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<html>
<head>
<!-- Generated by DocFlex/XML 1.9.5 on Tue Nov 18 22:20:21 EST 2014 -->
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
<title>simpleType "D2LogicalModel:VehicleStatusEnum" | XML Schema Documentation</title>
<link rel="stylesheet" type="text/css" href="../../../stylesheet.css" title="Style">
<script type="text/javascript">
window.onload = function() {
parent.document.title="simpleType \"D2LogicalModel:VehicleStatusEnum\" | XML Schema Documentation";
}
</script>
</head>
<body>
<div class="a1A"><span class="a2">simpleType "D2LogicalModel:VehicleStatusEnum"</span></div>
<table cellspacing="0" cellpadding="0" border="0">
<tr>
<td valign="top"><div class="a1F"><span class="a20">Namespace:</span></div></td>
<td><div class="a21"><span class="a12"><a href="../../../namespaces/http_datex2_eu_schema_2_0RC1_2_0/namespace-overview.html">http://datex2.eu/schema/2_0RC1/2_0</a></span></div></td>
</tr>
<tr>
<td valign="top"><div class="a1F"><span class="a20">Defined:</span></div></td>
<td><div class="a21"><span class="a22">globally in <a href="../schema-overview.html" title="XML Schema “DATEXIISchema_2_0RC1_2_0.xsd”">DATEXIISchema_2_0RC1_2_0.xsd</a>; see <a href="#xml_source">XML source</a></span></div></td>
</tr>
<tr>
<td valign="top"><div class="a1F"><span class="a20">Used:</span></div></td>
<td><div class="a21"><span class="a22">at 1 <a href="#a2">location</a></span></div></td>
</tr>
</table>
<div class="a1B"></div>
<a name="xml_rep_summary"></a>
<table width="100%" cellspacing="0" cellpadding="0" border="0" class="a2D">
<tr>
<td class="a3E"><div class="a3F"><span class="a40">Simple Content Model</span></div></td>
</tr>
<tr>
<td class="a5A"><div><span class="a53">"abandoned" | "brokenDown" | "burntOut" | "damaged" | "damagedAndImmobilized" | "onFire"</span></div></td>
</tr>
</table>
<div class="a11"></div>
<div class="a4A"><span class="a2B">All Direct / Indirect Based Elements (1):</span></div>
<dl class="aD"><dd>
<div><a href="../elements/vehicleStatus.html" title="unified local element">D2LogicalModel:vehicleStatus</a><span class="a26"> (type </span><a href="VehicleStatusEnum.html" title="simpleType" target="detailFrame" class="a27">D2LogicalModel:VehicleStatusEnum</a><span class="a26">)</span></div>
</dd></dl>
<div class="a2A"><a name="a2"></a><span class="a2B">Known Usage Locations</span></div>
<ul class="a54">
<li class="a55">
<div class="a16"><span class="a56">As direct type of elements (1):</span></div>
<div><a href="../elements/vehicleStatus.html" title="unified local element">D2LogicalModel:vehicleStatus</a><span class="a26"> (type </span><a href="VehicleStatusEnum.html" title="simpleType" target="detailFrame" class="a27">D2LogicalModel:VehicleStatusEnum</a><span class="a26">)</span></div>
</li>
</ul>
<div class="a2C"><a name="type_def_detail"></a><span class="a6">Type Definition Detail</span></div>
<div class="a52"></div>
<table width="100%" cellspacing="0" cellpadding="5" border="0" class="a2D">
<tr>
<td>
<div class="a57"><span class="a58">Type Derivation Tree</span></div>
<div class="aF"><span class="a44">xs:string </span><span class="a59">(restriction)</span></div>
<div class="aF"><span class="a44"> <img src="../../../resources/inherit.gif" width="15" height="14" alt=""></span><span class="a1C">D2LogicalModel:VehicleStatusEnum</span></div>
</td>
</tr>
</table>
<div class="a52"></div>
<table cellspacing="0" cellpadding="0" border="0">
<tr>
<td valign="top"><div class="a1F"><span class="a20">Derivation:</span></div></td>
<td colspan="2">
<div class="a21"><span class="a28">restriction of </span><span class="a12">xs:string</span></div>
</td>
</tr>
</table>
<div class="a2C"><a name="xml_source"></a><span class="a6">XML Source </span><span class="a1D">(<a href="../schema-overview.html#a1037">see</a> within schema source)</span></div>
<table width="100%" cellspacing="0" cellpadding="5" border="0" class="a2D">
<tr>
<td>
<div><span class="a2E"><</span><span class="a2F">xs:simpleType name</span><span class="a2E">="</span><a href="VehicleStatusEnum.html" class="a31">VehicleStatusEnum</a><span class="a2E">"></span></div>
<div class="a34">
<span class="a2E"><</span><span class="a2F">xs:restriction base</span><span class="a2E">="</span><span class="a30">xs:string</span><span class="a2E">"></span>
<div class="a34">
<span class="a2E"><</span><span class="a2F">xs:enumeration value</span><span class="a2E">="</span><span class="a30">abandoned</span><span class="a2E">"/></span>
<div><span class="a2E"><</span><span class="a2F">xs:enumeration value</span><span class="a2E">="</span><span class="a30">brokenDown</span><span class="a2E">"/></span></div>
<div><span class="a2E"><</span><span class="a2F">xs:enumeration value</span><span class="a2E">="</span><span class="a30">burntOut</span><span class="a2E">"/></span></div>
<div><span class="a2E"><</span><span class="a2F">xs:enumeration value</span><span class="a2E">="</span><span class="a30">damaged</span><span class="a2E">"/></span></div>
<div><span class="a2E"><</span><span class="a2F">xs:enumeration value</span><span class="a2E">="</span><span class="a30">damagedAndImmobilized</span><span class="a2E">"/></span></div>
<div><span class="a2E"><</span><span class="a2F">xs:enumeration value</span><span class="a2E">="</span><span class="a30">onFire</span><span class="a2E">"/></span></div>
</div>
<span class="a2E"></</span><span class="a2F">xs:restriction</span><span class="a2E">></span>
</div>
<div><span class="a2E"></</span><span class="a2F">xs:simpleType</span><span class="a2E">></span></div>
</td>
</tr>
</table>
<div class="a13"><hr class="a14"></div>
<table width="100%" cellspacing="0" cellpadding="4" border="0" class="a15">
<tr>
<td>
<div class="a16"><span class="a17">This XML schema documentation has been generated with <a href="http://www.filigris.com/docflex-xml/" target="_blank">DocFlex/XML</a> 1.9.5 using <a href="http://www.filigris.com/docflex-xml/xsddoc/" target="_blank">DocFlex/XML XSDDoc</a> 2.8.1 template set.</span></div>
<div class="a16"><span class="a17"><a href="http://www.filigris.com/docflex-xml/" target="_blank">DocFlex/XML</a> is a tool for programming and running highly sophisticated documentation and reports generators by the data obtained from
any kind of XML files. The actual doc-generators are implemented in the form of special templates that are designed visually
using a high-quality Template Designer GUI basing on the XML schema (or DTD) files describing the data source XML.</span></div>
<div class="a16"><span class="a17"><a href="http://www.filigris.com/docflex-xml/xsddoc/" target="_blank">DocFlex/XML XSDDoc</a> is a commercial template application of <a href="http://www.filigris.com/docflex-xml/" target="_blank">DocFlex/XML</a> that implements a high-quality XML Schema documentation generator with simultaneous support of framed multi-file HTML,
single-file HTML and RTF output formats. (More formats are planned in the future).</span></div>
<div class="a16"><span class="a17">A commercial license for "<a href="http://www.filigris.com/docflex-xml/xsddoc/" target="_blank">DocFlex/XML XSDDoc</a>" will allow you:</span></div>
<ul class="a18">
<li>
<div class="a0">
<div><span class="a17">To configure the generated documentation so much as you want.
Thanks to our template technology, it was possible to support > 400 template parameters, which work the same as "options"
of ordinary doc-generators. The parameters are organized in nested groups, which form a parameter tree. Most of them
have their default values calculated dynamically from a few primary parameters. So, you'll never need to specify all of them.
That will give you swift and effective control over the generated content!</span></div>
</div>
</li>
<li>
<div class="a0">
<div><span class="a17">To use certain features disabled in the free mode (such as the full documenting of substitution groups).</span></div>
</div>
</li>
<li>
<div class="a0">
<div><span class="a17">To select only the initial, imported, included, redefined XML schemas to be documented
or only those directly specified by name.</span></div>
</div>
</li>
<li>
<div class="a0">
<div><span class="a17">To include only XML schema components specified by name.</span></div>
</div>
</li>
<li>
<div class="a0">
<div><span class="a17">To document local element components both globally and locally (similar to attributes).</span></div>
</div>
</li>
<li>
<div class="a0">
<div><span class="a17">To allow/suppress unification of local elements by type.</span></div>
</div>
</li>
<li>
<div class="a0">
<div><span class="a17">To enable/disable reproducing of namespace prefixes.</span></div>
</div>
</li>
<li>
<div class="a0">
<div><span class="a17">To use <a href="http://www.filigris.com/docflex-xml/xsddoc/#PlainDoc.tpl" target="_blank">PlainDoc.tpl</a> main template to generate all the XML schema documentation in a signle-file form as both HTML
and incredible quality RTF output.</span></div>
</div>
</li>
<li>
<div class="a0">
<div><span class="a17">To format your annotations with XHTML tags and reproduce that formatting both in HTML and RTF output.</span></div>
</div>
</li>
<li>
<div class="a0">
<div><span class="a17">To insert images in your annotations using XHTML <img> tags (supported both in HTML and RTF output).</span></div>
</div>
</li>
<li>
<div class="a0">
<div><span class="a19">To remove this very advertisement text!</span></div>
</div>
</li>
</ul>
<div class="a11"><span class="a17">Once having only such a license, you will be able to run the fully-featured XML schema documentation generator both with <a href="http://www.filigris.com/docflex-xml/#full_edition" target="_blank">DocFlex/XML (Full Edition)</a> and with <a href="http://www.filigris.com/docflex-xml/#docflex-xml-re" target="_blank">DocFlex/XML RE</a>, which is a reduced free edition containing only the template interpretor / output generator. No other licenses will be required!</span></div>
<div class="a11"><span class="a17">But this is not all. In addition to it, a commercial license for "<a href="http://www.filigris.com/docflex-xml/#docflex-xml-sdk" target="_blank">DocFlex/XML SDK</a>" will allow you to modify the <a href="http://www.filigris.com/docflex-xml/xsddoc/" target="_blank">XSDDoc</a> templates themselves as much as you want. You will be able to achieve whatever was impossible to do with the template parameters only.
And, of course, you could develop any template applications by your own!</span></div>
<div class="a11"><span class="a19">Please note that by purchasing a license for this software, you not only acquire a useful tool,
you will also make an important investment in its future development, the results of which you could enjoy later by yourself.
Every single your purchase matters and makes a difference for us!</span></div>
<div class="a11"><span class="a17">To purchase a license, please follow this link: <a href="http://www.filigris.com/shop/" target="_blank">http://www.filigris.com/shop/</a></span></div>
</td>
</tr>
</table>
</body>
</html> | camsys/onebusaway-siri-api-v20 | doc/schemas/DATEXIISchema_2_0RC1_2_0_xsd/simpleTypes/VehicleStatusEnum.html | HTML | mit | 11,410 |
using System;
using System.Windows.Controls;
using System.Windows.Controls.Primitives;
namespace MediaBrowser.Theater.Presentation.Controls
{
/// <summary>
/// Class ListFocuser
/// </summary>
public class ListFocuser
{
/// <summary>
/// The _list box
/// </summary>
private readonly ItemsControl _listBox;
/// <summary>
/// The _index
/// </summary>
private int _index;
/// <summary>
/// Initializes a new instance of the <see cref="ListFocuser"/> class.
/// </summary>
/// <param name="listBox">The list box.</param>
public ListFocuser(ItemsControl listBox)
{
_listBox = listBox;
}
/// <summary>
/// Focuses the after containers generated.
/// </summary>
/// <param name="index">The index.</param>
public void FocusAfterContainersGenerated(int index)
{
_index = index;
_listBox.ItemContainerGenerator.StatusChanged -= ItemContainerGenerator_StatusChanged;
var item = _listBox.ItemContainerGenerator.ContainerFromIndex(_index) as ListBoxItem;
if (item != null)
{
item.Focus();
}
else
{
_listBox.ItemContainerGenerator.StatusChanged += ItemContainerGenerator_StatusChanged;
}
}
/// <summary>
/// Handles the StatusChanged event of the ItemContainerGenerator control.
/// </summary>
/// <param name="sender">The source of the event.</param>
/// <param name="e">The <see cref="EventArgs"/> instance containing the event data.</param>
async void ItemContainerGenerator_StatusChanged(object sender, EventArgs e)
{
var container = (ItemContainerGenerator)sender;
if (container.Status == GeneratorStatus.ContainersGenerated)
{
await _listBox.Dispatcher.InvokeAsync(() =>
{
var item = _listBox.ItemContainerGenerator.ContainerFromIndex(_index) as ListBoxItem;
if (item != null)
{
item.Focus();
_listBox.ItemContainerGenerator.StatusChanged -= ItemContainerGenerator_StatusChanged;
}
});
}
}
}
}
| thogil/MediaBrowser.Theater | MediaBrowser.Theater.Presentation/Controls/ListFocuser.cs | C# | mit | 2,441 |
#
# Cookbook Name:: typesafe-stack
# Recipe:: default
#
# Copyright 2012, Gilles Cornu
#
# Permission is hereby granted, free of charge, to any person obtaining
# a copy of this software and associated documentation files (the
# "Software"), to deal in the Software without restriction, including
# without limitation the rights to use, copy, modify, merge, publish,
# distribute, sublicense, and/or sell copies of the Software, and to
# permit persons to whom the Software is furnished to do so, subject to
# the following conditions:
#
# The above copyright notice and this permission notice shall be
# included in all copies or substantial portions of the Software.
#
# THE SOFTWARE IS 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. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE
# LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION
# OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION
# WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
#
apt_packaging = platform?("debian", "ubuntu")
yum_packaging = platform?("redhat", "centos", "scientific", "fedora", "suse", "amazon")
include_recipe "java"
include_recipe "apt" if apt_packaging
include_recipe "yum" if yum_packaging
if yum_packaging
# Add the RPM/YUM Repository
yum_repository "typesafe" do
url "http://rpm.typesafe.com/"
action :add
end
elsif apt_packaging
# Add the DEB/APT Repository
apt_repository "typesafe" do
uri "http://apt.typesafe.com/"
distribution "unicorn"
components ["main"]
#key "https://somewhere.typesafe.com/.../typesafe-repo-public.asc" # there is no official web site to download this key.
key "typesafe-repo-public.asc" # The public key of this repository is packaged in the cookbook
action :add
end
end
# Install "all" (sbt + g8)
package "typesafe-stack"
| 1cochan/vagrant-playframework | chef/cookbooks/typesafe-stack/recipes/default.rb | Ruby | mit | 1,998 |
#!/usr/bin/env node
// This tool fetches the radio program from the interwebs and
// generates a data file to be used from it
const _ = require('lodash');
const BPromise = require('bluebird');
const fs = require('fs');
const path = require('path');
const request = require('request');
const requestAsync = BPromise.promisify(request, { multiArgs: true });
const RADIOS = [
{
name: 'radio-diodi',
url: 'https://radiodiodi.fi/api/programmes',
preBroadcastShow: {
id: 'id',
start: '2017-03-25T09:00:00.000Z',
end: '2017-04-18T09:00:00+03:00',
title: 'Live Tue April 18th at 9:00',
host: '',
prod: '',
desc: '',
photo: '',
thumb: '',
},
},
{
name: 'wappu-radio',
url: 'https://wappuradio.fi/api/programs',
preBroadcastShow: {
id: 'id',
start: '2017-03-25T09:00:00.000Z',
end: '2017-04-19T14:00:00+03:00',
title: 'Live Wed April 19th at 14:00',
host: '',
prod: '',
desc: '',
photo: '',
thumb: '',
},
},
];
function main() {
_.forEach(RADIOS, function(radio) {
const outputFile = path.resolve(__dirname, '..', 'data', `${radio.name}-program.json`);
const url = radio.url;
fetchProgram(url).then(programs => {
const formattedPrograms = format(programs, radio.name);
const programsJson = JSON.stringify(_.concat(radio.preBroadcastShow, formattedPrograms), null, 2);
fs.writeFileSync(outputFile, programsJson);
});
});
}
function fetchProgram(url) {
return requestAsync(url).then(responseAndBody => {
const body = responseAndBody[1];
return JSON.parse(body)
});
}
function format(programs, radioName) {
return _.map(programs, function(program) {
switch (radioName) {
case 'radio-diodi':
return {
id: 'id',
start : program['start'],
end: program['end'],
title: program['title'],
host: program['host'],
prod: '',
desc: '',
photo: '',
thumb: '',
};
case 'wappu-radio':
return program;
default:
console.error('Attempted to format unrecognized radio\'s program');
process.exit(2);
break;
}
});
}
main();
| kaupunki-apina/prahapp-backend | tools/fetch-wappu-radio-program.js | JavaScript | mit | 2,266 |
/*! jQuery v1.11.1 | (c) 2005, 2014 jQuery Foundation, Inc. | jquery.org/license */
!function(a,b){"object"==typeof module&&"object"==typeof module.exports?module.exports=a.document?b(a,!0):function(a){if(!a.document)throw new Error("jQuery requires a window with a document");return b(a)}:b(a)}("undefined"!=typeof window?window:this,function(a,b){var c=[],d=c.slice,e=c.concat,f=c.push,g=c.indexOf,h={},i=h.toString,j=h.hasOwnProperty,k={},l="1.11.1",m=function(a,b){return new m.fn.init(a,b)},n=/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,o=/^-ms-/,p=/-([\da-z])/gi,q=function(a,b){return b.toUpperCase()};m.fn=m.prototype={jquery:l,constructor:m,selector:"",length:0,toArray:function(){return d.call(this)},get:function(a){return null!=a?0>a?this[a+this.length]:this[a]:d.call(this)},pushStack:function(a){var b=m.merge(this.constructor(),a);return b.prevObject=this,b.context=this.context,b},each:function(a,b){return m.each(this,a,b)},map:function(a){return this.pushStack(m.map(this,function(b,c){return a.call(b,c,b)}))},slice:function(){return this.pushStack(d.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},eq:function(a){var b=this.length,c=+a+(0>a?b:0);return this.pushStack(c>=0&&b>c?[this[c]]:[])},end:function(){return this.prevObject||this.constructor(null)},push:f,sort:c.sort,splice:c.splice},m.extend=m.fn.extend=function(){var a,b,c,d,e,f,g=arguments[0]||{},h=1,i=arguments.length,j=!1;for("boolean"==typeof g&&(j=g,g=arguments[h]||{},h++),"object"==typeof g||m.isFunction(g)||(g={}),h===i&&(g=this,h--);i>h;h++)if(null!=(e=arguments[h]))for(d in e)a=g[d],c=e[d],g!==c&&(j&&c&&(m.isPlainObject(c)||(b=m.isArray(c)))?(b?(b=!1,f=a&&m.isArray(a)?a:[]):f=a&&m.isPlainObject(a)?a:{},g[d]=m.extend(j,f,c)):void 0!==c&&(g[d]=c));return g},m.extend({expando:"jQuery"+(l+Math.random()).replace(/\D/g,""),isReady:!0,error:function(a){throw new Error(a)},noop:function(){},isFunction:function(a){return"function"===m.type(a)},isArray:Array.isArray||function(a){return"array"===m.type(a)},isWindow:function(a){return null!=a&&a==a.window},isNumeric:function(a){return!m.isArray(a)&&a-parseFloat(a)>=0},isEmptyObject:function(a){var b;for(b in a)return!1;return!0},isPlainObject:function(a){var b;if(!a||"object"!==m.type(a)||a.nodeType||m.isWindow(a))return!1;try{if(a.constructor&&!j.call(a,"constructor")&&!j.call(a.constructor.prototype,"isPrototypeOf"))return!1}catch(c){return!1}if(k.ownLast)for(b in a)return j.call(a,b);for(b in a);return void 0===b||j.call(a,b)},type:function(a){return null==a?a+"":"object"==typeof a||"function"==typeof a?h[i.call(a)]||"object":typeof a},globalEval:function(b){b&&m.trim(b)&&(a.execScript||function(b){a.eval.call(a,b)})(b)},camelCase:function(a){return a.replace(o,"ms-").replace(p,q)},nodeName:function(a,b){return a.nodeName&&a.nodeName.toLowerCase()===b.toLowerCase()},each:function(a,b,c){var d,e=0,f=a.length,g=r(a);if(c){if(g){for(;f>e;e++)if(d=b.apply(a[e],c),d===!1)break}else for(e in a)if(d=b.apply(a[e],c),d===!1)break}else if(g){for(;f>e;e++)if(d=b.call(a[e],e,a[e]),d===!1)break}else for(e in a)if(d=b.call(a[e],e,a[e]),d===!1)break;return a},trim:function(a){return null==a?"":(a+"").replace(n,"")},makeArray:function(a,b){var c=b||[];return null!=a&&(r(Object(a))?m.merge(c,"string"==typeof a?[a]:a):f.call(c,a)),c},inArray:function(a,b,c){var d;if(b){if(g)return g.call(b,a,c);for(d=b.length,c=c?0>c?Math.max(0,d+c):c:0;d>c;c++)if(c in b&&b[c]===a)return c}return-1},merge:function(a,b){var c=+b.length,d=0,e=a.length;while(c>d)a[e++]=b[d++];if(c!==c)while(void 0!==b[d])a[e++]=b[d++];return a.length=e,a},grep:function(a,b,c){for(var d,e=[],f=0,g=a.length,h=!c;g>f;f++)d=!b(a[f],f),d!==h&&e.push(a[f]);return e},map:function(a,b,c){var d,f=0,g=a.length,h=r(a),i=[];if(h)for(;g>f;f++)d=b(a[f],f,c),null!=d&&i.push(d);else for(f in a)d=b(a[f],f,c),null!=d&&i.push(d);return e.apply([],i)},guid:1,proxy:function(a,b){var c,e,f;return"string"==typeof b&&(f=a[b],b=a,a=f),m.isFunction(a)?(c=d.call(arguments,2),e=function(){return a.apply(b||this,c.concat(d.call(arguments)))},e.guid=a.guid=a.guid||m.guid++,e):void 0},now:function(){return+new Date},support:k}),m.each("Boolean Number String Function Array Date RegExp Object Error".split(" "),function(a,b){h["[object "+b+"]"]=b.toLowerCase()});function r(a){var b=a.length,c=m.type(a);return"function"===c||m.isWindow(a)?!1:1===a.nodeType&&b?!0:"array"===c||0===b||"number"==typeof b&&b>0&&b-1 in a}var s=function(a){var b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u="sizzle"+-new Date,v=a.document,w=0,x=0,y=gb(),z=gb(),A=gb(),B=function(a,b){return a===b&&(l=!0),0},C="undefined",D=1<<31,E={}.hasOwnProperty,F=[],G=F.pop,H=F.push,I=F.push,J=F.slice,K=F.indexOf||function(a){for(var b=0,c=this.length;c>b;b++)if(this[b]===a)return b;return-1},L="checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped",M="[\\x20\\t\\r\\n\\f]",N="(?:\\\\.|[\\w-]|[^\\x00-\\xa0])+",O=N.replace("w","w#"),P="\\["+M+"*("+N+")(?:"+M+"*([*^$|!~]?=)"+M+"*(?:'((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\"|("+O+"))|)"+M+"*\\]",Q=":("+N+")(?:\\((('((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\")|((?:\\\\.|[^\\\\()[\\]]|"+P+")*)|.*)\\)|)",R=new RegExp("^"+M+"+|((?:^|[^\\\\])(?:\\\\.)*)"+M+"+$","g"),S=new RegExp("^"+M+"*,"+M+"*"),T=new RegExp("^"+M+"*([>+~]|"+M+")"+M+"*"),U=new RegExp("="+M+"*([^\\]'\"]*?)"+M+"*\\]","g"),V=new RegExp(Q),W=new RegExp("^"+O+"$"),X={ID:new RegExp("^#("+N+")"),CLASS:new RegExp("^\\.("+N+")"),TAG:new RegExp("^("+N.replace("w","w*")+")"),ATTR:new RegExp("^"+P),PSEUDO:new RegExp("^"+Q),CHILD:new RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+M+"*(even|odd|(([+-]|)(\\d*)n|)"+M+"*(?:([+-]|)"+M+"*(\\d+)|))"+M+"*\\)|)","i"),bool:new RegExp("^(?:"+L+")$","i"),needsContext:new RegExp("^"+M+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+M+"*((?:-\\d)?\\d*)"+M+"*\\)|)(?=[^-]|$)","i")},Y=/^(?:input|select|textarea|button)$/i,Z=/^h\d$/i,$=/^[^{]+\{\s*\[native \w/,_=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,ab=/[+~]/,bb=/'|\\/g,cb=new RegExp("\\\\([\\da-f]{1,6}"+M+"?|("+M+")|.)","ig"),db=function(a,b,c){var d="0x"+b-65536;return d!==d||c?b:0>d?String.fromCharCode(d+65536):String.fromCharCode(d>>10|55296,1023&d|56320)};try{I.apply(F=J.call(v.childNodes),v.childNodes),F[v.childNodes.length].nodeType}catch(eb){I={apply:F.length?function(a,b){H.apply(a,J.call(b))}:function(a,b){var c=a.length,d=0;while(a[c++]=b[d++]);a.length=c-1}}}function fb(a,b,d,e){var f,h,j,k,l,o,r,s,w,x;if((b?b.ownerDocument||b:v)!==n&&m(b),b=b||n,d=d||[],!a||"string"!=typeof a)return d;if(1!==(k=b.nodeType)&&9!==k)return[];if(p&&!e){if(f=_.exec(a))if(j=f[1]){if(9===k){if(h=b.getElementById(j),!h||!h.parentNode)return d;if(h.id===j)return d.push(h),d}else if(b.ownerDocument&&(h=b.ownerDocument.getElementById(j))&&t(b,h)&&h.id===j)return d.push(h),d}else{if(f[2])return I.apply(d,b.getElementsByTagName(a)),d;if((j=f[3])&&c.getElementsByClassName&&b.getElementsByClassName)return I.apply(d,b.getElementsByClassName(j)),d}if(c.qsa&&(!q||!q.test(a))){if(s=r=u,w=b,x=9===k&&a,1===k&&"object"!==b.nodeName.toLowerCase()){o=g(a),(r=b.getAttribute("id"))?s=r.replace(bb,"\\$&"):b.setAttribute("id",s),s="[id='"+s+"'] ",l=o.length;while(l--)o[l]=s+qb(o[l]);w=ab.test(a)&&ob(b.parentNode)||b,x=o.join(",")}if(x)try{return I.apply(d,w.querySelectorAll(x)),d}catch(y){}finally{r||b.removeAttribute("id")}}}return i(a.replace(R,"$1"),b,d,e)}function gb(){var a=[];function b(c,e){return a.push(c+" ")>d.cacheLength&&delete b[a.shift()],b[c+" "]=e}return b}function hb(a){return a[u]=!0,a}function ib(a){var b=n.createElement("div");try{return!!a(b)}catch(c){return!1}finally{b.parentNode&&b.parentNode.removeChild(b),b=null}}function jb(a,b){var c=a.split("|"),e=a.length;while(e--)d.attrHandle[c[e]]=b}function kb(a,b){var c=b&&a,d=c&&1===a.nodeType&&1===b.nodeType&&(~b.sourceIndex||D)-(~a.sourceIndex||D);if(d)return d;if(c)while(c=c.nextSibling)if(c===b)return-1;return a?1:-1}function lb(a){return function(b){var c=b.nodeName.toLowerCase();return"input"===c&&b.type===a}}function mb(a){return function(b){var c=b.nodeName.toLowerCase();return("input"===c||"button"===c)&&b.type===a}}function nb(a){return hb(function(b){return b=+b,hb(function(c,d){var e,f=a([],c.length,b),g=f.length;while(g--)c[e=f[g]]&&(c[e]=!(d[e]=c[e]))})})}function ob(a){return a&&typeof a.getElementsByTagName!==C&&a}c=fb.support={},f=fb.isXML=function(a){var b=a&&(a.ownerDocument||a).documentElement;return b?"HTML"!==b.nodeName:!1},m=fb.setDocument=function(a){var b,e=a?a.ownerDocument||a:v,g=e.defaultView;return e!==n&&9===e.nodeType&&e.documentElement?(n=e,o=e.documentElement,p=!f(e),g&&g!==g.top&&(g.addEventListener?g.addEventListener("unload",function(){m()},!1):g.attachEvent&&g.attachEvent("onunload",function(){m()})),c.attributes=ib(function(a){return a.className="i",!a.getAttribute("className")}),c.getElementsByTagName=ib(function(a){return a.appendChild(e.createComment("")),!a.getElementsByTagName("*").length}),c.getElementsByClassName=$.test(e.getElementsByClassName)&&ib(function(a){return a.innerHTML="<div class='a'></div><div class='a i'></div>",a.firstChild.className="i",2===a.getElementsByClassName("i").length}),c.getById=ib(function(a){return o.appendChild(a).id=u,!e.getElementsByName||!e.getElementsByName(u).length}),c.getById?(d.find.ID=function(a,b){if(typeof b.getElementById!==C&&p){var c=b.getElementById(a);return c&&c.parentNode?[c]:[]}},d.filter.ID=function(a){var b=a.replace(cb,db);return function(a){return a.getAttribute("id")===b}}):(delete d.find.ID,d.filter.ID=function(a){var b=a.replace(cb,db);return function(a){var c=typeof a.getAttributeNode!==C&&a.getAttributeNode("id");return c&&c.value===b}}),d.find.TAG=c.getElementsByTagName?function(a,b){return typeof b.getElementsByTagName!==C?b.getElementsByTagName(a):void 0}:function(a,b){var c,d=[],e=0,f=b.getElementsByTagName(a);if("*"===a){while(c=f[e++])1===c.nodeType&&d.push(c);return d}return f},d.find.CLASS=c.getElementsByClassName&&function(a,b){return typeof b.getElementsByClassName!==C&&p?b.getElementsByClassName(a):void 0},r=[],q=[],(c.qsa=$.test(e.querySelectorAll))&&(ib(function(a){a.innerHTML="<select msallowclip=''><option selected=''></option></select>",a.querySelectorAll("[msallowclip^='']").length&&q.push("[*^$]="+M+"*(?:''|\"\")"),a.querySelectorAll("[selected]").length||q.push("\\["+M+"*(?:value|"+L+")"),a.querySelectorAll(":checked").length||q.push(":checked")}),ib(function(a){var b=e.createElement("input");b.setAttribute("type","hidden"),a.appendChild(b).setAttribute("name","D"),a.querySelectorAll("[name=d]").length&&q.push("name"+M+"*[*^$|!~]?="),a.querySelectorAll(":enabled").length||q.push(":enabled",":disabled"),a.querySelectorAll("*,:x"),q.push(",.*:")})),(c.matchesSelector=$.test(s=o.matches||o.webkitMatchesSelector||o.mozMatchesSelector||o.oMatchesSelector||o.msMatchesSelector))&&ib(function(a){c.disconnectedMatch=s.call(a,"div"),s.call(a,"[s!='']:x"),r.push("!=",Q)}),q=q.length&&new RegExp(q.join("|")),r=r.length&&new RegExp(r.join("|")),b=$.test(o.compareDocumentPosition),t=b||$.test(o.contains)?function(a,b){var c=9===a.nodeType?a.documentElement:a,d=b&&b.parentNode;return a===d||!(!d||1!==d.nodeType||!(c.contains?c.contains(d):a.compareDocumentPosition&&16&a.compareDocumentPosition(d)))}:function(a,b){if(b)while(b=b.parentNode)if(b===a)return!0;return!1},B=b?function(a,b){if(a===b)return l=!0,0;var d=!a.compareDocumentPosition-!b.compareDocumentPosition;return d?d:(d=(a.ownerDocument||a)===(b.ownerDocument||b)?a.compareDocumentPosition(b):1,1&d||!c.sortDetached&&b.compareDocumentPosition(a)===d?a===e||a.ownerDocument===v&&t(v,a)?-1:b===e||b.ownerDocument===v&&t(v,b)?1:k?K.call(k,a)-K.call(k,b):0:4&d?-1:1)}:function(a,b){if(a===b)return l=!0,0;var c,d=0,f=a.parentNode,g=b.parentNode,h=[a],i=[b];if(!f||!g)return a===e?-1:b===e?1:f?-1:g?1:k?K.call(k,a)-K.call(k,b):0;if(f===g)return kb(a,b);c=a;while(c=c.parentNode)h.unshift(c);c=b;while(c=c.parentNode)i.unshift(c);while(h[d]===i[d])d++;return d?kb(h[d],i[d]):h[d]===v?-1:i[d]===v?1:0},e):n},fb.matches=function(a,b){return fb(a,null,null,b)},fb.matchesSelector=function(a,b){if((a.ownerDocument||a)!==n&&m(a),b=b.replace(U,"='$1']"),!(!c.matchesSelector||!p||r&&r.test(b)||q&&q.test(b)))try{var d=s.call(a,b);if(d||c.disconnectedMatch||a.document&&11!==a.document.nodeType)return d}catch(e){}return fb(b,n,null,[a]).length>0},fb.contains=function(a,b){return(a.ownerDocument||a)!==n&&m(a),t(a,b)},fb.attr=function(a,b){(a.ownerDocument||a)!==n&&m(a);var e=d.attrHandle[b.toLowerCase()],f=e&&E.call(d.attrHandle,b.toLowerCase())?e(a,b,!p):void 0;return void 0!==f?f:c.attributes||!p?a.getAttribute(b):(f=a.getAttributeNode(b))&&f.specified?f.value:null},fb.error=function(a){throw new Error("Syntax error, unrecognized expression: "+a)},fb.uniqueSort=function(a){var b,d=[],e=0,f=0;if(l=!c.detectDuplicates,k=!c.sortStable&&a.slice(0),a.sort(B),l){while(b=a[f++])b===a[f]&&(e=d.push(f));while(e--)a.splice(d[e],1)}return k=null,a},e=fb.getText=function(a){var b,c="",d=0,f=a.nodeType;if(f){if(1===f||9===f||11===f){if("string"==typeof a.textContent)return a.textContent;for(a=a.firstChild;a;a=a.nextSibling)c+=e(a)}else if(3===f||4===f)return a.nodeValue}else while(b=a[d++])c+=e(b);return c},d=fb.selectors={cacheLength:50,createPseudo:hb,match:X,attrHandle:{},find:{},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(a){return a[1]=a[1].replace(cb,db),a[3]=(a[3]||a[4]||a[5]||"").replace(cb,db),"~="===a[2]&&(a[3]=" "+a[3]+" "),a.slice(0,4)},CHILD:function(a){return a[1]=a[1].toLowerCase(),"nth"===a[1].slice(0,3)?(a[3]||fb.error(a[0]),a[4]=+(a[4]?a[5]+(a[6]||1):2*("even"===a[3]||"odd"===a[3])),a[5]=+(a[7]+a[8]||"odd"===a[3])):a[3]&&fb.error(a[0]),a},PSEUDO:function(a){var b,c=!a[6]&&a[2];return X.CHILD.test(a[0])?null:(a[3]?a[2]=a[4]||a[5]||"":c&&V.test(c)&&(b=g(c,!0))&&(b=c.indexOf(")",c.length-b)-c.length)&&(a[0]=a[0].slice(0,b),a[2]=c.slice(0,b)),a.slice(0,3))}},filter:{TAG:function(a){var b=a.replace(cb,db).toLowerCase();return"*"===a?function(){return!0}:function(a){return a.nodeName&&a.nodeName.toLowerCase()===b}},CLASS:function(a){var b=y[a+" "];return b||(b=new RegExp("(^|"+M+")"+a+"("+M+"|$)"))&&y(a,function(a){return b.test("string"==typeof a.className&&a.className||typeof a.getAttribute!==C&&a.getAttribute("class")||"")})},ATTR:function(a,b,c){return function(d){var e=fb.attr(d,a);return null==e?"!="===b:b?(e+="","="===b?e===c:"!="===b?e!==c:"^="===b?c&&0===e.indexOf(c):"*="===b?c&&e.indexOf(c)>-1:"$="===b?c&&e.slice(-c.length)===c:"~="===b?(" "+e+" ").indexOf(c)>-1:"|="===b?e===c||e.slice(0,c.length+1)===c+"-":!1):!0}},CHILD:function(a,b,c,d,e){var f="nth"!==a.slice(0,3),g="last"!==a.slice(-4),h="of-type"===b;return 1===d&&0===e?function(a){return!!a.parentNode}:function(b,c,i){var j,k,l,m,n,o,p=f!==g?"nextSibling":"previousSibling",q=b.parentNode,r=h&&b.nodeName.toLowerCase(),s=!i&&!h;if(q){if(f){while(p){l=b;while(l=l[p])if(h?l.nodeName.toLowerCase()===r:1===l.nodeType)return!1;o=p="only"===a&&!o&&"nextSibling"}return!0}if(o=[g?q.firstChild:q.lastChild],g&&s){k=q[u]||(q[u]={}),j=k[a]||[],n=j[0]===w&&j[1],m=j[0]===w&&j[2],l=n&&q.childNodes[n];while(l=++n&&l&&l[p]||(m=n=0)||o.pop())if(1===l.nodeType&&++m&&l===b){k[a]=[w,n,m];break}}else if(s&&(j=(b[u]||(b[u]={}))[a])&&j[0]===w)m=j[1];else while(l=++n&&l&&l[p]||(m=n=0)||o.pop())if((h?l.nodeName.toLowerCase()===r:1===l.nodeType)&&++m&&(s&&((l[u]||(l[u]={}))[a]=[w,m]),l===b))break;return m-=e,m===d||m%d===0&&m/d>=0}}},PSEUDO:function(a,b){var c,e=d.pseudos[a]||d.setFilters[a.toLowerCase()]||fb.error("unsupported pseudo: "+a);return e[u]?e(b):e.length>1?(c=[a,a,"",b],d.setFilters.hasOwnProperty(a.toLowerCase())?hb(function(a,c){var d,f=e(a,b),g=f.length;while(g--)d=K.call(a,f[g]),a[d]=!(c[d]=f[g])}):function(a){return e(a,0,c)}):e}},pseudos:{not:hb(function(a){var b=[],c=[],d=h(a.replace(R,"$1"));return d[u]?hb(function(a,b,c,e){var f,g=d(a,null,e,[]),h=a.length;while(h--)(f=g[h])&&(a[h]=!(b[h]=f))}):function(a,e,f){return b[0]=a,d(b,null,f,c),!c.pop()}}),has:hb(function(a){return function(b){return fb(a,b).length>0}}),contains:hb(function(a){return function(b){return(b.textContent||b.innerText||e(b)).indexOf(a)>-1}}),lang:hb(function(a){return W.test(a||"")||fb.error("unsupported lang: "+a),a=a.replace(cb,db).toLowerCase(),function(b){var c;do if(c=p?b.lang:b.getAttribute("xml:lang")||b.getAttribute("lang"))return c=c.toLowerCase(),c===a||0===c.indexOf(a+"-");while((b=b.parentNode)&&1===b.nodeType);return!1}}),target:function(b){var c=a.location&&a.location.hash;return c&&c.slice(1)===b.id},root:function(a){return a===o},focus:function(a){return a===n.activeElement&&(!n.hasFocus||n.hasFocus())&&!!(a.type||a.href||~a.tabIndex)},enabled:function(a){return a.disabled===!1},disabled:function(a){return a.disabled===!0},checked:function(a){var b=a.nodeName.toLowerCase();return"input"===b&&!!a.checked||"option"===b&&!!a.selected},selected:function(a){return a.parentNode&&a.parentNode.selectedIndex,a.selected===!0},empty:function(a){for(a=a.firstChild;a;a=a.nextSibling)if(a.nodeType<6)return!1;return!0},parent:function(a){return!d.pseudos.empty(a)},header:function(a){return Z.test(a.nodeName)},input:function(a){return Y.test(a.nodeName)},button:function(a){var b=a.nodeName.toLowerCase();return"input"===b&&"button"===a.type||"button"===b},text:function(a){var b;return"input"===a.nodeName.toLowerCase()&&"text"===a.type&&(null==(b=a.getAttribute("type"))||"text"===b.toLowerCase())},first:nb(function(){return[0]}),last:nb(function(a,b){return[b-1]}),eq:nb(function(a,b,c){return[0>c?c+b:c]}),even:nb(function(a,b){for(var c=0;b>c;c+=2)a.push(c);return a}),odd:nb(function(a,b){for(var c=1;b>c;c+=2)a.push(c);return a}),lt:nb(function(a,b,c){for(var d=0>c?c+b:c;--d>=0;)a.push(d);return a}),gt:nb(function(a,b,c){for(var d=0>c?c+b:c;++d<b;)a.push(d);return a})}},d.pseudos.nth=d.pseudos.eq;for(b in{radio:!0,checkbox:!0,file:!0,password:!0,image:!0})d.pseudos[b]=lb(b);for(b in{submit:!0,reset:!0})d.pseudos[b]=mb(b);function pb(){}pb.prototype=d.filters=d.pseudos,d.setFilters=new pb,g=fb.tokenize=function(a,b){var c,e,f,g,h,i,j,k=z[a+" "];if(k)return b?0:k.slice(0);h=a,i=[],j=d.preFilter;while(h){(!c||(e=S.exec(h)))&&(e&&(h=h.slice(e[0].length)||h),i.push(f=[])),c=!1,(e=T.exec(h))&&(c=e.shift(),f.push({value:c,type:e[0].replace(R," ")}),h=h.slice(c.length));for(g in d.filter)!(e=X[g].exec(h))||j[g]&&!(e=j[g](e))||(c=e.shift(),f.push({value:c,type:g,matches:e}),h=h.slice(c.length));if(!c)break}return b?h.length:h?fb.error(a):z(a,i).slice(0)};function qb(a){for(var b=0,c=a.length,d="";c>b;b++)d+=a[b].value;return d}function rb(a,b,c){var d=b.dir,e=c&&"parentNode"===d,f=x++;return b.first?function(b,c,f){while(b=b[d])if(1===b.nodeType||e)return a(b,c,f)}:function(b,c,g){var h,i,j=[w,f];if(g){while(b=b[d])if((1===b.nodeType||e)&&a(b,c,g))return!0}else while(b=b[d])if(1===b.nodeType||e){if(i=b[u]||(b[u]={}),(h=i[d])&&h[0]===w&&h[1]===f)return j[2]=h[2];if(i[d]=j,j[2]=a(b,c,g))return!0}}}function sb(a){return a.length>1?function(b,c,d){var e=a.length;while(e--)if(!a[e](b,c,d))return!1;return!0}:a[0]}function tb(a,b,c){for(var d=0,e=b.length;e>d;d++)fb(a,b[d],c);return c}function ub(a,b,c,d,e){for(var f,g=[],h=0,i=a.length,j=null!=b;i>h;h++)(f=a[h])&&(!c||c(f,d,e))&&(g.push(f),j&&b.push(h));return g}function vb(a,b,c,d,e,f){return d&&!d[u]&&(d=vb(d)),e&&!e[u]&&(e=vb(e,f)),hb(function(f,g,h,i){var j,k,l,m=[],n=[],o=g.length,p=f||tb(b||"*",h.nodeType?[h]:h,[]),q=!a||!f&&b?p:ub(p,m,a,h,i),r=c?e||(f?a:o||d)?[]:g:q;if(c&&c(q,r,h,i),d){j=ub(r,n),d(j,[],h,i),k=j.length;while(k--)(l=j[k])&&(r[n[k]]=!(q[n[k]]=l))}if(f){if(e||a){if(e){j=[],k=r.length;while(k--)(l=r[k])&&j.push(q[k]=l);e(null,r=[],j,i)}k=r.length;while(k--)(l=r[k])&&(j=e?K.call(f,l):m[k])>-1&&(f[j]=!(g[j]=l))}}else r=ub(r===g?r.splice(o,r.length):r),e?e(null,g,r,i):I.apply(g,r)})}function wb(a){for(var b,c,e,f=a.length,g=d.relative[a[0].type],h=g||d.relative[" "],i=g?1:0,k=rb(function(a){return a===b},h,!0),l=rb(function(a){return K.call(b,a)>-1},h,!0),m=[function(a,c,d){return!g&&(d||c!==j)||((b=c).nodeType?k(a,c,d):l(a,c,d))}];f>i;i++)if(c=d.relative[a[i].type])m=[rb(sb(m),c)];else{if(c=d.filter[a[i].type].apply(null,a[i].matches),c[u]){for(e=++i;f>e;e++)if(d.relative[a[e].type])break;return vb(i>1&&sb(m),i>1&&qb(a.slice(0,i-1).concat({value:" "===a[i-2].type?"*":""})).replace(R,"$1"),c,e>i&&wb(a.slice(i,e)),f>e&&wb(a=a.slice(e)),f>e&&qb(a))}m.push(c)}return sb(m)}function xb(a,b){var c=b.length>0,e=a.length>0,f=function(f,g,h,i,k){var l,m,o,p=0,q="0",r=f&&[],s=[],t=j,u=f||e&&d.find.TAG("*",k),v=w+=null==t?1:Math.random()||.1,x=u.length;for(k&&(j=g!==n&&g);q!==x&&null!=(l=u[q]);q++){if(e&&l){m=0;while(o=a[m++])if(o(l,g,h)){i.push(l);break}k&&(w=v)}c&&((l=!o&&l)&&p--,f&&r.push(l))}if(p+=q,c&&q!==p){m=0;while(o=b[m++])o(r,s,g,h);if(f){if(p>0)while(q--)r[q]||s[q]||(s[q]=G.call(i));s=ub(s)}I.apply(i,s),k&&!f&&s.length>0&&p+b.length>1&&fb.uniqueSort(i)}return k&&(w=v,j=t),r};return c?hb(f):f}return h=fb.compile=function(a,b){var c,d=[],e=[],f=A[a+" "];if(!f){b||(b=g(a)),c=b.length;while(c--)f=wb(b[c]),f[u]?d.push(f):e.push(f);f=A(a,xb(e,d)),f.selector=a}return f},i=fb.select=function(a,b,e,f){var i,j,k,l,m,n="function"==typeof a&&a,o=!f&&g(a=n.selector||a);if(e=e||[],1===o.length){if(j=o[0]=o[0].slice(0),j.length>2&&"ID"===(k=j[0]).type&&c.getById&&9===b.nodeType&&p&&d.relative[j[1].type]){if(b=(d.find.ID(k.matches[0].replace(cb,db),b)||[])[0],!b)return e;n&&(b=b.parentNode),a=a.slice(j.shift().value.length)}i=X.needsContext.test(a)?0:j.length;while(i--){if(k=j[i],d.relative[l=k.type])break;if((m=d.find[l])&&(f=m(k.matches[0].replace(cb,db),ab.test(j[0].type)&&ob(b.parentNode)||b))){if(j.splice(i,1),a=f.length&&qb(j),!a)return I.apply(e,f),e;break}}}return(n||h(a,o))(f,b,!p,e,ab.test(a)&&ob(b.parentNode)||b),e},c.sortStable=u.split("").sort(B).join("")===u,c.detectDuplicates=!!l,m(),c.sortDetached=ib(function(a){return 1&a.compareDocumentPosition(n.createElement("div"))}),ib(function(a){return a.innerHTML="<a href='#'></a>","#"===a.firstChild.getAttribute("href")})||jb("type|href|height|width",function(a,b,c){return c?void 0:a.getAttribute(b,"type"===b.toLowerCase()?1:2)}),c.attributes&&ib(function(a){return a.innerHTML="<input/>",a.firstChild.setAttribute("value",""),""===a.firstChild.getAttribute("value")})||jb("value",function(a,b,c){return c||"input"!==a.nodeName.toLowerCase()?void 0:a.defaultValue}),ib(function(a){return null==a.getAttribute("disabled")})||jb(L,function(a,b,c){var d;return c?void 0:a[b]===!0?b.toLowerCase():(d=a.getAttributeNode(b))&&d.specified?d.value:null}),fb}(a);m.find=s,m.expr=s.selectors,m.expr[":"]=m.expr.pseudos,m.unique=s.uniqueSort,m.text=s.getText,m.isXMLDoc=s.isXML,m.contains=s.contains;var t=m.expr.match.needsContext,u=/^<(\w+)\s*\/?>(?:<\/\1>|)$/,v=/^.[^:#\[\.,]*$/;function w(a,b,c){if(m.isFunction(b))return m.grep(a,function(a,d){return!!b.call(a,d,a)!==c});if(b.nodeType)return m.grep(a,function(a){return a===b!==c});if("string"==typeof b){if(v.test(b))return m.filter(b,a,c);b=m.filter(b,a)}return m.grep(a,function(a){return m.inArray(a,b)>=0!==c})}m.filter=function(a,b,c){var d=b[0];return c&&(a=":not("+a+")"),1===b.length&&1===d.nodeType?m.find.matchesSelector(d,a)?[d]:[]:m.find.matches(a,m.grep(b,function(a){return 1===a.nodeType}))},m.fn.extend({find:function(a){var b,c=[],d=this,e=d.length;if("string"!=typeof a)return this.pushStack(m(a).filter(function(){for(b=0;e>b;b++)if(m.contains(d[b],this))return!0}));for(b=0;e>b;b++)m.find(a,d[b],c);return c=this.pushStack(e>1?m.unique(c):c),c.selector=this.selector?this.selector+" "+a:a,c},filter:function(a){return this.pushStack(w(this,a||[],!1))},not:function(a){return this.pushStack(w(this,a||[],!0))},is:function(a){return!!w(this,"string"==typeof a&&t.test(a)?m(a):a||[],!1).length}});var x,y=a.document,z=/^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]*))$/,A=m.fn.init=function(a,b){var c,d;if(!a)return this;if("string"==typeof a){if(c="<"===a.charAt(0)&&">"===a.charAt(a.length-1)&&a.length>=3?[null,a,null]:z.exec(a),!c||!c[1]&&b)return!b||b.jquery?(b||x).find(a):this.constructor(b).find(a);if(c[1]){if(b=b instanceof m?b[0]:b,m.merge(this,m.parseHTML(c[1],b&&b.nodeType?b.ownerDocument||b:y,!0)),u.test(c[1])&&m.isPlainObject(b))for(c in b)m.isFunction(this[c])?this[c](b[c]):this.attr(c,b[c]);return this}if(d=y.getElementById(c[2]),d&&d.parentNode){if(d.id!==c[2])return x.find(a);this.length=1,this[0]=d}return this.context=y,this.selector=a,this}return a.nodeType?(this.context=this[0]=a,this.length=1,this):m.isFunction(a)?"undefined"!=typeof x.ready?x.ready(a):a(m):(void 0!==a.selector&&(this.selector=a.selector,this.context=a.context),m.makeArray(a,this))};A.prototype=m.fn,x=m(y);var B=/^(?:parents|prev(?:Until|All))/,C={children:!0,contents:!0,next:!0,prev:!0};m.extend({dir:function(a,b,c){var d=[],e=a[b];while(e&&9!==e.nodeType&&(void 0===c||1!==e.nodeType||!m(e).is(c)))1===e.nodeType&&d.push(e),e=e[b];return d},sibling:function(a,b){for(var c=[];a;a=a.nextSibling)1===a.nodeType&&a!==b&&c.push(a);return c}}),m.fn.extend({has:function(a){var b,c=m(a,this),d=c.length;return this.filter(function(){for(b=0;d>b;b++)if(m.contains(this,c[b]))return!0})},closest:function(a,b){for(var c,d=0,e=this.length,f=[],g=t.test(a)||"string"!=typeof a?m(a,b||this.context):0;e>d;d++)for(c=this[d];c&&c!==b;c=c.parentNode)if(c.nodeType<11&&(g?g.index(c)>-1:1===c.nodeType&&m.find.matchesSelector(c,a))){f.push(c);break}return this.pushStack(f.length>1?m.unique(f):f)},index:function(a){return a?"string"==typeof a?m.inArray(this[0],m(a)):m.inArray(a.jquery?a[0]:a,this):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(a,b){return this.pushStack(m.unique(m.merge(this.get(),m(a,b))))},addBack:function(a){return this.add(null==a?this.prevObject:this.prevObject.filter(a))}});function D(a,b){do a=a[b];while(a&&1!==a.nodeType);return a}m.each({parent:function(a){var b=a.parentNode;return b&&11!==b.nodeType?b:null},parents:function(a){return m.dir(a,"parentNode")},parentsUntil:function(a,b,c){return m.dir(a,"parentNode",c)},next:function(a){return D(a,"nextSibling")},prev:function(a){return D(a,"previousSibling")},nextAll:function(a){return m.dir(a,"nextSibling")},prevAll:function(a){return m.dir(a,"previousSibling")},nextUntil:function(a,b,c){return m.dir(a,"nextSibling",c)},prevUntil:function(a,b,c){return m.dir(a,"previousSibling",c)},siblings:function(a){return m.sibling((a.parentNode||{}).firstChild,a)},children:function(a){return m.sibling(a.firstChild)},contents:function(a){return m.nodeName(a,"iframe")?a.contentDocument||a.contentWindow.document:m.merge([],a.childNodes)}},function(a,b){m.fn[a]=function(c,d){var e=m.map(this,b,c);return"Until"!==a.slice(-5)&&(d=c),d&&"string"==typeof d&&(e=m.filter(d,e)),this.length>1&&(C[a]||(e=m.unique(e)),B.test(a)&&(e=e.reverse())),this.pushStack(e)}});var E=/\S+/g,F={};function G(a){var b=F[a]={};return m.each(a.match(E)||[],function(a,c){b[c]=!0}),b}m.Callbacks=function(a){a="string"==typeof a?F[a]||G(a):m.extend({},a);var b,c,d,e,f,g,h=[],i=!a.once&&[],j=function(l){for(c=a.memory&&l,d=!0,f=g||0,g=0,e=h.length,b=!0;h&&e>f;f++)if(h[f].apply(l[0],l[1])===!1&&a.stopOnFalse){c=!1;break}b=!1,h&&(i?i.length&&j(i.shift()):c?h=[]:k.disable())},k={add:function(){if(h){var d=h.length;!function f(b){m.each(b,function(b,c){var d=m.type(c);"function"===d?a.unique&&k.has(c)||h.push(c):c&&c.length&&"string"!==d&&f(c)})}(arguments),b?e=h.length:c&&(g=d,j(c))}return this},remove:function(){return h&&m.each(arguments,function(a,c){var d;while((d=m.inArray(c,h,d))>-1)h.splice(d,1),b&&(e>=d&&e--,f>=d&&f--)}),this},has:function(a){return a?m.inArray(a,h)>-1:!(!h||!h.length)},empty:function(){return h=[],e=0,this},disable:function(){return h=i=c=void 0,this},disabled:function(){return!h},lock:function(){return i=void 0,c||k.disable(),this},locked:function(){return!i},fireWith:function(a,c){return!h||d&&!i||(c=c||[],c=[a,c.slice?c.slice():c],b?i.push(c):j(c)),this},fire:function(){return k.fireWith(this,arguments),this},fired:function(){return!!d}};return k},m.extend({Deferred:function(a){var b=[["resolve","done",m.Callbacks("once memory"),"resolved"],["reject","fail",m.Callbacks("once memory"),"rejected"],["notify","progress",m.Callbacks("memory")]],c="pending",d={state:function(){return c},always:function(){return e.done(arguments).fail(arguments),this},then:function(){var a=arguments;return m.Deferred(function(c){m.each(b,function(b,f){var g=m.isFunction(a[b])&&a[b];e[f[1]](function(){var a=g&&g.apply(this,arguments);a&&m.isFunction(a.promise)?a.promise().done(c.resolve).fail(c.reject).progress(c.notify):c[f[0]+"With"](this===d?c.promise():this,g?[a]:arguments)})}),a=null}).promise()},promise:function(a){return null!=a?m.extend(a,d):d}},e={};return d.pipe=d.then,m.each(b,function(a,f){var g=f[2],h=f[3];d[f[1]]=g.add,h&&g.add(function(){c=h},b[1^a][2].disable,b[2][2].lock),e[f[0]]=function(){return e[f[0]+"With"](this===e?d:this,arguments),this},e[f[0]+"With"]=g.fireWith}),d.promise(e),a&&a.call(e,e),e},when:function(a){var b=0,c=d.call(arguments),e=c.length,f=1!==e||a&&m.isFunction(a.promise)?e:0,g=1===f?a:m.Deferred(),h=function(a,b,c){return function(e){b[a]=this,c[a]=arguments.length>1?d.call(arguments):e,c===i?g.notifyWith(b,c):--f||g.resolveWith(b,c)}},i,j,k;if(e>1)for(i=new Array(e),j=new Array(e),k=new Array(e);e>b;b++)c[b]&&m.isFunction(c[b].promise)?c[b].promise().done(h(b,k,c)).fail(g.reject).progress(h(b,j,i)):--f;return f||g.resolveWith(k,c),g.promise()}});var H;m.fn.ready=function(a){return m.ready.promise().done(a),this},m.extend({isReady:!1,readyWait:1,holdReady:function(a){a?m.readyWait++:m.ready(!0)},ready:function(a){if(a===!0?!--m.readyWait:!m.isReady){if(!y.body)return setTimeout(m.ready);m.isReady=!0,a!==!0&&--m.readyWait>0||(H.resolveWith(y,[m]),m.fn.triggerHandler&&(m(y).triggerHandler("ready"),m(y).off("ready")))}}});function I(){y.addEventListener?(y.removeEventListener("DOMContentLoaded",J,!1),a.removeEventListener("load",J,!1)):(y.detachEvent("onreadystatechange",J),a.detachEvent("onload",J))}function J(){(y.addEventListener||"load"===event.type||"complete"===y.readyState)&&(I(),m.ready())}m.ready.promise=function(b){if(!H)if(H=m.Deferred(),"complete"===y.readyState)setTimeout(m.ready);else if(y.addEventListener)y.addEventListener("DOMContentLoaded",J,!1),a.addEventListener("load",J,!1);else{y.attachEvent("onreadystatechange",J),a.attachEvent("onload",J);var c=!1;try{c=null==a.frameElement&&y.documentElement}catch(d){}c&&c.doScroll&&!function e(){if(!m.isReady){try{c.doScroll("left")}catch(a){return setTimeout(e,50)}I(),m.ready()}}()}return H.promise(b)};var K="undefined",L;for(L in m(k))break;k.ownLast="0"!==L,k.inlineBlockNeedsLayout=!1,m(function(){var a,b,c,d;c=y.getElementsByTagName("body")[0],c&&c.style&&(b=y.createElement("div"),d=y.createElement("div"),d.style.cssText="position:absolute;border:0;width:0;height:0;top:0;left:-9999px",c.appendChild(d).appendChild(b),typeof b.style.zoom!==K&&(b.style.cssText="display:inline;margin:0;border:0;padding:1px;width:1px;zoom:1",k.inlineBlockNeedsLayout=a=3===b.offsetWidth,a&&(c.style.zoom=1)),c.removeChild(d))}),function(){var a=y.createElement("div");if(null==k.deleteExpando){k.deleteExpando=!0;try{delete a.test}catch(b){k.deleteExpando=!1}}a=null}(),m.acceptData=function(a){var b=m.noData[(a.nodeName+" ").toLowerCase()],c=+a.nodeType||1;return 1!==c&&9!==c?!1:!b||b!==!0&&a.getAttribute("classid")===b};var M=/^(?:\{[\w\W]*\}|\[[\w\W]*\])$/,N=/([A-Z])/g;function O(a,b,c){if(void 0===c&&1===a.nodeType){var d="data-"+b.replace(N,"-$1").toLowerCase();if(c=a.getAttribute(d),"string"==typeof c){try{c="true"===c?!0:"false"===c?!1:"null"===c?null:+c+""===c?+c:M.test(c)?m.parseJSON(c):c}catch(e){}m.data(a,b,c)}else c=void 0}return c}function P(a){var b;for(b in a)if(("data"!==b||!m.isEmptyObject(a[b]))&&"toJSON"!==b)return!1;return!0}function Q(a,b,d,e){if(m.acceptData(a)){var f,g,h=m.expando,i=a.nodeType,j=i?m.cache:a,k=i?a[h]:a[h]&&h;
if(k&&j[k]&&(e||j[k].data)||void 0!==d||"string"!=typeof b)return k||(k=i?a[h]=c.pop()||m.guid++:h),j[k]||(j[k]=i?{}:{toJSON:m.noop}),("object"==typeof b||"function"==typeof b)&&(e?j[k]=m.extend(j[k],b):j[k].data=m.extend(j[k].data,b)),g=j[k],e||(g.data||(g.data={}),g=g.data),void 0!==d&&(g[m.camelCase(b)]=d),"string"==typeof b?(f=g[b],null==f&&(f=g[m.camelCase(b)])):f=g,f}}function R(a,b,c){if(m.acceptData(a)){var d,e,f=a.nodeType,g=f?m.cache:a,h=f?a[m.expando]:m.expando;if(g[h]){if(b&&(d=c?g[h]:g[h].data)){m.isArray(b)?b=b.concat(m.map(b,m.camelCase)):b in d?b=[b]:(b=m.camelCase(b),b=b in d?[b]:b.split(" ")),e=b.length;while(e--)delete d[b[e]];if(c?!P(d):!m.isEmptyObject(d))return}(c||(delete g[h].data,P(g[h])))&&(f?m.cleanData([a],!0):k.deleteExpando||g!=g.window?delete g[h]:g[h]=null)}}}m.extend({cache:{},noData:{"applet ":!0,"embed ":!0,"object ":"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000"},hasData:function(a){return a=a.nodeType?m.cache[a[m.expando]]:a[m.expando],!!a&&!P(a)},data:function(a,b,c){return Q(a,b,c)},removeData:function(a,b){return R(a,b)},_data:function(a,b,c){return Q(a,b,c,!0)},_removeData:function(a,b){return R(a,b,!0)}}),m.fn.extend({data:function(a,b){var c,d,e,f=this[0],g=f&&f.attributes;if(void 0===a){if(this.length&&(e=m.data(f),1===f.nodeType&&!m._data(f,"parsedAttrs"))){c=g.length;while(c--)g[c]&&(d=g[c].name,0===d.indexOf("data-")&&(d=m.camelCase(d.slice(5)),O(f,d,e[d])));m._data(f,"parsedAttrs",!0)}return e}return"object"==typeof a?this.each(function(){m.data(this,a)}):arguments.length>1?this.each(function(){m.data(this,a,b)}):f?O(f,a,m.data(f,a)):void 0},removeData:function(a){return this.each(function(){m.removeData(this,a)})}}),m.extend({queue:function(a,b,c){var d;return a?(b=(b||"fx")+"queue",d=m._data(a,b),c&&(!d||m.isArray(c)?d=m._data(a,b,m.makeArray(c)):d.push(c)),d||[]):void 0},dequeue:function(a,b){b=b||"fx";var c=m.queue(a,b),d=c.length,e=c.shift(),f=m._queueHooks(a,b),g=function(){m.dequeue(a,b)};"inprogress"===e&&(e=c.shift(),d--),e&&("fx"===b&&c.unshift("inprogress"),delete f.stop,e.call(a,g,f)),!d&&f&&f.empty.fire()},_queueHooks:function(a,b){var c=b+"queueHooks";return m._data(a,c)||m._data(a,c,{empty:m.Callbacks("once memory").add(function(){m._removeData(a,b+"queue"),m._removeData(a,c)})})}}),m.fn.extend({queue:function(a,b){var c=2;return"string"!=typeof a&&(b=a,a="fx",c--),arguments.length<c?m.queue(this[0],a):void 0===b?this:this.each(function(){var c=m.queue(this,a,b);m._queueHooks(this,a),"fx"===a&&"inprogress"!==c[0]&&m.dequeue(this,a)})},dequeue:function(a){return this.each(function(){m.dequeue(this,a)})},clearQueue:function(a){return this.queue(a||"fx",[])},promise:function(a,b){var c,d=1,e=m.Deferred(),f=this,g=this.length,h=function(){--d||e.resolveWith(f,[f])};"string"!=typeof a&&(b=a,a=void 0),a=a||"fx";while(g--)c=m._data(f[g],a+"queueHooks"),c&&c.empty&&(d++,c.empty.add(h));return h(),e.promise(b)}});var S=/[+-]?(?:\d*\.|)\d+(?:[eE][+-]?\d+|)/.source,T=["Top","Right","Bottom","Left"],U=function(a,b){return a=b||a,"none"===m.css(a,"display")||!m.contains(a.ownerDocument,a)},V=m.access=function(a,b,c,d,e,f,g){var h=0,i=a.length,j=null==c;if("object"===m.type(c)){e=!0;for(h in c)m.access(a,b,h,c[h],!0,f,g)}else if(void 0!==d&&(e=!0,m.isFunction(d)||(g=!0),j&&(g?(b.call(a,d),b=null):(j=b,b=function(a,b,c){return j.call(m(a),c)})),b))for(;i>h;h++)b(a[h],c,g?d:d.call(a[h],h,b(a[h],c)));return e?a:j?b.call(a):i?b(a[0],c):f},W=/^(?:checkbox|radio)$/i;!function(){var a=y.createElement("input"),b=y.createElement("div"),c=y.createDocumentFragment();if(b.innerHTML=" <link/><table></table><a href='/a'>a</a><input type='checkbox'/>",k.leadingWhitespace=3===b.firstChild.nodeType,k.tbody=!b.getElementsByTagName("tbody").length,k.htmlSerialize=!!b.getElementsByTagName("link").length,k.html5Clone="<:nav></:nav>"!==y.createElement("nav").cloneNode(!0).outerHTML,a.type="checkbox",a.checked=!0,c.appendChild(a),k.appendChecked=a.checked,b.innerHTML="<textarea>x</textarea>",k.noCloneChecked=!!b.cloneNode(!0).lastChild.defaultValue,c.appendChild(b),b.innerHTML="<input type='radio' checked='checked' name='t'/>",k.checkClone=b.cloneNode(!0).cloneNode(!0).lastChild.checked,k.noCloneEvent=!0,b.attachEvent&&(b.attachEvent("onclick",function(){k.noCloneEvent=!1}),b.cloneNode(!0).click()),null==k.deleteExpando){k.deleteExpando=!0;try{delete b.test}catch(d){k.deleteExpando=!1}}}(),function(){var b,c,d=y.createElement("div");for(b in{submit:!0,change:!0,focusin:!0})c="on"+b,(k[b+"Bubbles"]=c in a)||(d.setAttribute(c,"t"),k[b+"Bubbles"]=d.attributes[c].expando===!1);d=null}();var X=/^(?:input|select|textarea)$/i,Y=/^key/,Z=/^(?:mouse|pointer|contextmenu)|click/,$=/^(?:focusinfocus|focusoutblur)$/,_=/^([^.]*)(?:\.(.+)|)$/;function ab(){return!0}function bb(){return!1}function cb(){try{return y.activeElement}catch(a){}}m.event={global:{},add:function(a,b,c,d,e){var f,g,h,i,j,k,l,n,o,p,q,r=m._data(a);if(r){c.handler&&(i=c,c=i.handler,e=i.selector),c.guid||(c.guid=m.guid++),(g=r.events)||(g=r.events={}),(k=r.handle)||(k=r.handle=function(a){return typeof m===K||a&&m.event.triggered===a.type?void 0:m.event.dispatch.apply(k.elem,arguments)},k.elem=a),b=(b||"").match(E)||[""],h=b.length;while(h--)f=_.exec(b[h])||[],o=q=f[1],p=(f[2]||"").split(".").sort(),o&&(j=m.event.special[o]||{},o=(e?j.delegateType:j.bindType)||o,j=m.event.special[o]||{},l=m.extend({type:o,origType:q,data:d,handler:c,guid:c.guid,selector:e,needsContext:e&&m.expr.match.needsContext.test(e),namespace:p.join(".")},i),(n=g[o])||(n=g[o]=[],n.delegateCount=0,j.setup&&j.setup.call(a,d,p,k)!==!1||(a.addEventListener?a.addEventListener(o,k,!1):a.attachEvent&&a.attachEvent("on"+o,k))),j.add&&(j.add.call(a,l),l.handler.guid||(l.handler.guid=c.guid)),e?n.splice(n.delegateCount++,0,l):n.push(l),m.event.global[o]=!0);a=null}},remove:function(a,b,c,d,e){var f,g,h,i,j,k,l,n,o,p,q,r=m.hasData(a)&&m._data(a);if(r&&(k=r.events)){b=(b||"").match(E)||[""],j=b.length;while(j--)if(h=_.exec(b[j])||[],o=q=h[1],p=(h[2]||"").split(".").sort(),o){l=m.event.special[o]||{},o=(d?l.delegateType:l.bindType)||o,n=k[o]||[],h=h[2]&&new RegExp("(^|\\.)"+p.join("\\.(?:.*\\.|)")+"(\\.|$)"),i=f=n.length;while(f--)g=n[f],!e&&q!==g.origType||c&&c.guid!==g.guid||h&&!h.test(g.namespace)||d&&d!==g.selector&&("**"!==d||!g.selector)||(n.splice(f,1),g.selector&&n.delegateCount--,l.remove&&l.remove.call(a,g));i&&!n.length&&(l.teardown&&l.teardown.call(a,p,r.handle)!==!1||m.removeEvent(a,o,r.handle),delete k[o])}else for(o in k)m.event.remove(a,o+b[j],c,d,!0);m.isEmptyObject(k)&&(delete r.handle,m._removeData(a,"events"))}},trigger:function(b,c,d,e){var f,g,h,i,k,l,n,o=[d||y],p=j.call(b,"type")?b.type:b,q=j.call(b,"namespace")?b.namespace.split("."):[];if(h=l=d=d||y,3!==d.nodeType&&8!==d.nodeType&&!$.test(p+m.event.triggered)&&(p.indexOf(".")>=0&&(q=p.split("."),p=q.shift(),q.sort()),g=p.indexOf(":")<0&&"on"+p,b=b[m.expando]?b:new m.Event(p,"object"==typeof b&&b),b.isTrigger=e?2:3,b.namespace=q.join("."),b.namespace_re=b.namespace?new RegExp("(^|\\.)"+q.join("\\.(?:.*\\.|)")+"(\\.|$)"):null,b.result=void 0,b.target||(b.target=d),c=null==c?[b]:m.makeArray(c,[b]),k=m.event.special[p]||{},e||!k.trigger||k.trigger.apply(d,c)!==!1)){if(!e&&!k.noBubble&&!m.isWindow(d)){for(i=k.delegateType||p,$.test(i+p)||(h=h.parentNode);h;h=h.parentNode)o.push(h),l=h;l===(d.ownerDocument||y)&&o.push(l.defaultView||l.parentWindow||a)}n=0;while((h=o[n++])&&!b.isPropagationStopped())b.type=n>1?i:k.bindType||p,f=(m._data(h,"events")||{})[b.type]&&m._data(h,"handle"),f&&f.apply(h,c),f=g&&h[g],f&&f.apply&&m.acceptData(h)&&(b.result=f.apply(h,c),b.result===!1&&b.preventDefault());if(b.type=p,!e&&!b.isDefaultPrevented()&&(!k._default||k._default.apply(o.pop(),c)===!1)&&m.acceptData(d)&&g&&d[p]&&!m.isWindow(d)){l=d[g],l&&(d[g]=null),m.event.triggered=p;try{d[p]()}catch(r){}m.event.triggered=void 0,l&&(d[g]=l)}return b.result}},dispatch:function(a){a=m.event.fix(a);var b,c,e,f,g,h=[],i=d.call(arguments),j=(m._data(this,"events")||{})[a.type]||[],k=m.event.special[a.type]||{};if(i[0]=a,a.delegateTarget=this,!k.preDispatch||k.preDispatch.call(this,a)!==!1){h=m.event.handlers.call(this,a,j),b=0;while((f=h[b++])&&!a.isPropagationStopped()){a.currentTarget=f.elem,g=0;while((e=f.handlers[g++])&&!a.isImmediatePropagationStopped())(!a.namespace_re||a.namespace_re.test(e.namespace))&&(a.handleObj=e,a.data=e.data,c=((m.event.special[e.origType]||{}).handle||e.handler).apply(f.elem,i),void 0!==c&&(a.result=c)===!1&&(a.preventDefault(),a.stopPropagation()))}return k.postDispatch&&k.postDispatch.call(this,a),a.result}},handlers:function(a,b){var c,d,e,f,g=[],h=b.delegateCount,i=a.target;if(h&&i.nodeType&&(!a.button||"click"!==a.type))for(;i!=this;i=i.parentNode||this)if(1===i.nodeType&&(i.disabled!==!0||"click"!==a.type)){for(e=[],f=0;h>f;f++)d=b[f],c=d.selector+" ",void 0===e[c]&&(e[c]=d.needsContext?m(c,this).index(i)>=0:m.find(c,this,null,[i]).length),e[c]&&e.push(d);e.length&&g.push({elem:i,handlers:e})}return h<b.length&&g.push({elem:this,handlers:b.slice(h)}),g},fix:function(a){if(a[m.expando])return a;var b,c,d,e=a.type,f=a,g=this.fixHooks[e];g||(this.fixHooks[e]=g=Z.test(e)?this.mouseHooks:Y.test(e)?this.keyHooks:{}),d=g.props?this.props.concat(g.props):this.props,a=new m.Event(f),b=d.length;while(b--)c=d[b],a[c]=f[c];return a.target||(a.target=f.srcElement||y),3===a.target.nodeType&&(a.target=a.target.parentNode),a.metaKey=!!a.metaKey,g.filter?g.filter(a,f):a},props:"altKey bubbles cancelable ctrlKey currentTarget eventPhase metaKey relatedTarget shiftKey target timeStamp view which".split(" "),fixHooks:{},keyHooks:{props:"char charCode key keyCode".split(" "),filter:function(a,b){return null==a.which&&(a.which=null!=b.charCode?b.charCode:b.keyCode),a}},mouseHooks:{props:"button buttons clientX clientY fromElement offsetX offsetY pageX pageY screenX screenY toElement".split(" "),filter:function(a,b){var c,d,e,f=b.button,g=b.fromElement;return null==a.pageX&&null!=b.clientX&&(d=a.target.ownerDocument||y,e=d.documentElement,c=d.body,a.pageX=b.clientX+(e&&e.scrollLeft||c&&c.scrollLeft||0)-(e&&e.clientLeft||c&&c.clientLeft||0),a.pageY=b.clientY+(e&&e.scrollTop||c&&c.scrollTop||0)-(e&&e.clientTop||c&&c.clientTop||0)),!a.relatedTarget&&g&&(a.relatedTarget=g===a.target?b.toElement:g),a.which||void 0===f||(a.which=1&f?1:2&f?3:4&f?2:0),a}},special:{load:{noBubble:!0},focus:{trigger:function(){if(this!==cb()&&this.focus)try{return this.focus(),!1}catch(a){}},delegateType:"focusin"},blur:{trigger:function(){return this===cb()&&this.blur?(this.blur(),!1):void 0},delegateType:"focusout"},click:{trigger:function(){return m.nodeName(this,"input")&&"checkbox"===this.type&&this.click?(this.click(),!1):void 0},_default:function(a){return m.nodeName(a.target,"a")}},beforeunload:{postDispatch:function(a){void 0!==a.result&&a.originalEvent&&(a.originalEvent.returnValue=a.result)}}},simulate:function(a,b,c,d){var e=m.extend(new m.Event,c,{type:a,isSimulated:!0,originalEvent:{}});d?m.event.trigger(e,null,b):m.event.dispatch.call(b,e),e.isDefaultPrevented()&&c.preventDefault()}},m.removeEvent=y.removeEventListener?function(a,b,c){a.removeEventListener&&a.removeEventListener(b,c,!1)}:function(a,b,c){var d="on"+b;a.detachEvent&&(typeof a[d]===K&&(a[d]=null),a.detachEvent(d,c))},m.Event=function(a,b){return this instanceof m.Event?(a&&a.type?(this.originalEvent=a,this.type=a.type,this.isDefaultPrevented=a.defaultPrevented||void 0===a.defaultPrevented&&a.returnValue===!1?ab:bb):this.type=a,b&&m.extend(this,b),this.timeStamp=a&&a.timeStamp||m.now(),void(this[m.expando]=!0)):new m.Event(a,b)},m.Event.prototype={isDefaultPrevented:bb,isPropagationStopped:bb,isImmediatePropagationStopped:bb,preventDefault:function(){var a=this.originalEvent;this.isDefaultPrevented=ab,a&&(a.preventDefault?a.preventDefault():a.returnValue=!1)},stopPropagation:function(){var a=this.originalEvent;this.isPropagationStopped=ab,a&&(a.stopPropagation&&a.stopPropagation(),a.cancelBubble=!0)},stopImmediatePropagation:function(){var a=this.originalEvent;this.isImmediatePropagationStopped=ab,a&&a.stopImmediatePropagation&&a.stopImmediatePropagation(),this.stopPropagation()}},m.each({mouseenter:"mouseover",mouseleave:"mouseout",pointerenter:"pointerover",pointerleave:"pointerout"},function(a,b){m.event.special[a]={delegateType:b,bindType:b,handle:function(a){var c,d=this,e=a.relatedTarget,f=a.handleObj;return(!e||e!==d&&!m.contains(d,e))&&(a.type=f.origType,c=f.handler.apply(this,arguments),a.type=b),c}}}),k.submitBubbles||(m.event.special.submit={setup:function(){return m.nodeName(this,"form")?!1:void m.event.add(this,"click._submit keypress._submit",function(a){var b=a.target,c=m.nodeName(b,"input")||m.nodeName(b,"button")?b.form:void 0;c&&!m._data(c,"submitBubbles")&&(m.event.add(c,"submit._submit",function(a){a._submit_bubble=!0}),m._data(c,"submitBubbles",!0))})},postDispatch:function(a){a._submit_bubble&&(delete a._submit_bubble,this.parentNode&&!a.isTrigger&&m.event.simulate("submit",this.parentNode,a,!0))},teardown:function(){return m.nodeName(this,"form")?!1:void m.event.remove(this,"._submit")}}),k.changeBubbles||(m.event.special.change={setup:function(){return X.test(this.nodeName)?(("checkbox"===this.type||"radio"===this.type)&&(m.event.add(this,"propertychange._change",function(a){"checked"===a.originalEvent.propertyName&&(this._just_changed=!0)}),m.event.add(this,"click._change",function(a){this._just_changed&&!a.isTrigger&&(this._just_changed=!1),m.event.simulate("change",this,a,!0)})),!1):void m.event.add(this,"beforeactivate._change",function(a){var b=a.target;X.test(b.nodeName)&&!m._data(b,"changeBubbles")&&(m.event.add(b,"change._change",function(a){!this.parentNode||a.isSimulated||a.isTrigger||m.event.simulate("change",this.parentNode,a,!0)}),m._data(b,"changeBubbles",!0))})},handle:function(a){var b=a.target;return this!==b||a.isSimulated||a.isTrigger||"radio"!==b.type&&"checkbox"!==b.type?a.handleObj.handler.apply(this,arguments):void 0},teardown:function(){return m.event.remove(this,"._change"),!X.test(this.nodeName)}}),k.focusinBubbles||m.each({focus:"focusin",blur:"focusout"},function(a,b){var c=function(a){m.event.simulate(b,a.target,m.event.fix(a),!0)};m.event.special[b]={setup:function(){var d=this.ownerDocument||this,e=m._data(d,b);e||d.addEventListener(a,c,!0),m._data(d,b,(e||0)+1)},teardown:function(){var d=this.ownerDocument||this,e=m._data(d,b)-1;e?m._data(d,b,e):(d.removeEventListener(a,c,!0),m._removeData(d,b))}}}),m.fn.extend({on:function(a,b,c,d,e){var f,g;if("object"==typeof a){"string"!=typeof b&&(c=c||b,b=void 0);for(f in a)this.on(f,b,c,a[f],e);return this}if(null==c&&null==d?(d=b,c=b=void 0):null==d&&("string"==typeof b?(d=c,c=void 0):(d=c,c=b,b=void 0)),d===!1)d=bb;else if(!d)return this;return 1===e&&(g=d,d=function(a){return m().off(a),g.apply(this,arguments)},d.guid=g.guid||(g.guid=m.guid++)),this.each(function(){m.event.add(this,a,d,c,b)})},one:function(a,b,c,d){return this.on(a,b,c,d,1)},off:function(a,b,c){var d,e;if(a&&a.preventDefault&&a.handleObj)return d=a.handleObj,m(a.delegateTarget).off(d.namespace?d.origType+"."+d.namespace:d.origType,d.selector,d.handler),this;if("object"==typeof a){for(e in a)this.off(e,b,a[e]);return this}return(b===!1||"function"==typeof b)&&(c=b,b=void 0),c===!1&&(c=bb),this.each(function(){m.event.remove(this,a,c,b)})},trigger:function(a,b){return this.each(function(){m.event.trigger(a,b,this)})},triggerHandler:function(a,b){var c=this[0];return c?m.event.trigger(a,b,c,!0):void 0}});function db(a){var b=eb.split("|"),c=a.createDocumentFragment();if(c.createElement)while(b.length)c.createElement(b.pop());return c}var eb="abbr|article|aside|audio|bdi|canvas|data|datalist|details|figcaption|figure|footer|header|hgroup|mark|meter|nav|output|progress|section|summary|time|video",fb=/ jQuery\d+="(?:null|\d+)"/g,gb=new RegExp("<(?:"+eb+")[\\s/>]","i"),hb=/^\s+/,ib=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/gi,jb=/<([\w:]+)/,kb=/<tbody/i,lb=/<|&#?\w+;/,mb=/<(?:script|style|link)/i,nb=/checked\s*(?:[^=]|=\s*.checked.)/i,ob=/^$|\/(?:java|ecma)script/i,pb=/^true\/(.*)/,qb=/^\s*<!(?:\[CDATA\[|--)|(?:\]\]|--)>\s*$/g,rb={option:[1,"<select multiple='multiple'>","</select>"],legend:[1,"<fieldset>","</fieldset>"],area:[1,"<map>","</map>"],param:[1,"<object>","</object>"],thead:[1,"<table>","</table>"],tr:[2,"<table><tbody>","</tbody></table>"],col:[2,"<table><tbody></tbody><colgroup>","</colgroup></table>"],td:[3,"<table><tbody><tr>","</tr></tbody></table>"],_default:k.htmlSerialize?[0,"",""]:[1,"X<div>","</div>"]},sb=db(y),tb=sb.appendChild(y.createElement("div"));rb.optgroup=rb.option,rb.tbody=rb.tfoot=rb.colgroup=rb.caption=rb.thead,rb.th=rb.td;function ub(a,b){var c,d,e=0,f=typeof a.getElementsByTagName!==K?a.getElementsByTagName(b||"*"):typeof a.querySelectorAll!==K?a.querySelectorAll(b||"*"):void 0;if(!f)for(f=[],c=a.childNodes||a;null!=(d=c[e]);e++)!b||m.nodeName(d,b)?f.push(d):m.merge(f,ub(d,b));return void 0===b||b&&m.nodeName(a,b)?m.merge([a],f):f}function vb(a){W.test(a.type)&&(a.defaultChecked=a.checked)}function wb(a,b){return m.nodeName(a,"table")&&m.nodeName(11!==b.nodeType?b:b.firstChild,"tr")?a.getElementsByTagName("tbody")[0]||a.appendChild(a.ownerDocument.createElement("tbody")):a}function xb(a){return a.type=(null!==m.find.attr(a,"type"))+"/"+a.type,a}function yb(a){var b=pb.exec(a.type);return b?a.type=b[1]:a.removeAttribute("type"),a}function zb(a,b){for(var c,d=0;null!=(c=a[d]);d++)m._data(c,"globalEval",!b||m._data(b[d],"globalEval"))}function Ab(a,b){if(1===b.nodeType&&m.hasData(a)){var c,d,e,f=m._data(a),g=m._data(b,f),h=f.events;if(h){delete g.handle,g.events={};for(c in h)for(d=0,e=h[c].length;e>d;d++)m.event.add(b,c,h[c][d])}g.data&&(g.data=m.extend({},g.data))}}function Bb(a,b){var c,d,e;if(1===b.nodeType){if(c=b.nodeName.toLowerCase(),!k.noCloneEvent&&b[m.expando]){e=m._data(b);for(d in e.events)m.removeEvent(b,d,e.handle);b.removeAttribute(m.expando)}"script"===c&&b.text!==a.text?(xb(b).text=a.text,yb(b)):"object"===c?(b.parentNode&&(b.outerHTML=a.outerHTML),k.html5Clone&&a.innerHTML&&!m.trim(b.innerHTML)&&(b.innerHTML=a.innerHTML)):"input"===c&&W.test(a.type)?(b.defaultChecked=b.checked=a.checked,b.value!==a.value&&(b.value=a.value)):"option"===c?b.defaultSelected=b.selected=a.defaultSelected:("input"===c||"textarea"===c)&&(b.defaultValue=a.defaultValue)}}m.extend({clone:function(a,b,c){var d,e,f,g,h,i=m.contains(a.ownerDocument,a);if(k.html5Clone||m.isXMLDoc(a)||!gb.test("<"+a.nodeName+">")?f=a.cloneNode(!0):(tb.innerHTML=a.outerHTML,tb.removeChild(f=tb.firstChild)),!(k.noCloneEvent&&k.noCloneChecked||1!==a.nodeType&&11!==a.nodeType||m.isXMLDoc(a)))for(d=ub(f),h=ub(a),g=0;null!=(e=h[g]);++g)d[g]&&Bb(e,d[g]);if(b)if(c)for(h=h||ub(a),d=d||ub(f),g=0;null!=(e=h[g]);g++)Ab(e,d[g]);else Ab(a,f);return d=ub(f,"script"),d.length>0&&zb(d,!i&&ub(a,"script")),d=h=e=null,f},buildFragment:function(a,b,c,d){for(var e,f,g,h,i,j,l,n=a.length,o=db(b),p=[],q=0;n>q;q++)if(f=a[q],f||0===f)if("object"===m.type(f))m.merge(p,f.nodeType?[f]:f);else if(lb.test(f)){h=h||o.appendChild(b.createElement("div")),i=(jb.exec(f)||["",""])[1].toLowerCase(),l=rb[i]||rb._default,h.innerHTML=l[1]+f.replace(ib,"<$1></$2>")+l[2],e=l[0];while(e--)h=h.lastChild;if(!k.leadingWhitespace&&hb.test(f)&&p.push(b.createTextNode(hb.exec(f)[0])),!k.tbody){f="table"!==i||kb.test(f)?"<table>"!==l[1]||kb.test(f)?0:h:h.firstChild,e=f&&f.childNodes.length;while(e--)m.nodeName(j=f.childNodes[e],"tbody")&&!j.childNodes.length&&f.removeChild(j)}m.merge(p,h.childNodes),h.textContent="";while(h.firstChild)h.removeChild(h.firstChild);h=o.lastChild}else p.push(b.createTextNode(f));h&&o.removeChild(h),k.appendChecked||m.grep(ub(p,"input"),vb),q=0;while(f=p[q++])if((!d||-1===m.inArray(f,d))&&(g=m.contains(f.ownerDocument,f),h=ub(o.appendChild(f),"script"),g&&zb(h),c)){e=0;while(f=h[e++])ob.test(f.type||"")&&c.push(f)}return h=null,o},cleanData:function(a,b){for(var d,e,f,g,h=0,i=m.expando,j=m.cache,l=k.deleteExpando,n=m.event.special;null!=(d=a[h]);h++)if((b||m.acceptData(d))&&(f=d[i],g=f&&j[f])){if(g.events)for(e in g.events)n[e]?m.event.remove(d,e):m.removeEvent(d,e,g.handle);j[f]&&(delete j[f],l?delete d[i]:typeof d.removeAttribute!==K?d.removeAttribute(i):d[i]=null,c.push(f))}}}),m.fn.extend({text:function(a){return V(this,function(a){return void 0===a?m.text(this):this.empty().append((this[0]&&this[0].ownerDocument||y).createTextNode(a))},null,a,arguments.length)},append:function(){return this.domManip(arguments,function(a){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var b=wb(this,a);b.appendChild(a)}})},prepend:function(){return this.domManip(arguments,function(a){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var b=wb(this,a);b.insertBefore(a,b.firstChild)}})},before:function(){return this.domManip(arguments,function(a){this.parentNode&&this.parentNode.insertBefore(a,this)})},after:function(){return this.domManip(arguments,function(a){this.parentNode&&this.parentNode.insertBefore(a,this.nextSibling)})},remove:function(a,b){for(var c,d=a?m.filter(a,this):this,e=0;null!=(c=d[e]);e++)b||1!==c.nodeType||m.cleanData(ub(c)),c.parentNode&&(b&&m.contains(c.ownerDocument,c)&&zb(ub(c,"script")),c.parentNode.removeChild(c));return this},empty:function(){for(var a,b=0;null!=(a=this[b]);b++){1===a.nodeType&&m.cleanData(ub(a,!1));while(a.firstChild)a.removeChild(a.firstChild);a.options&&m.nodeName(a,"select")&&(a.options.length=0)}return this},clone:function(a,b){return a=null==a?!1:a,b=null==b?a:b,this.map(function(){return m.clone(this,a,b)})},html:function(a){return V(this,function(a){var b=this[0]||{},c=0,d=this.length;if(void 0===a)return 1===b.nodeType?b.innerHTML.replace(fb,""):void 0;if(!("string"!=typeof a||mb.test(a)||!k.htmlSerialize&&gb.test(a)||!k.leadingWhitespace&&hb.test(a)||rb[(jb.exec(a)||["",""])[1].toLowerCase()])){a=a.replace(ib,"<$1></$2>");try{for(;d>c;c++)b=this[c]||{},1===b.nodeType&&(m.cleanData(ub(b,!1)),b.innerHTML=a);b=0}catch(e){}}b&&this.empty().append(a)},null,a,arguments.length)},replaceWith:function(){var a=arguments[0];return this.domManip(arguments,function(b){a=this.parentNode,m.cleanData(ub(this)),a&&a.replaceChild(b,this)}),a&&(a.length||a.nodeType)?this:this.remove()},detach:function(a){return this.remove(a,!0)},domManip:function(a,b){a=e.apply([],a);var c,d,f,g,h,i,j=0,l=this.length,n=this,o=l-1,p=a[0],q=m.isFunction(p);if(q||l>1&&"string"==typeof p&&!k.checkClone&&nb.test(p))return this.each(function(c){var d=n.eq(c);q&&(a[0]=p.call(this,c,d.html())),d.domManip(a,b)});if(l&&(i=m.buildFragment(a,this[0].ownerDocument,!1,this),c=i.firstChild,1===i.childNodes.length&&(i=c),c)){for(g=m.map(ub(i,"script"),xb),f=g.length;l>j;j++)d=i,j!==o&&(d=m.clone(d,!0,!0),f&&m.merge(g,ub(d,"script"))),b.call(this[j],d,j);if(f)for(h=g[g.length-1].ownerDocument,m.map(g,yb),j=0;f>j;j++)d=g[j],ob.test(d.type||"")&&!m._data(d,"globalEval")&&m.contains(h,d)&&(d.src?m._evalUrl&&m._evalUrl(d.src):m.globalEval((d.text||d.textContent||d.innerHTML||"").replace(qb,"")));i=c=null}return this}}),m.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(a,b){m.fn[a]=function(a){for(var c,d=0,e=[],g=m(a),h=g.length-1;h>=d;d++)c=d===h?this:this.clone(!0),m(g[d])[b](c),f.apply(e,c.get());return this.pushStack(e)}});var Cb,Db={};function Eb(b,c){var d,e=m(c.createElement(b)).appendTo(c.body),f=a.getDefaultComputedStyle&&(d=a.getDefaultComputedStyle(e[0]))?d.display:m.css(e[0],"display");return e.detach(),f}function Fb(a){var b=y,c=Db[a];return c||(c=Eb(a,b),"none"!==c&&c||(Cb=(Cb||m("<iframe frameborder='0' width='0' height='0'/>")).appendTo(b.documentElement),b=(Cb[0].contentWindow||Cb[0].contentDocument).document,b.write(),b.close(),c=Eb(a,b),Cb.detach()),Db[a]=c),c}!function(){var a;k.shrinkWrapBlocks=function(){if(null!=a)return a;a=!1;var b,c,d;return c=y.getElementsByTagName("body")[0],c&&c.style?(b=y.createElement("div"),d=y.createElement("div"),d.style.cssText="position:absolute;border:0;width:0;height:0;top:0;left:-9999px",c.appendChild(d).appendChild(b),typeof b.style.zoom!==K&&(b.style.cssText="-webkit-box-sizing:content-box;-moz-box-sizing:content-box;box-sizing:content-box;display:block;margin:0;border:0;padding:1px;width:1px;zoom:1",b.appendChild(y.createElement("div")).style.width="5px",a=3!==b.offsetWidth),c.removeChild(d),a):void 0}}();var Gb=/^margin/,Hb=new RegExp("^("+S+")(?!px)[a-z%]+$","i"),Ib,Jb,Kb=/^(top|right|bottom|left)$/;a.getComputedStyle?(Ib=function(a){return a.ownerDocument.defaultView.getComputedStyle(a,null)},Jb=function(a,b,c){var d,e,f,g,h=a.style;return c=c||Ib(a),g=c?c.getPropertyValue(b)||c[b]:void 0,c&&(""!==g||m.contains(a.ownerDocument,a)||(g=m.style(a,b)),Hb.test(g)&&Gb.test(b)&&(d=h.width,e=h.minWidth,f=h.maxWidth,h.minWidth=h.maxWidth=h.width=g,g=c.width,h.width=d,h.minWidth=e,h.maxWidth=f)),void 0===g?g:g+""}):y.documentElement.currentStyle&&(Ib=function(a){return a.currentStyle},Jb=function(a,b,c){var d,e,f,g,h=a.style;return c=c||Ib(a),g=c?c[b]:void 0,null==g&&h&&h[b]&&(g=h[b]),Hb.test(g)&&!Kb.test(b)&&(d=h.left,e=a.runtimeStyle,f=e&&e.left,f&&(e.left=a.currentStyle.left),h.left="fontSize"===b?"1em":g,g=h.pixelLeft+"px",h.left=d,f&&(e.left=f)),void 0===g?g:g+""||"auto"});function Lb(a,b){return{get:function(){var c=a();if(null!=c)return c?void delete this.get:(this.get=b).apply(this,arguments)}}}!function(){var b,c,d,e,f,g,h;if(b=y.createElement("div"),b.innerHTML=" <link/><table></table><a href='/a'>a</a><input type='checkbox'/>",d=b.getElementsByTagName("a")[0],c=d&&d.style){c.cssText="float:left;opacity:.5",k.opacity="0.5"===c.opacity,k.cssFloat=!!c.cssFloat,b.style.backgroundClip="content-box",b.cloneNode(!0).style.backgroundClip="",k.clearCloneStyle="content-box"===b.style.backgroundClip,k.boxSizing=""===c.boxSizing||""===c.MozBoxSizing||""===c.WebkitBoxSizing,m.extend(k,{reliableHiddenOffsets:function(){return null==g&&i(),g},boxSizingReliable:function(){return null==f&&i(),f},pixelPosition:function(){return null==e&&i(),e},reliableMarginRight:function(){return null==h&&i(),h}});function i(){var b,c,d,i;c=y.getElementsByTagName("body")[0],c&&c.style&&(b=y.createElement("div"),d=y.createElement("div"),d.style.cssText="position:absolute;border:0;width:0;height:0;top:0;left:-9999px",c.appendChild(d).appendChild(b),b.style.cssText="-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;display:block;margin-top:1%;top:1%;border:1px;padding:1px;width:4px;position:absolute",e=f=!1,h=!0,a.getComputedStyle&&(e="1%"!==(a.getComputedStyle(b,null)||{}).top,f="4px"===(a.getComputedStyle(b,null)||{width:"4px"}).width,i=b.appendChild(y.createElement("div")),i.style.cssText=b.style.cssText="-webkit-box-sizing:content-box;-moz-box-sizing:content-box;box-sizing:content-box;display:block;margin:0;border:0;padding:0",i.style.marginRight=i.style.width="0",b.style.width="1px",h=!parseFloat((a.getComputedStyle(i,null)||{}).marginRight)),b.innerHTML="<table><tr><td></td><td>t</td></tr></table>",i=b.getElementsByTagName("td"),i[0].style.cssText="margin:0;border:0;padding:0;display:none",g=0===i[0].offsetHeight,g&&(i[0].style.display="",i[1].style.display="none",g=0===i[0].offsetHeight),c.removeChild(d))}}}(),m.swap=function(a,b,c,d){var e,f,g={};for(f in b)g[f]=a.style[f],a.style[f]=b[f];e=c.apply(a,d||[]);for(f in b)a.style[f]=g[f];return e};var Mb=/alpha\([^)]*\)/i,Nb=/opacity\s*=\s*([^)]*)/,Ob=/^(none|table(?!-c[ea]).+)/,Pb=new RegExp("^("+S+")(.*)$","i"),Qb=new RegExp("^([+-])=("+S+")","i"),Rb={position:"absolute",visibility:"hidden",display:"block"},Sb={letterSpacing:"0",fontWeight:"400"},Tb=["Webkit","O","Moz","ms"];function Ub(a,b){if(b in a)return b;var c=b.charAt(0).toUpperCase()+b.slice(1),d=b,e=Tb.length;while(e--)if(b=Tb[e]+c,b in a)return b;return d}function Vb(a,b){for(var c,d,e,f=[],g=0,h=a.length;h>g;g++)d=a[g],d.style&&(f[g]=m._data(d,"olddisplay"),c=d.style.display,b?(f[g]||"none"!==c||(d.style.display=""),""===d.style.display&&U(d)&&(f[g]=m._data(d,"olddisplay",Fb(d.nodeName)))):(e=U(d),(c&&"none"!==c||!e)&&m._data(d,"olddisplay",e?c:m.css(d,"display"))));for(g=0;h>g;g++)d=a[g],d.style&&(b&&"none"!==d.style.display&&""!==d.style.display||(d.style.display=b?f[g]||"":"none"));return a}function Wb(a,b,c){var d=Pb.exec(b);return d?Math.max(0,d[1]-(c||0))+(d[2]||"px"):b}function Xb(a,b,c,d,e){for(var f=c===(d?"border":"content")?4:"width"===b?1:0,g=0;4>f;f+=2)"margin"===c&&(g+=m.css(a,c+T[f],!0,e)),d?("content"===c&&(g-=m.css(a,"padding"+T[f],!0,e)),"margin"!==c&&(g-=m.css(a,"border"+T[f]+"Width",!0,e))):(g+=m.css(a,"padding"+T[f],!0,e),"padding"!==c&&(g+=m.css(a,"border"+T[f]+"Width",!0,e)));return g}function Yb(a,b,c){var d=!0,e="width"===b?a.offsetWidth:a.offsetHeight,f=Ib(a),g=k.boxSizing&&"border-box"===m.css(a,"boxSizing",!1,f);if(0>=e||null==e){if(e=Jb(a,b,f),(0>e||null==e)&&(e=a.style[b]),Hb.test(e))return e;d=g&&(k.boxSizingReliable()||e===a.style[b]),e=parseFloat(e)||0}return e+Xb(a,b,c||(g?"border":"content"),d,f)+"px"}m.extend({cssHooks:{opacity:{get:function(a,b){if(b){var c=Jb(a,"opacity");return""===c?"1":c}}}},cssNumber:{columnCount:!0,fillOpacity:!0,flexGrow:!0,flexShrink:!0,fontWeight:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,widows:!0,zIndex:!0,zoom:!0},cssProps:{"float":k.cssFloat?"cssFloat":"styleFloat"},style:function(a,b,c,d){if(a&&3!==a.nodeType&&8!==a.nodeType&&a.style){var e,f,g,h=m.camelCase(b),i=a.style;if(b=m.cssProps[h]||(m.cssProps[h]=Ub(i,h)),g=m.cssHooks[b]||m.cssHooks[h],void 0===c)return g&&"get"in g&&void 0!==(e=g.get(a,!1,d))?e:i[b];if(f=typeof c,"string"===f&&(e=Qb.exec(c))&&(c=(e[1]+1)*e[2]+parseFloat(m.css(a,b)),f="number"),null!=c&&c===c&&("number"!==f||m.cssNumber[h]||(c+="px"),k.clearCloneStyle||""!==c||0!==b.indexOf("background")||(i[b]="inherit"),!(g&&"set"in g&&void 0===(c=g.set(a,c,d)))))try{i[b]=c}catch(j){}}},css:function(a,b,c,d){var e,f,g,h=m.camelCase(b);return b=m.cssProps[h]||(m.cssProps[h]=Ub(a.style,h)),g=m.cssHooks[b]||m.cssHooks[h],g&&"get"in g&&(f=g.get(a,!0,c)),void 0===f&&(f=Jb(a,b,d)),"normal"===f&&b in Sb&&(f=Sb[b]),""===c||c?(e=parseFloat(f),c===!0||m.isNumeric(e)?e||0:f):f}}),m.each(["height","width"],function(a,b){m.cssHooks[b]={get:function(a,c,d){return c?Ob.test(m.css(a,"display"))&&0===a.offsetWidth?m.swap(a,Rb,function(){return Yb(a,b,d)}):Yb(a,b,d):void 0},set:function(a,c,d){var e=d&&Ib(a);return Wb(a,c,d?Xb(a,b,d,k.boxSizing&&"border-box"===m.css(a,"boxSizing",!1,e),e):0)}}}),k.opacity||(m.cssHooks.opacity={get:function(a,b){return Nb.test((b&&a.currentStyle?a.currentStyle.filter:a.style.filter)||"")?.01*parseFloat(RegExp.$1)+"":b?"1":""},set:function(a,b){var c=a.style,d=a.currentStyle,e=m.isNumeric(b)?"alpha(opacity="+100*b+")":"",f=d&&d.filter||c.filter||"";c.zoom=1,(b>=1||""===b)&&""===m.trim(f.replace(Mb,""))&&c.removeAttribute&&(c.removeAttribute("filter"),""===b||d&&!d.filter)||(c.filter=Mb.test(f)?f.replace(Mb,e):f+" "+e)}}),m.cssHooks.marginRight=Lb(k.reliableMarginRight,function(a,b){return b?m.swap(a,{display:"inline-block"},Jb,[a,"marginRight"]):void 0}),m.each({margin:"",padding:"",border:"Width"},function(a,b){m.cssHooks[a+b]={expand:function(c){for(var d=0,e={},f="string"==typeof c?c.split(" "):[c];4>d;d++)e[a+T[d]+b]=f[d]||f[d-2]||f[0];return e}},Gb.test(a)||(m.cssHooks[a+b].set=Wb)}),m.fn.extend({css:function(a,b){return V(this,function(a,b,c){var d,e,f={},g=0;if(m.isArray(b)){for(d=Ib(a),e=b.length;e>g;g++)f[b[g]]=m.css(a,b[g],!1,d);return f}return void 0!==c?m.style(a,b,c):m.css(a,b)},a,b,arguments.length>1)},show:function(){return Vb(this,!0)},hide:function(){return Vb(this)},toggle:function(a){return"boolean"==typeof a?a?this.show():this.hide():this.each(function(){U(this)?m(this).show():m(this).hide()})}});function Zb(a,b,c,d,e){return new Zb.prototype.init(a,b,c,d,e)}m.Tween=Zb,Zb.prototype={constructor:Zb,init:function(a,b,c,d,e,f){this.elem=a,this.prop=c,this.easing=e||"swing",this.options=b,this.start=this.now=this.cur(),this.end=d,this.unit=f||(m.cssNumber[c]?"":"px")
},cur:function(){var a=Zb.propHooks[this.prop];return a&&a.get?a.get(this):Zb.propHooks._default.get(this)},run:function(a){var b,c=Zb.propHooks[this.prop];return this.pos=b=this.options.duration?m.easing[this.easing](a,this.options.duration*a,0,1,this.options.duration):a,this.now=(this.end-this.start)*b+this.start,this.options.step&&this.options.step.call(this.elem,this.now,this),c&&c.set?c.set(this):Zb.propHooks._default.set(this),this}},Zb.prototype.init.prototype=Zb.prototype,Zb.propHooks={_default:{get:function(a){var b;return null==a.elem[a.prop]||a.elem.style&&null!=a.elem.style[a.prop]?(b=m.css(a.elem,a.prop,""),b&&"auto"!==b?b:0):a.elem[a.prop]},set:function(a){m.fx.step[a.prop]?m.fx.step[a.prop](a):a.elem.style&&(null!=a.elem.style[m.cssProps[a.prop]]||m.cssHooks[a.prop])?m.style(a.elem,a.prop,a.now+a.unit):a.elem[a.prop]=a.now}}},Zb.propHooks.scrollTop=Zb.propHooks.scrollLeft={set:function(a){a.elem.nodeType&&a.elem.parentNode&&(a.elem[a.prop]=a.now)}},m.easing={linear:function(a){return a},swing:function(a){return.5-Math.cos(a*Math.PI)/2}},m.fx=Zb.prototype.init,m.fx.step={};var $b,_b,ac=/^(?:toggle|show|hide)$/,bc=new RegExp("^(?:([+-])=|)("+S+")([a-z%]*)$","i"),cc=/queueHooks$/,dc=[ic],ec={"*":[function(a,b){var c=this.createTween(a,b),d=c.cur(),e=bc.exec(b),f=e&&e[3]||(m.cssNumber[a]?"":"px"),g=(m.cssNumber[a]||"px"!==f&&+d)&&bc.exec(m.css(c.elem,a)),h=1,i=20;if(g&&g[3]!==f){f=f||g[3],e=e||[],g=+d||1;do h=h||".5",g/=h,m.style(c.elem,a,g+f);while(h!==(h=c.cur()/d)&&1!==h&&--i)}return e&&(g=c.start=+g||+d||0,c.unit=f,c.end=e[1]?g+(e[1]+1)*e[2]:+e[2]),c}]};function fc(){return setTimeout(function(){$b=void 0}),$b=m.now()}function gc(a,b){var c,d={height:a},e=0;for(b=b?1:0;4>e;e+=2-b)c=T[e],d["margin"+c]=d["padding"+c]=a;return b&&(d.opacity=d.width=a),d}function hc(a,b,c){for(var d,e=(ec[b]||[]).concat(ec["*"]),f=0,g=e.length;g>f;f++)if(d=e[f].call(c,b,a))return d}function ic(a,b,c){var d,e,f,g,h,i,j,l,n=this,o={},p=a.style,q=a.nodeType&&U(a),r=m._data(a,"fxshow");c.queue||(h=m._queueHooks(a,"fx"),null==h.unqueued&&(h.unqueued=0,i=h.empty.fire,h.empty.fire=function(){h.unqueued||i()}),h.unqueued++,n.always(function(){n.always(function(){h.unqueued--,m.queue(a,"fx").length||h.empty.fire()})})),1===a.nodeType&&("height"in b||"width"in b)&&(c.overflow=[p.overflow,p.overflowX,p.overflowY],j=m.css(a,"display"),l="none"===j?m._data(a,"olddisplay")||Fb(a.nodeName):j,"inline"===l&&"none"===m.css(a,"float")&&(k.inlineBlockNeedsLayout&&"inline"!==Fb(a.nodeName)?p.zoom=1:p.display="inline-block")),c.overflow&&(p.overflow="hidden",k.shrinkWrapBlocks()||n.always(function(){p.overflow=c.overflow[0],p.overflowX=c.overflow[1],p.overflowY=c.overflow[2]}));for(d in b)if(e=b[d],ac.exec(e)){if(delete b[d],f=f||"toggle"===e,e===(q?"hide":"show")){if("show"!==e||!r||void 0===r[d])continue;q=!0}o[d]=r&&r[d]||m.style(a,d)}else j=void 0;if(m.isEmptyObject(o))"inline"===("none"===j?Fb(a.nodeName):j)&&(p.display=j);else{r?"hidden"in r&&(q=r.hidden):r=m._data(a,"fxshow",{}),f&&(r.hidden=!q),q?m(a).show():n.done(function(){m(a).hide()}),n.done(function(){var b;m._removeData(a,"fxshow");for(b in o)m.style(a,b,o[b])});for(d in o)g=hc(q?r[d]:0,d,n),d in r||(r[d]=g.start,q&&(g.end=g.start,g.start="width"===d||"height"===d?1:0))}}function jc(a,b){var c,d,e,f,g;for(c in a)if(d=m.camelCase(c),e=b[d],f=a[c],m.isArray(f)&&(e=f[1],f=a[c]=f[0]),c!==d&&(a[d]=f,delete a[c]),g=m.cssHooks[d],g&&"expand"in g){f=g.expand(f),delete a[d];for(c in f)c in a||(a[c]=f[c],b[c]=e)}else b[d]=e}function kc(a,b,c){var d,e,f=0,g=dc.length,h=m.Deferred().always(function(){delete i.elem}),i=function(){if(e)return!1;for(var b=$b||fc(),c=Math.max(0,j.startTime+j.duration-b),d=c/j.duration||0,f=1-d,g=0,i=j.tweens.length;i>g;g++)j.tweens[g].run(f);return h.notifyWith(a,[j,f,c]),1>f&&i?c:(h.resolveWith(a,[j]),!1)},j=h.promise({elem:a,props:m.extend({},b),opts:m.extend(!0,{specialEasing:{}},c),originalProperties:b,originalOptions:c,startTime:$b||fc(),duration:c.duration,tweens:[],createTween:function(b,c){var d=m.Tween(a,j.opts,b,c,j.opts.specialEasing[b]||j.opts.easing);return j.tweens.push(d),d},stop:function(b){var c=0,d=b?j.tweens.length:0;if(e)return this;for(e=!0;d>c;c++)j.tweens[c].run(1);return b?h.resolveWith(a,[j,b]):h.rejectWith(a,[j,b]),this}}),k=j.props;for(jc(k,j.opts.specialEasing);g>f;f++)if(d=dc[f].call(j,a,k,j.opts))return d;return m.map(k,hc,j),m.isFunction(j.opts.start)&&j.opts.start.call(a,j),m.fx.timer(m.extend(i,{elem:a,anim:j,queue:j.opts.queue})),j.progress(j.opts.progress).done(j.opts.done,j.opts.complete).fail(j.opts.fail).always(j.opts.always)}m.Animation=m.extend(kc,{tweener:function(a,b){m.isFunction(a)?(b=a,a=["*"]):a=a.split(" ");for(var c,d=0,e=a.length;e>d;d++)c=a[d],ec[c]=ec[c]||[],ec[c].unshift(b)},prefilter:function(a,b){b?dc.unshift(a):dc.push(a)}}),m.speed=function(a,b,c){var d=a&&"object"==typeof a?m.extend({},a):{complete:c||!c&&b||m.isFunction(a)&&a,duration:a,easing:c&&b||b&&!m.isFunction(b)&&b};return d.duration=m.fx.off?0:"number"==typeof d.duration?d.duration:d.duration in m.fx.speeds?m.fx.speeds[d.duration]:m.fx.speeds._default,(null==d.queue||d.queue===!0)&&(d.queue="fx"),d.old=d.complete,d.complete=function(){m.isFunction(d.old)&&d.old.call(this),d.queue&&m.dequeue(this,d.queue)},d},m.fn.extend({fadeTo:function(a,b,c,d){return this.filter(U).css("opacity",0).show().end().animate({opacity:b},a,c,d)},animate:function(a,b,c,d){var e=m.isEmptyObject(a),f=m.speed(b,c,d),g=function(){var b=kc(this,m.extend({},a),f);(e||m._data(this,"finish"))&&b.stop(!0)};return g.finish=g,e||f.queue===!1?this.each(g):this.queue(f.queue,g)},stop:function(a,b,c){var d=function(a){var b=a.stop;delete a.stop,b(c)};return"string"!=typeof a&&(c=b,b=a,a=void 0),b&&a!==!1&&this.queue(a||"fx",[]),this.each(function(){var b=!0,e=null!=a&&a+"queueHooks",f=m.timers,g=m._data(this);if(e)g[e]&&g[e].stop&&d(g[e]);else for(e in g)g[e]&&g[e].stop&&cc.test(e)&&d(g[e]);for(e=f.length;e--;)f[e].elem!==this||null!=a&&f[e].queue!==a||(f[e].anim.stop(c),b=!1,f.splice(e,1));(b||!c)&&m.dequeue(this,a)})},finish:function(a){return a!==!1&&(a=a||"fx"),this.each(function(){var b,c=m._data(this),d=c[a+"queue"],e=c[a+"queueHooks"],f=m.timers,g=d?d.length:0;for(c.finish=!0,m.queue(this,a,[]),e&&e.stop&&e.stop.call(this,!0),b=f.length;b--;)f[b].elem===this&&f[b].queue===a&&(f[b].anim.stop(!0),f.splice(b,1));for(b=0;g>b;b++)d[b]&&d[b].finish&&d[b].finish.call(this);delete c.finish})}}),m.each(["toggle","show","hide"],function(a,b){var c=m.fn[b];m.fn[b]=function(a,d,e){return null==a||"boolean"==typeof a?c.apply(this,arguments):this.animate(gc(b,!0),a,d,e)}}),m.each({slideDown:gc("show"),slideUp:gc("hide"),slideToggle:gc("toggle"),fadeIn:{opacity:"show"},fadeOut:{opacity:"hide"},fadeToggle:{opacity:"toggle"}},function(a,b){m.fn[a]=function(a,c,d){return this.animate(b,a,c,d)}}),m.timers=[],m.fx.tick=function(){var a,b=m.timers,c=0;for($b=m.now();c<b.length;c++)a=b[c],a()||b[c]!==a||b.splice(c--,1);b.length||m.fx.stop(),$b=void 0},m.fx.timer=function(a){m.timers.push(a),a()?m.fx.start():m.timers.pop()},m.fx.interval=13,m.fx.start=function(){_b||(_b=setInterval(m.fx.tick,m.fx.interval))},m.fx.stop=function(){clearInterval(_b),_b=null},m.fx.speeds={slow:600,fast:200,_default:400},m.fn.delay=function(a,b){return a=m.fx?m.fx.speeds[a]||a:a,b=b||"fx",this.queue(b,function(b,c){var d=setTimeout(b,a);c.stop=function(){clearTimeout(d)}})},function(){var a,b,c,d,e;b=y.createElement("div"),b.setAttribute("className","t"),b.innerHTML=" <link/><table></table><a href='/a'>a</a><input type='checkbox'/>",d=b.getElementsByTagName("a")[0],c=y.createElement("select"),e=c.appendChild(y.createElement("option")),a=b.getElementsByTagName("input")[0],d.style.cssText="top:1px",k.getSetAttribute="t"!==b.className,k.style=/top/.test(d.getAttribute("style")),k.hrefNormalized="/a"===d.getAttribute("href"),k.checkOn=!!a.value,k.optSelected=e.selected,k.enctype=!!y.createElement("form").enctype,c.disabled=!0,k.optDisabled=!e.disabled,a=y.createElement("input"),a.setAttribute("value",""),k.input=""===a.getAttribute("value"),a.value="t",a.setAttribute("type","radio"),k.radioValue="t"===a.value}();var lc=/\r/g;m.fn.extend({val:function(a){var b,c,d,e=this[0];{if(arguments.length)return d=m.isFunction(a),this.each(function(c){var e;1===this.nodeType&&(e=d?a.call(this,c,m(this).val()):a,null==e?e="":"number"==typeof e?e+="":m.isArray(e)&&(e=m.map(e,function(a){return null==a?"":a+""})),b=m.valHooks[this.type]||m.valHooks[this.nodeName.toLowerCase()],b&&"set"in b&&void 0!==b.set(this,e,"value")||(this.value=e))});if(e)return b=m.valHooks[e.type]||m.valHooks[e.nodeName.toLowerCase()],b&&"get"in b&&void 0!==(c=b.get(e,"value"))?c:(c=e.value,"string"==typeof c?c.replace(lc,""):null==c?"":c)}}}),m.extend({valHooks:{option:{get:function(a){var b=m.find.attr(a,"value");return null!=b?b:m.trim(m.text(a))}},select:{get:function(a){for(var b,c,d=a.options,e=a.selectedIndex,f="select-one"===a.type||0>e,g=f?null:[],h=f?e+1:d.length,i=0>e?h:f?e:0;h>i;i++)if(c=d[i],!(!c.selected&&i!==e||(k.optDisabled?c.disabled:null!==c.getAttribute("disabled"))||c.parentNode.disabled&&m.nodeName(c.parentNode,"optgroup"))){if(b=m(c).val(),f)return b;g.push(b)}return g},set:function(a,b){var c,d,e=a.options,f=m.makeArray(b),g=e.length;while(g--)if(d=e[g],m.inArray(m.valHooks.option.get(d),f)>=0)try{d.selected=c=!0}catch(h){d.scrollHeight}else d.selected=!1;return c||(a.selectedIndex=-1),e}}}}),m.each(["radio","checkbox"],function(){m.valHooks[this]={set:function(a,b){return m.isArray(b)?a.checked=m.inArray(m(a).val(),b)>=0:void 0}},k.checkOn||(m.valHooks[this].get=function(a){return null===a.getAttribute("value")?"on":a.value})});var mc,nc,oc=m.expr.attrHandle,pc=/^(?:checked|selected)$/i,qc=k.getSetAttribute,rc=k.input;m.fn.extend({attr:function(a,b){return V(this,m.attr,a,b,arguments.length>1)},removeAttr:function(a){return this.each(function(){m.removeAttr(this,a)})}}),m.extend({attr:function(a,b,c){var d,e,f=a.nodeType;if(a&&3!==f&&8!==f&&2!==f)return typeof a.getAttribute===K?m.prop(a,b,c):(1===f&&m.isXMLDoc(a)||(b=b.toLowerCase(),d=m.attrHooks[b]||(m.expr.match.bool.test(b)?nc:mc)),void 0===c?d&&"get"in d&&null!==(e=d.get(a,b))?e:(e=m.find.attr(a,b),null==e?void 0:e):null!==c?d&&"set"in d&&void 0!==(e=d.set(a,c,b))?e:(a.setAttribute(b,c+""),c):void m.removeAttr(a,b))},removeAttr:function(a,b){var c,d,e=0,f=b&&b.match(E);if(f&&1===a.nodeType)while(c=f[e++])d=m.propFix[c]||c,m.expr.match.bool.test(c)?rc&&qc||!pc.test(c)?a[d]=!1:a[m.camelCase("default-"+c)]=a[d]=!1:m.attr(a,c,""),a.removeAttribute(qc?c:d)},attrHooks:{type:{set:function(a,b){if(!k.radioValue&&"radio"===b&&m.nodeName(a,"input")){var c=a.value;return a.setAttribute("type",b),c&&(a.value=c),b}}}}}),nc={set:function(a,b,c){return b===!1?m.removeAttr(a,c):rc&&qc||!pc.test(c)?a.setAttribute(!qc&&m.propFix[c]||c,c):a[m.camelCase("default-"+c)]=a[c]=!0,c}},m.each(m.expr.match.bool.source.match(/\w+/g),function(a,b){var c=oc[b]||m.find.attr;oc[b]=rc&&qc||!pc.test(b)?function(a,b,d){var e,f;return d||(f=oc[b],oc[b]=e,e=null!=c(a,b,d)?b.toLowerCase():null,oc[b]=f),e}:function(a,b,c){return c?void 0:a[m.camelCase("default-"+b)]?b.toLowerCase():null}}),rc&&qc||(m.attrHooks.value={set:function(a,b,c){return m.nodeName(a,"input")?void(a.defaultValue=b):mc&&mc.set(a,b,c)}}),qc||(mc={set:function(a,b,c){var d=a.getAttributeNode(c);return d||a.setAttributeNode(d=a.ownerDocument.createAttribute(c)),d.value=b+="","value"===c||b===a.getAttribute(c)?b:void 0}},oc.id=oc.name=oc.coords=function(a,b,c){var d;return c?void 0:(d=a.getAttributeNode(b))&&""!==d.value?d.value:null},m.valHooks.button={get:function(a,b){var c=a.getAttributeNode(b);return c&&c.specified?c.value:void 0},set:mc.set},m.attrHooks.contenteditable={set:function(a,b,c){mc.set(a,""===b?!1:b,c)}},m.each(["width","height"],function(a,b){m.attrHooks[b]={set:function(a,c){return""===c?(a.setAttribute(b,"auto"),c):void 0}}})),k.style||(m.attrHooks.style={get:function(a){return a.style.cssText||void 0},set:function(a,b){return a.style.cssText=b+""}});var sc=/^(?:input|select|textarea|button|object)$/i,tc=/^(?:a|area)$/i;m.fn.extend({prop:function(a,b){return V(this,m.prop,a,b,arguments.length>1)},removeProp:function(a){return a=m.propFix[a]||a,this.each(function(){try{this[a]=void 0,delete this[a]}catch(b){}})}}),m.extend({propFix:{"for":"htmlFor","class":"className"},prop:function(a,b,c){var d,e,f,g=a.nodeType;if(a&&3!==g&&8!==g&&2!==g)return f=1!==g||!m.isXMLDoc(a),f&&(b=m.propFix[b]||b,e=m.propHooks[b]),void 0!==c?e&&"set"in e&&void 0!==(d=e.set(a,c,b))?d:a[b]=c:e&&"get"in e&&null!==(d=e.get(a,b))?d:a[b]},propHooks:{tabIndex:{get:function(a){var b=m.find.attr(a,"tabindex");return b?parseInt(b,10):sc.test(a.nodeName)||tc.test(a.nodeName)&&a.href?0:-1}}}}),k.hrefNormalized||m.each(["href","src"],function(a,b){m.propHooks[b]={get:function(a){return a.getAttribute(b,4)}}}),k.optSelected||(m.propHooks.selected={get:function(a){var b=a.parentNode;return b&&(b.selectedIndex,b.parentNode&&b.parentNode.selectedIndex),null}}),m.each(["tabIndex","readOnly","maxLength","cellSpacing","cellPadding","rowSpan","colSpan","useMap","frameBorder","contentEditable"],function(){m.propFix[this.toLowerCase()]=this}),k.enctype||(m.propFix.enctype="encoding");var uc=/[\t\r\n\f]/g;m.fn.extend({addClass:function(a){var b,c,d,e,f,g,h=0,i=this.length,j="string"==typeof a&&a;if(m.isFunction(a))return this.each(function(b){m(this).addClass(a.call(this,b,this.className))});if(j)for(b=(a||"").match(E)||[];i>h;h++)if(c=this[h],d=1===c.nodeType&&(c.className?(" "+c.className+" ").replace(uc," "):" ")){f=0;while(e=b[f++])d.indexOf(" "+e+" ")<0&&(d+=e+" ");g=m.trim(d),c.className!==g&&(c.className=g)}return this},removeClass:function(a){var b,c,d,e,f,g,h=0,i=this.length,j=0===arguments.length||"string"==typeof a&&a;if(m.isFunction(a))return this.each(function(b){m(this).removeClass(a.call(this,b,this.className))});if(j)for(b=(a||"").match(E)||[];i>h;h++)if(c=this[h],d=1===c.nodeType&&(c.className?(" "+c.className+" ").replace(uc," "):"")){f=0;while(e=b[f++])while(d.indexOf(" "+e+" ")>=0)d=d.replace(" "+e+" "," ");g=a?m.trim(d):"",c.className!==g&&(c.className=g)}return this},toggleClass:function(a,b){var c=typeof a;return"boolean"==typeof b&&"string"===c?b?this.addClass(a):this.removeClass(a):this.each(m.isFunction(a)?function(c){m(this).toggleClass(a.call(this,c,this.className,b),b)}:function(){if("string"===c){var b,d=0,e=m(this),f=a.match(E)||[];while(b=f[d++])e.hasClass(b)?e.removeClass(b):e.addClass(b)}else(c===K||"boolean"===c)&&(this.className&&m._data(this,"__className__",this.className),this.className=this.className||a===!1?"":m._data(this,"__className__")||"")})},hasClass:function(a){for(var b=" "+a+" ",c=0,d=this.length;d>c;c++)if(1===this[c].nodeType&&(" "+this[c].className+" ").replace(uc," ").indexOf(b)>=0)return!0;return!1}}),m.each("blur focus focusin focusout load resize scroll unload click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select submit keydown keypress keyup error contextmenu".split(" "),function(a,b){m.fn[b]=function(a,c){return arguments.length>0?this.on(b,null,a,c):this.trigger(b)}}),m.fn.extend({hover:function(a,b){return this.mouseenter(a).mouseleave(b||a)},bind:function(a,b,c){return this.on(a,null,b,c)},unbind:function(a,b){return this.off(a,null,b)},delegate:function(a,b,c,d){return this.on(b,a,c,d)},undelegate:function(a,b,c){return 1===arguments.length?this.off(a,"**"):this.off(b,a||"**",c)}});var vc=m.now(),wc=/\?/,xc=/(,)|(\[|{)|(}|])|"(?:[^"\\\r\n]|\\["\\\/bfnrt]|\\u[\da-fA-F]{4})*"\s*:?|true|false|null|-?(?!0\d)\d+(?:\.\d+|)(?:[eE][+-]?\d+|)/g;m.parseJSON=function(b){if(a.JSON&&a.JSON.parse)return a.JSON.parse(b+"");var c,d=null,e=m.trim(b+"");return e&&!m.trim(e.replace(xc,function(a,b,e,f){return c&&b&&(d=0),0===d?a:(c=e||b,d+=!f-!e,"")}))?Function("return "+e)():m.error("Invalid JSON: "+b)},m.parseXML=function(b){var c,d;if(!b||"string"!=typeof b)return null;try{a.DOMParser?(d=new DOMParser,c=d.parseFromString(b,"text/xml")):(c=new ActiveXObject("Microsoft.XMLDOM"),c.async="false",c.loadXML(b))}catch(e){c=void 0}return c&&c.documentElement&&!c.getElementsByTagName("parsererror").length||m.error("Invalid XML: "+b),c};var yc,zc,Ac=/#.*$/,Bc=/([?&])_=[^&]*/,Cc=/^(.*?):[ \t]*([^\r\n]*)\r?$/gm,Dc=/^(?:about|app|app-storage|.+-extension|file|res|widget):$/,Ec=/^(?:GET|HEAD)$/,Fc=/^\/\//,Gc=/^([\w.+-]+:)(?:\/\/(?:[^\/?#]*@|)([^\/?#:]*)(?::(\d+)|)|)/,Hc={},Ic={},Jc="*/".concat("*");try{zc=location.href}catch(Kc){zc=y.createElement("a"),zc.href="",zc=zc.href}yc=Gc.exec(zc.toLowerCase())||[];function Lc(a){return function(b,c){"string"!=typeof b&&(c=b,b="*");var d,e=0,f=b.toLowerCase().match(E)||[];if(m.isFunction(c))while(d=f[e++])"+"===d.charAt(0)?(d=d.slice(1)||"*",(a[d]=a[d]||[]).unshift(c)):(a[d]=a[d]||[]).push(c)}}function Mc(a,b,c,d){var e={},f=a===Ic;function g(h){var i;return e[h]=!0,m.each(a[h]||[],function(a,h){var j=h(b,c,d);return"string"!=typeof j||f||e[j]?f?!(i=j):void 0:(b.dataTypes.unshift(j),g(j),!1)}),i}return g(b.dataTypes[0])||!e["*"]&&g("*")}function Nc(a,b){var c,d,e=m.ajaxSettings.flatOptions||{};for(d in b)void 0!==b[d]&&((e[d]?a:c||(c={}))[d]=b[d]);return c&&m.extend(!0,a,c),a}function Oc(a,b,c){var d,e,f,g,h=a.contents,i=a.dataTypes;while("*"===i[0])i.shift(),void 0===e&&(e=a.mimeType||b.getResponseHeader("Content-Type"));if(e)for(g in h)if(h[g]&&h[g].test(e)){i.unshift(g);break}if(i[0]in c)f=i[0];else{for(g in c){if(!i[0]||a.converters[g+" "+i[0]]){f=g;break}d||(d=g)}f=f||d}return f?(f!==i[0]&&i.unshift(f),c[f]):void 0}function Pc(a,b,c,d){var e,f,g,h,i,j={},k=a.dataTypes.slice();if(k[1])for(g in a.converters)j[g.toLowerCase()]=a.converters[g];f=k.shift();while(f)if(a.responseFields[f]&&(c[a.responseFields[f]]=b),!i&&d&&a.dataFilter&&(b=a.dataFilter(b,a.dataType)),i=f,f=k.shift())if("*"===f)f=i;else if("*"!==i&&i!==f){if(g=j[i+" "+f]||j["* "+f],!g)for(e in j)if(h=e.split(" "),h[1]===f&&(g=j[i+" "+h[0]]||j["* "+h[0]])){g===!0?g=j[e]:j[e]!==!0&&(f=h[0],k.unshift(h[1]));break}if(g!==!0)if(g&&a["throws"])b=g(b);else try{b=g(b)}catch(l){return{state:"parsererror",error:g?l:"No conversion from "+i+" to "+f}}}return{state:"success",data:b}}m.extend({active:0,lastModified:{},etag:{},ajaxSettings:{url:zc,type:"GET",isLocal:Dc.test(yc[1]),global:!0,processData:!0,async:!0,contentType:"application/x-www-form-urlencoded; charset=UTF-8",accepts:{"*":Jc,text:"text/plain",html:"text/html",xml:"application/xml, text/xml",json:"application/json, text/javascript"},contents:{xml:/xml/,html:/html/,json:/json/},responseFields:{xml:"responseXML",text:"responseText",json:"responseJSON"},converters:{"* text":String,"text html":!0,"text json":m.parseJSON,"text xml":m.parseXML},flatOptions:{url:!0,context:!0}},ajaxSetup:function(a,b){return b?Nc(Nc(a,m.ajaxSettings),b):Nc(m.ajaxSettings,a)},ajaxPrefilter:Lc(Hc),ajaxTransport:Lc(Ic),ajax:function(a,b){"object"==typeof a&&(b=a,a=void 0),b=b||{};var c,d,e,f,g,h,i,j,k=m.ajaxSetup({},b),l=k.context||k,n=k.context&&(l.nodeType||l.jquery)?m(l):m.event,o=m.Deferred(),p=m.Callbacks("once memory"),q=k.statusCode||{},r={},s={},t=0,u="canceled",v={readyState:0,getResponseHeader:function(a){var b;if(2===t){if(!j){j={};while(b=Cc.exec(f))j[b[1].toLowerCase()]=b[2]}b=j[a.toLowerCase()]}return null==b?null:b},getAllResponseHeaders:function(){return 2===t?f:null},setRequestHeader:function(a,b){var c=a.toLowerCase();return t||(a=s[c]=s[c]||a,r[a]=b),this},overrideMimeType:function(a){return t||(k.mimeType=a),this},statusCode:function(a){var b;if(a)if(2>t)for(b in a)q[b]=[q[b],a[b]];else v.always(a[v.status]);return this},abort:function(a){var b=a||u;return i&&i.abort(b),x(0,b),this}};if(o.promise(v).complete=p.add,v.success=v.done,v.error=v.fail,k.url=((a||k.url||zc)+"").replace(Ac,"").replace(Fc,yc[1]+"//"),k.type=b.method||b.type||k.method||k.type,k.dataTypes=m.trim(k.dataType||"*").toLowerCase().match(E)||[""],null==k.crossDomain&&(c=Gc.exec(k.url.toLowerCase()),k.crossDomain=!(!c||c[1]===yc[1]&&c[2]===yc[2]&&(c[3]||("http:"===c[1]?"80":"443"))===(yc[3]||("http:"===yc[1]?"80":"443")))),k.data&&k.processData&&"string"!=typeof k.data&&(k.data=m.param(k.data,k.traditional)),Mc(Hc,k,b,v),2===t)return v;h=k.global,h&&0===m.active++&&m.event.trigger("ajaxStart"),k.type=k.type.toUpperCase(),k.hasContent=!Ec.test(k.type),e=k.url,k.hasContent||(k.data&&(e=k.url+=(wc.test(e)?"&":"?")+k.data,delete k.data),k.cache===!1&&(k.url=Bc.test(e)?e.replace(Bc,"$1_="+vc++):e+(wc.test(e)?"&":"?")+"_="+vc++)),k.ifModified&&(m.lastModified[e]&&v.setRequestHeader("If-Modified-Since",m.lastModified[e]),m.etag[e]&&v.setRequestHeader("If-None-Match",m.etag[e])),(k.data&&k.hasContent&&k.contentType!==!1||b.contentType)&&v.setRequestHeader("Content-Type",k.contentType),v.setRequestHeader("Accept",k.dataTypes[0]&&k.accepts[k.dataTypes[0]]?k.accepts[k.dataTypes[0]]+("*"!==k.dataTypes[0]?", "+Jc+"; q=0.01":""):k.accepts["*"]);for(d in k.headers)v.setRequestHeader(d,k.headers[d]);if(k.beforeSend&&(k.beforeSend.call(l,v,k)===!1||2===t))return v.abort();u="abort";for(d in{success:1,error:1,complete:1})v[d](k[d]);if(i=Mc(Ic,k,b,v)){v.readyState=1,h&&n.trigger("ajaxSend",[v,k]),k.async&&k.timeout>0&&(g=setTimeout(function(){v.abort("timeout")},k.timeout));try{t=1,i.send(r,x)}catch(w){if(!(2>t))throw w;x(-1,w)}}else x(-1,"No Transport");function x(a,b,c,d){var j,r,s,u,w,x=b;2!==t&&(t=2,g&&clearTimeout(g),i=void 0,f=d||"",v.readyState=a>0?4:0,j=a>=200&&300>a||304===a,c&&(u=Oc(k,v,c)),u=Pc(k,u,v,j),j?(k.ifModified&&(w=v.getResponseHeader("Last-Modified"),w&&(m.lastModified[e]=w),w=v.getResponseHeader("etag"),w&&(m.etag[e]=w)),204===a||"HEAD"===k.type?x="nocontent":304===a?x="notmodified":(x=u.state,r=u.data,s=u.error,j=!s)):(s=x,(a||!x)&&(x="error",0>a&&(a=0))),v.status=a,v.statusText=(b||x)+"",j?o.resolveWith(l,[r,x,v]):o.rejectWith(l,[v,x,s]),v.statusCode(q),q=void 0,h&&n.trigger(j?"ajaxSuccess":"ajaxError",[v,k,j?r:s]),p.fireWith(l,[v,x]),h&&(n.trigger("ajaxComplete",[v,k]),--m.active||m.event.trigger("ajaxStop")))}return v},getJSON:function(a,b,c){return m.get(a,b,c,"json")},getScript:function(a,b){return m.get(a,void 0,b,"script")}}),m.each(["get","post"],function(a,b){m[b]=function(a,c,d,e){return m.isFunction(c)&&(e=e||d,d=c,c=void 0),m.ajax({url:a,type:b,dataType:e,data:c,success:d})}}),m.each(["ajaxStart","ajaxStop","ajaxComplete","ajaxError","ajaxSuccess","ajaxSend"],function(a,b){m.fn[b]=function(a){return this.on(b,a)}}),m._evalUrl=function(a){return m.ajax({url:a,type:"GET",dataType:"script",async:!1,global:!1,"throws":!0})},m.fn.extend({wrapAll:function(a){if(m.isFunction(a))return this.each(function(b){m(this).wrapAll(a.call(this,b))});if(this[0]){var b=m(a,this[0].ownerDocument).eq(0).clone(!0);this[0].parentNode&&b.insertBefore(this[0]),b.map(function(){var a=this;while(a.firstChild&&1===a.firstChild.nodeType)a=a.firstChild;return a}).append(this)}return this},wrapInner:function(a){return this.each(m.isFunction(a)?function(b){m(this).wrapInner(a.call(this,b))}:function(){var b=m(this),c=b.contents();c.length?c.wrapAll(a):b.append(a)})},wrap:function(a){var b=m.isFunction(a);return this.each(function(c){m(this).wrapAll(b?a.call(this,c):a)})},unwrap:function(){return this.parent().each(function(){m.nodeName(this,"body")||m(this).replaceWith(this.childNodes)}).end()}}),m.expr.filters.hidden=function(a){return a.offsetWidth<=0&&a.offsetHeight<=0||!k.reliableHiddenOffsets()&&"none"===(a.style&&a.style.display||m.css(a,"display"))},m.expr.filters.visible=function(a){return!m.expr.filters.hidden(a)};var Qc=/%20/g,Rc=/\[\]$/,Sc=/\r?\n/g,Tc=/^(?:submit|button|image|reset|file)$/i,Uc=/^(?:input|select|textarea|keygen)/i;function Vc(a,b,c,d){var e;if(m.isArray(b))m.each(b,function(b,e){c||Rc.test(a)?d(a,e):Vc(a+"["+("object"==typeof e?b:"")+"]",e,c,d)});else if(c||"object"!==m.type(b))d(a,b);else for(e in b)Vc(a+"["+e+"]",b[e],c,d)}m.param=function(a,b){var c,d=[],e=function(a,b){b=m.isFunction(b)?b():null==b?"":b,d[d.length]=encodeURIComponent(a)+"="+encodeURIComponent(b)};if(void 0===b&&(b=m.ajaxSettings&&m.ajaxSettings.traditional),m.isArray(a)||a.jquery&&!m.isPlainObject(a))m.each(a,function(){e(this.name,this.value)});else for(c in a)Vc(c,a[c],b,e);return d.join("&").replace(Qc,"+")},m.fn.extend({serialize:function(){return m.param(this.serializeArray())},serializeArray:function(){return this.map(function(){var a=m.prop(this,"elements");return a?m.makeArray(a):this}).filter(function(){var a=this.type;return this.name&&!m(this).is(":disabled")&&Uc.test(this.nodeName)&&!Tc.test(a)&&(this.checked||!W.test(a))}).map(function(a,b){var c=m(this).val();return null==c?null:m.isArray(c)?m.map(c,function(a){return{name:b.name,value:a.replace(Sc,"\r\n")}}):{name:b.name,value:c.replace(Sc,"\r\n")}}).get()}}),m.ajaxSettings.xhr=void 0!==a.ActiveXObject?function(){return!this.isLocal&&/^(get|post|head|put|delete|options)$/i.test(this.type)&&Zc()||$c()}:Zc;var Wc=0,Xc={},Yc=m.ajaxSettings.xhr();a.ActiveXObject&&m(a).on("unload",function(){for(var a in Xc)Xc[a](void 0,!0)}),k.cors=!!Yc&&"withCredentials"in Yc,Yc=k.ajax=!!Yc,Yc&&m.ajaxTransport(function(a){if(!a.crossDomain||k.cors){var b;return{send:function(c,d){var e,f=a.xhr(),g=++Wc;if(f.open(a.type,a.url,a.async,a.username,a.password),a.xhrFields)for(e in a.xhrFields)f[e]=a.xhrFields[e];a.mimeType&&f.overrideMimeType&&f.overrideMimeType(a.mimeType),a.crossDomain||c["X-Requested-With"]||(c["X-Requested-With"]="XMLHttpRequest");for(e in c)void 0!==c[e]&&f.setRequestHeader(e,c[e]+"");f.send(a.hasContent&&a.data||null),b=function(c,e){var h,i,j;if(b&&(e||4===f.readyState))if(delete Xc[g],b=void 0,f.onreadystatechange=m.noop,e)4!==f.readyState&&f.abort();else{j={},h=f.status,"string"==typeof f.responseText&&(j.text=f.responseText);try{i=f.statusText}catch(k){i=""}h||!a.isLocal||a.crossDomain?1223===h&&(h=204):h=j.text?200:404}j&&d(h,i,j,f.getAllResponseHeaders())},a.async?4===f.readyState?setTimeout(b):f.onreadystatechange=Xc[g]=b:b()},abort:function(){b&&b(void 0,!0)}}}});function Zc(){try{return new a.XMLHttpRequest}catch(b){}}function $c(){try{return new a.ActiveXObject("Microsoft.XMLHTTP")}catch(b){}}m.ajaxSetup({accepts:{script:"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"},contents:{script:/(?:java|ecma)script/},converters:{"text script":function(a){return m.globalEval(a),a}}}),m.ajaxPrefilter("script",function(a){void 0===a.cache&&(a.cache=!1),a.crossDomain&&(a.type="GET",a.global=!1)}),m.ajaxTransport("script",function(a){if(a.crossDomain){var b,c=y.head||m("head")[0]||y.documentElement;return{send:function(d,e){b=y.createElement("script"),b.async=!0,a.scriptCharset&&(b.charset=a.scriptCharset),b.src=a.url,b.onload=b.onreadystatechange=function(a,c){(c||!b.readyState||/loaded|complete/.test(b.readyState))&&(b.onload=b.onreadystatechange=null,b.parentNode&&b.parentNode.removeChild(b),b=null,c||e(200,"success"))},c.insertBefore(b,c.firstChild)},abort:function(){b&&b.onload(void 0,!0)}}}});var _c=[],ad=/(=)\?(?=&|$)|\?\?/;m.ajaxSetup({jsonp:"callback",jsonpCallback:function(){var a=_c.pop()||m.expando+"_"+vc++;return this[a]=!0,a}}),m.ajaxPrefilter("json jsonp",function(b,c,d){var e,f,g,h=b.jsonp!==!1&&(ad.test(b.url)?"url":"string"==typeof b.data&&!(b.contentType||"").indexOf("application/x-www-form-urlencoded")&&ad.test(b.data)&&"data");return h||"jsonp"===b.dataTypes[0]?(e=b.jsonpCallback=m.isFunction(b.jsonpCallback)?b.jsonpCallback():b.jsonpCallback,h?b[h]=b[h].replace(ad,"$1"+e):b.jsonp!==!1&&(b.url+=(wc.test(b.url)?"&":"?")+b.jsonp+"="+e),b.converters["script json"]=function(){return g||m.error(e+" was not called"),g[0]},b.dataTypes[0]="json",f=a[e],a[e]=function(){g=arguments},d.always(function(){a[e]=f,b[e]&&(b.jsonpCallback=c.jsonpCallback,_c.push(e)),g&&m.isFunction(f)&&f(g[0]),g=f=void 0}),"script"):void 0}),m.parseHTML=function(a,b,c){if(!a||"string"!=typeof a)return null;"boolean"==typeof b&&(c=b,b=!1),b=b||y;var d=u.exec(a),e=!c&&[];return d?[b.createElement(d[1])]:(d=m.buildFragment([a],b,e),e&&e.length&&m(e).remove(),m.merge([],d.childNodes))};var bd=m.fn.load;m.fn.load=function(a,b,c){if("string"!=typeof a&&bd)return bd.apply(this,arguments);var d,e,f,g=this,h=a.indexOf(" ");return h>=0&&(d=m.trim(a.slice(h,a.length)),a=a.slice(0,h)),m.isFunction(b)?(c=b,b=void 0):b&&"object"==typeof b&&(f="POST"),g.length>0&&m.ajax({url:a,type:f,dataType:"html",data:b}).done(function(a){e=arguments,g.html(d?m("<div>").append(m.parseHTML(a)).find(d):a)}).complete(c&&function(a,b){g.each(c,e||[a.responseText,b,a])}),this},m.expr.filters.animated=function(a){return m.grep(m.timers,function(b){return a===b.elem}).length};var cd=a.document.documentElement;function dd(a){return m.isWindow(a)?a:9===a.nodeType?a.defaultView||a.parentWindow:!1}m.offset={setOffset:function(a,b,c){var d,e,f,g,h,i,j,k=m.css(a,"position"),l=m(a),n={};"static"===k&&(a.style.position="relative"),h=l.offset(),f=m.css(a,"top"),i=m.css(a,"left"),j=("absolute"===k||"fixed"===k)&&m.inArray("auto",[f,i])>-1,j?(d=l.position(),g=d.top,e=d.left):(g=parseFloat(f)||0,e=parseFloat(i)||0),m.isFunction(b)&&(b=b.call(a,c,h)),null!=b.top&&(n.top=b.top-h.top+g),null!=b.left&&(n.left=b.left-h.left+e),"using"in b?b.using.call(a,n):l.css(n)}},m.fn.extend({offset:function(a){if(arguments.length)return void 0===a?this:this.each(function(b){m.offset.setOffset(this,a,b)});var b,c,d={top:0,left:0},e=this[0],f=e&&e.ownerDocument;if(f)return b=f.documentElement,m.contains(b,e)?(typeof e.getBoundingClientRect!==K&&(d=e.getBoundingClientRect()),c=dd(f),{top:d.top+(c.pageYOffset||b.scrollTop)-(b.clientTop||0),left:d.left+(c.pageXOffset||b.scrollLeft)-(b.clientLeft||0)}):d},position:function(){if(this[0]){var a,b,c={top:0,left:0},d=this[0];return"fixed"===m.css(d,"position")?b=d.getBoundingClientRect():(a=this.offsetParent(),b=this.offset(),m.nodeName(a[0],"html")||(c=a.offset()),c.top+=m.css(a[0],"borderTopWidth",!0),c.left+=m.css(a[0],"borderLeftWidth",!0)),{top:b.top-c.top-m.css(d,"marginTop",!0),left:b.left-c.left-m.css(d,"marginLeft",!0)}}},offsetParent:function(){return this.map(function(){var a=this.offsetParent||cd;while(a&&!m.nodeName(a,"html")&&"static"===m.css(a,"position"))a=a.offsetParent;return a||cd})}}),m.each({scrollLeft:"pageXOffset",scrollTop:"pageYOffset"},function(a,b){var c=/Y/.test(b);m.fn[a]=function(d){return V(this,function(a,d,e){var f=dd(a);return void 0===e?f?b in f?f[b]:f.document.documentElement[d]:a[d]:void(f?f.scrollTo(c?m(f).scrollLeft():e,c?e:m(f).scrollTop()):a[d]=e)},a,d,arguments.length,null)}}),m.each(["top","left"],function(a,b){m.cssHooks[b]=Lb(k.pixelPosition,function(a,c){return c?(c=Jb(a,b),Hb.test(c)?m(a).position()[b]+"px":c):void 0})}),m.each({Height:"height",Width:"width"},function(a,b){m.each({padding:"inner"+a,content:b,"":"outer"+a},function(c,d){m.fn[d]=function(d,e){var f=arguments.length&&(c||"boolean"!=typeof d),g=c||(d===!0||e===!0?"margin":"border");return V(this,function(b,c,d){var e;return m.isWindow(b)?b.document.documentElement["client"+a]:9===b.nodeType?(e=b.documentElement,Math.max(b.body["scroll"+a],e["scroll"+a],b.body["offset"+a],e["offset"+a],e["client"+a])):void 0===d?m.css(b,c,g):m.style(b,c,d,g)},b,f?d:void 0,f,null)}})}),m.fn.size=function(){return this.length},m.fn.andSelf=m.fn.addBack,"function"==typeof define&&define.amd&&define("jquery",[],function(){return m});var ed=a.jQuery,fd=a.$;return m.noConflict=function(b){return a.$===m&&(a.$=fd),b&&a.jQuery===m&&(a.jQuery=ed),m},typeof b===K&&(a.jQuery=a.$=m),m});
/* jQuery requestAnimationFrame */
(function(e){function o(){t&&(i(o),e.fx.tick())}var t,n=0,r=["webkit","moz"],i=window.requestAnimationFrame,s=window.cancelAnimationFrame;for(;n<r.length&&!i;n++)i=window[r[n]+"RequestAnimationFrame"],s=s||window[r[n]+"CancelAnimationFrame"]||window[r[n]+"CancelRequestAnimationFrame"];i?(window.requestAnimationFrame=i,window.cancelAnimationFrame=s,e.fx.timer=function(n){n()&&e.timers.push(n)&&!t&&(t=!0,o())},e.fx.stop=function(){t=!1}):(window.requestAnimationFrame=function(e,t){var r=(new Date).getTime(),i=Math.max(0,16-(r-n)),s=window.setTimeout(function(){e(r+i)},i);return n=r+i,s},window.cancelAnimationFrame=function(e){clearTimeout(e)})})(jQuery);
| poppinlp/doggy-frame | js/jquery-1.11.1.min.js | JavaScript | mit | 96,482 |
/*
* Copyright 2008-2009 Katholieke Universiteit Leuven
* Copyright 2010 INRIA Saclay
* Copyright 2012 Ecole Normale Superieure
*
* Use of this software is governed by the MIT license
*
* Written by Sven Verdoolaege, K.U.Leuven, Departement
* Computerwetenschappen, Celestijnenlaan 200A, B-3001 Leuven, Belgium
* and INRIA Saclay - Ile-de-France, Parc Club Orsay Universite,
* ZAC des vignes, 4 rue Jacques Monod, 91893 Orsay, France
* and Ecole Normale Superieure, 45 rue d’Ulm, 75230 Paris, France
*/
#include "isl_map_private.h"
#include <isl/seq.h>
#include <isl/options.h>
#include "isl_tab.h"
#include <isl_mat_private.h>
#include <isl_local_space_private.h>
#define STATUS_ERROR -1
#define STATUS_REDUNDANT 1
#define STATUS_VALID 2
#define STATUS_SEPARATE 3
#define STATUS_CUT 4
#define STATUS_ADJ_EQ 5
#define STATUS_ADJ_INEQ 6
static int status_in(isl_int *ineq, struct isl_tab *tab)
{
enum isl_ineq_type type = isl_tab_ineq_type(tab, ineq);
switch (type) {
default:
case isl_ineq_error: return STATUS_ERROR;
case isl_ineq_redundant: return STATUS_VALID;
case isl_ineq_separate: return STATUS_SEPARATE;
case isl_ineq_cut: return STATUS_CUT;
case isl_ineq_adj_eq: return STATUS_ADJ_EQ;
case isl_ineq_adj_ineq: return STATUS_ADJ_INEQ;
}
}
/* Compute the position of the equalities of basic map "bmap_i"
* with respect to the basic map represented by "tab_j".
* The resulting array has twice as many entries as the number
* of equalities corresponding to the two inequalties to which
* each equality corresponds.
*/
static int *eq_status_in(__isl_keep isl_basic_map *bmap_i,
struct isl_tab *tab_j)
{
int k, l;
int *eq = isl_calloc_array(bmap_i->ctx, int, 2 * bmap_i->n_eq);
unsigned dim;
dim = isl_basic_map_total_dim(bmap_i);
for (k = 0; k < bmap_i->n_eq; ++k) {
for (l = 0; l < 2; ++l) {
isl_seq_neg(bmap_i->eq[k], bmap_i->eq[k], 1+dim);
eq[2 * k + l] = status_in(bmap_i->eq[k], tab_j);
if (eq[2 * k + l] == STATUS_ERROR)
goto error;
}
if (eq[2 * k] == STATUS_SEPARATE ||
eq[2 * k + 1] == STATUS_SEPARATE)
break;
}
return eq;
error:
free(eq);
return NULL;
}
/* Compute the position of the inequalities of basic map "bmap_i"
* (also represented by "tab_i", if not NULL) with respect to the basic map
* represented by "tab_j".
*/
static int *ineq_status_in(__isl_keep isl_basic_map *bmap_i,
struct isl_tab *tab_i, struct isl_tab *tab_j)
{
int k;
unsigned n_eq = bmap_i->n_eq;
int *ineq = isl_calloc_array(bmap_i->ctx, int, bmap_i->n_ineq);
for (k = 0; k < bmap_i->n_ineq; ++k) {
if (tab_i && isl_tab_is_redundant(tab_i, n_eq + k)) {
ineq[k] = STATUS_REDUNDANT;
continue;
}
ineq[k] = status_in(bmap_i->ineq[k], tab_j);
if (ineq[k] == STATUS_ERROR)
goto error;
if (ineq[k] == STATUS_SEPARATE)
break;
}
return ineq;
error:
free(ineq);
return NULL;
}
static int any(int *con, unsigned len, int status)
{
int i;
for (i = 0; i < len ; ++i)
if (con[i] == status)
return 1;
return 0;
}
static int count(int *con, unsigned len, int status)
{
int i;
int c = 0;
for (i = 0; i < len ; ++i)
if (con[i] == status)
c++;
return c;
}
static int all(int *con, unsigned len, int status)
{
int i;
for (i = 0; i < len ; ++i) {
if (con[i] == STATUS_REDUNDANT)
continue;
if (con[i] != status)
return 0;
}
return 1;
}
static void drop(struct isl_map *map, int i, struct isl_tab **tabs)
{
isl_basic_map_free(map->p[i]);
isl_tab_free(tabs[i]);
if (i != map->n - 1) {
map->p[i] = map->p[map->n - 1];
tabs[i] = tabs[map->n - 1];
}
tabs[map->n - 1] = NULL;
map->n--;
}
/* Replace the pair of basic maps i and j by the basic map bounded
* by the valid constraints in both basic maps and the constraint
* in extra (if not NULL).
*/
static int fuse(struct isl_map *map, int i, int j,
struct isl_tab **tabs, int *eq_i, int *ineq_i, int *eq_j, int *ineq_j,
__isl_keep isl_mat *extra)
{
int k, l;
struct isl_basic_map *fused = NULL;
struct isl_tab *fused_tab = NULL;
unsigned total = isl_basic_map_total_dim(map->p[i]);
unsigned extra_rows = extra ? extra->n_row : 0;
fused = isl_basic_map_alloc_space(isl_space_copy(map->p[i]->dim),
map->p[i]->n_div,
map->p[i]->n_eq + map->p[j]->n_eq,
map->p[i]->n_ineq + map->p[j]->n_ineq + extra_rows);
if (!fused)
goto error;
for (k = 0; k < map->p[i]->n_eq; ++k) {
if (eq_i && (eq_i[2 * k] != STATUS_VALID ||
eq_i[2 * k + 1] != STATUS_VALID))
continue;
l = isl_basic_map_alloc_equality(fused);
if (l < 0)
goto error;
isl_seq_cpy(fused->eq[l], map->p[i]->eq[k], 1 + total);
}
for (k = 0; k < map->p[j]->n_eq; ++k) {
if (eq_j && (eq_j[2 * k] != STATUS_VALID ||
eq_j[2 * k + 1] != STATUS_VALID))
continue;
l = isl_basic_map_alloc_equality(fused);
if (l < 0)
goto error;
isl_seq_cpy(fused->eq[l], map->p[j]->eq[k], 1 + total);
}
for (k = 0; k < map->p[i]->n_ineq; ++k) {
if (ineq_i[k] != STATUS_VALID)
continue;
l = isl_basic_map_alloc_inequality(fused);
if (l < 0)
goto error;
isl_seq_cpy(fused->ineq[l], map->p[i]->ineq[k], 1 + total);
}
for (k = 0; k < map->p[j]->n_ineq; ++k) {
if (ineq_j[k] != STATUS_VALID)
continue;
l = isl_basic_map_alloc_inequality(fused);
if (l < 0)
goto error;
isl_seq_cpy(fused->ineq[l], map->p[j]->ineq[k], 1 + total);
}
for (k = 0; k < map->p[i]->n_div; ++k) {
int l = isl_basic_map_alloc_div(fused);
if (l < 0)
goto error;
isl_seq_cpy(fused->div[l], map->p[i]->div[k], 1 + 1 + total);
}
for (k = 0; k < extra_rows; ++k) {
l = isl_basic_map_alloc_inequality(fused);
if (l < 0)
goto error;
isl_seq_cpy(fused->ineq[l], extra->row[k], 1 + total);
}
fused = isl_basic_map_gauss(fused, NULL);
ISL_F_SET(fused, ISL_BASIC_MAP_FINAL);
if (ISL_F_ISSET(map->p[i], ISL_BASIC_MAP_RATIONAL) &&
ISL_F_ISSET(map->p[j], ISL_BASIC_MAP_RATIONAL))
ISL_F_SET(fused, ISL_BASIC_MAP_RATIONAL);
fused_tab = isl_tab_from_basic_map(fused, 0);
if (isl_tab_detect_redundant(fused_tab) < 0)
goto error;
isl_basic_map_free(map->p[i]);
map->p[i] = fused;
isl_tab_free(tabs[i]);
tabs[i] = fused_tab;
drop(map, j, tabs);
return 1;
error:
isl_tab_free(fused_tab);
isl_basic_map_free(fused);
return -1;
}
/* Given a pair of basic maps i and j such that all constraints are either
* "valid" or "cut", check if the facets corresponding to the "cut"
* constraints of i lie entirely within basic map j.
* If so, replace the pair by the basic map consisting of the valid
* constraints in both basic maps.
*
* To see that we are not introducing any extra points, call the
* two basic maps A and B and the resulting map U and let x
* be an element of U \setminus ( A \cup B ).
* Then there is a pair of cut constraints c_1 and c_2 in A and B such that x
* violates them. Let X be the intersection of U with the opposites
* of these constraints. Then x \in X.
* The facet corresponding to c_1 contains the corresponding facet of A.
* This facet is entirely contained in B, so c_2 is valid on the facet.
* However, since it is also (part of) a facet of X, -c_2 is also valid
* on the facet. This means c_2 is saturated on the facet, so c_1 and
* c_2 must be opposites of each other, but then x could not violate
* both of them.
*/
static int check_facets(struct isl_map *map, int i, int j,
struct isl_tab **tabs, int *ineq_i, int *ineq_j)
{
int k, l;
struct isl_tab_undo *snap;
unsigned n_eq = map->p[i]->n_eq;
snap = isl_tab_snap(tabs[i]);
for (k = 0; k < map->p[i]->n_ineq; ++k) {
if (ineq_i[k] != STATUS_CUT)
continue;
if (isl_tab_select_facet(tabs[i], n_eq + k) < 0)
return -1;
for (l = 0; l < map->p[j]->n_ineq; ++l) {
int stat;
if (ineq_j[l] != STATUS_CUT)
continue;
stat = status_in(map->p[j]->ineq[l], tabs[i]);
if (stat != STATUS_VALID)
break;
}
if (isl_tab_rollback(tabs[i], snap) < 0)
return -1;
if (l < map->p[j]->n_ineq)
break;
}
if (k < map->p[i]->n_ineq)
/* BAD CUT PAIR */
return 0;
return fuse(map, i, j, tabs, NULL, ineq_i, NULL, ineq_j, NULL);
}
/* Both basic maps have at least one inequality with and adjacent
* (but opposite) inequality in the other basic map.
* Check that there are no cut constraints and that there is only
* a single pair of adjacent inequalities.
* If so, we can replace the pair by a single basic map described
* by all but the pair of adjacent inequalities.
* Any additional points introduced lie strictly between the two
* adjacent hyperplanes and can therefore be integral.
*
* ____ _____
* / ||\ / \
* / || \ / \
* \ || \ => \ \
* \ || / \ /
* \___||_/ \_____/
*
* The test for a single pair of adjancent inequalities is important
* for avoiding the combination of two basic maps like the following
*
* /|
* / |
* /__|
* _____
* | |
* | |
* |___|
*/
static int check_adj_ineq(struct isl_map *map, int i, int j,
struct isl_tab **tabs, int *ineq_i, int *ineq_j)
{
int changed = 0;
if (any(ineq_i, map->p[i]->n_ineq, STATUS_CUT) ||
any(ineq_j, map->p[j]->n_ineq, STATUS_CUT))
/* ADJ INEQ CUT */
;
else if (count(ineq_i, map->p[i]->n_ineq, STATUS_ADJ_INEQ) == 1 &&
count(ineq_j, map->p[j]->n_ineq, STATUS_ADJ_INEQ) == 1)
changed = fuse(map, i, j, tabs, NULL, ineq_i, NULL, ineq_j, NULL);
/* else ADJ INEQ TOO MANY */
return changed;
}
/* Check if basic map "i" contains the basic map represented
* by the tableau "tab".
*/
static int contains(struct isl_map *map, int i, int *ineq_i,
struct isl_tab *tab)
{
int k, l;
unsigned dim;
dim = isl_basic_map_total_dim(map->p[i]);
for (k = 0; k < map->p[i]->n_eq; ++k) {
for (l = 0; l < 2; ++l) {
int stat;
isl_seq_neg(map->p[i]->eq[k], map->p[i]->eq[k], 1+dim);
stat = status_in(map->p[i]->eq[k], tab);
if (stat != STATUS_VALID)
return 0;
}
}
for (k = 0; k < map->p[i]->n_ineq; ++k) {
int stat;
if (ineq_i[k] == STATUS_REDUNDANT)
continue;
stat = status_in(map->p[i]->ineq[k], tab);
if (stat != STATUS_VALID)
return 0;
}
return 1;
}
/* Basic map "i" has an inequality "k" that is adjacent to some equality
* of basic map "j". All the other inequalities are valid for "j".
* Check if basic map "j" forms an extension of basic map "i".
*
* In particular, we relax constraint "k", compute the corresponding
* facet and check whether it is included in the other basic map.
* If so, we know that relaxing the constraint extends the basic
* map with exactly the other basic map (we already know that this
* other basic map is included in the extension, because there
* were no "cut" inequalities in "i") and we can replace the
* two basic maps by thie extension.
* ____ _____
* / || / |
* / || / |
* \ || => \ |
* \ || \ |
* \___|| \____|
*/
static int is_extension(struct isl_map *map, int i, int j, int k,
struct isl_tab **tabs, int *eq_i, int *ineq_i, int *eq_j, int *ineq_j)
{
int changed = 0;
int super;
struct isl_tab_undo *snap, *snap2;
unsigned n_eq = map->p[i]->n_eq;
if (isl_tab_is_equality(tabs[i], n_eq + k))
return 0;
snap = isl_tab_snap(tabs[i]);
tabs[i] = isl_tab_relax(tabs[i], n_eq + k);
snap2 = isl_tab_snap(tabs[i]);
if (isl_tab_select_facet(tabs[i], n_eq + k) < 0)
return -1;
super = contains(map, j, ineq_j, tabs[i]);
if (super) {
if (isl_tab_rollback(tabs[i], snap2) < 0)
return -1;
map->p[i] = isl_basic_map_cow(map->p[i]);
if (!map->p[i])
return -1;
isl_int_add_ui(map->p[i]->ineq[k][0], map->p[i]->ineq[k][0], 1);
ISL_F_SET(map->p[i], ISL_BASIC_MAP_FINAL);
drop(map, j, tabs);
changed = 1;
} else
if (isl_tab_rollback(tabs[i], snap) < 0)
return -1;
return changed;
}
/* Data structure that keeps track of the wrapping constraints
* and of information to bound the coefficients of those constraints.
*
* bound is set if we want to apply a bound on the coefficients
* mat contains the wrapping constraints
* max is the bound on the coefficients (if bound is set)
*/
struct isl_wraps {
int bound;
isl_mat *mat;
isl_int max;
};
/* Update wraps->max to be greater than or equal to the coefficients
* in the equalities and inequalities of bmap that can be removed if we end up
* applying wrapping.
*/
static void wraps_update_max(struct isl_wraps *wraps,
__isl_keep isl_basic_map *bmap, int *eq, int *ineq)
{
int k;
isl_int max_k;
unsigned total = isl_basic_map_total_dim(bmap);
isl_int_init(max_k);
for (k = 0; k < bmap->n_eq; ++k) {
if (eq[2 * k] == STATUS_VALID &&
eq[2 * k + 1] == STATUS_VALID)
continue;
isl_seq_abs_max(bmap->eq[k] + 1, total, &max_k);
if (isl_int_abs_gt(max_k, wraps->max))
isl_int_set(wraps->max, max_k);
}
for (k = 0; k < bmap->n_ineq; ++k) {
if (ineq[k] == STATUS_VALID || ineq[k] == STATUS_REDUNDANT)
continue;
isl_seq_abs_max(bmap->ineq[k] + 1, total, &max_k);
if (isl_int_abs_gt(max_k, wraps->max))
isl_int_set(wraps->max, max_k);
}
isl_int_clear(max_k);
}
/* Initialize the isl_wraps data structure.
* If we want to bound the coefficients of the wrapping constraints,
* we set wraps->max to the largest coefficient
* in the equalities and inequalities that can be removed if we end up
* applying wrapping.
*/
static void wraps_init(struct isl_wraps *wraps, __isl_take isl_mat *mat,
__isl_keep isl_map *map, int i, int j,
int *eq_i, int *ineq_i, int *eq_j, int *ineq_j)
{
isl_ctx *ctx;
wraps->bound = 0;
wraps->mat = mat;
if (!mat)
return;
ctx = isl_mat_get_ctx(mat);
wraps->bound = isl_options_get_coalesce_bounded_wrapping(ctx);
if (!wraps->bound)
return;
isl_int_init(wraps->max);
isl_int_set_si(wraps->max, 0);
wraps_update_max(wraps, map->p[i], eq_i, ineq_i);
wraps_update_max(wraps, map->p[j], eq_j, ineq_j);
}
/* Free the contents of the isl_wraps data structure.
*/
static void wraps_free(struct isl_wraps *wraps)
{
isl_mat_free(wraps->mat);
if (wraps->bound)
isl_int_clear(wraps->max);
}
/* Is the wrapping constraint in row "row" allowed?
*
* If wraps->bound is set, we check that none of the coefficients
* is greater than wraps->max.
*/
static int allow_wrap(struct isl_wraps *wraps, int row)
{
int i;
if (!wraps->bound)
return 1;
for (i = 1; i < wraps->mat->n_col; ++i)
if (isl_int_abs_gt(wraps->mat->row[row][i], wraps->max))
return 0;
return 1;
}
/* For each non-redundant constraint in "bmap" (as determined by "tab"),
* wrap the constraint around "bound" such that it includes the whole
* set "set" and append the resulting constraint to "wraps".
* "wraps" is assumed to have been pre-allocated to the appropriate size.
* wraps->n_row is the number of actual wrapped constraints that have
* been added.
* If any of the wrapping problems results in a constraint that is
* identical to "bound", then this means that "set" is unbounded in such
* way that no wrapping is possible. If this happens then wraps->n_row
* is reset to zero.
* Similarly, if we want to bound the coefficients of the wrapping
* constraints and a newly added wrapping constraint does not
* satisfy the bound, then wraps->n_row is also reset to zero.
*/
static int add_wraps(struct isl_wraps *wraps, __isl_keep isl_basic_map *bmap,
struct isl_tab *tab, isl_int *bound, __isl_keep isl_set *set)
{
int l;
int w;
unsigned total = isl_basic_map_total_dim(bmap);
w = wraps->mat->n_row;
for (l = 0; l < bmap->n_ineq; ++l) {
if (isl_seq_is_neg(bound, bmap->ineq[l], 1 + total))
continue;
if (isl_seq_eq(bound, bmap->ineq[l], 1 + total))
continue;
if (isl_tab_is_redundant(tab, bmap->n_eq + l))
continue;
isl_seq_cpy(wraps->mat->row[w], bound, 1 + total);
if (!isl_set_wrap_facet(set, wraps->mat->row[w], bmap->ineq[l]))
return -1;
if (isl_seq_eq(wraps->mat->row[w], bound, 1 + total))
goto unbounded;
if (!allow_wrap(wraps, w))
goto unbounded;
++w;
}
for (l = 0; l < bmap->n_eq; ++l) {
if (isl_seq_is_neg(bound, bmap->eq[l], 1 + total))
continue;
if (isl_seq_eq(bound, bmap->eq[l], 1 + total))
continue;
isl_seq_cpy(wraps->mat->row[w], bound, 1 + total);
isl_seq_neg(wraps->mat->row[w + 1], bmap->eq[l], 1 + total);
if (!isl_set_wrap_facet(set, wraps->mat->row[w],
wraps->mat->row[w + 1]))
return -1;
if (isl_seq_eq(wraps->mat->row[w], bound, 1 + total))
goto unbounded;
if (!allow_wrap(wraps, w))
goto unbounded;
++w;
isl_seq_cpy(wraps->mat->row[w], bound, 1 + total);
if (!isl_set_wrap_facet(set, wraps->mat->row[w], bmap->eq[l]))
return -1;
if (isl_seq_eq(wraps->mat->row[w], bound, 1 + total))
goto unbounded;
if (!allow_wrap(wraps, w))
goto unbounded;
++w;
}
wraps->mat->n_row = w;
return 0;
unbounded:
wraps->mat->n_row = 0;
return 0;
}
/* Check if the constraints in "wraps" from "first" until the last
* are all valid for the basic set represented by "tab".
* If not, wraps->n_row is set to zero.
*/
static int check_wraps(__isl_keep isl_mat *wraps, int first,
struct isl_tab *tab)
{
int i;
for (i = first; i < wraps->n_row; ++i) {
enum isl_ineq_type type;
type = isl_tab_ineq_type(tab, wraps->row[i]);
if (type == isl_ineq_error)
return -1;
if (type == isl_ineq_redundant)
continue;
wraps->n_row = 0;
return 0;
}
return 0;
}
/* Return a set that corresponds to the non-redudant constraints
* (as recorded in tab) of bmap.
*
* It's important to remove the redundant constraints as some
* of the other constraints may have been modified after the
* constraints were marked redundant.
* In particular, a constraint may have been relaxed.
* Redundant constraints are ignored when a constraint is relaxed
* and should therefore continue to be ignored ever after.
* Otherwise, the relaxation might be thwarted by some of
* these constraints.
*/
static __isl_give isl_set *set_from_updated_bmap(__isl_keep isl_basic_map *bmap,
struct isl_tab *tab)
{
bmap = isl_basic_map_copy(bmap);
bmap = isl_basic_map_cow(bmap);
bmap = isl_basic_map_update_from_tab(bmap, tab);
return isl_set_from_basic_set(isl_basic_map_underlying_set(bmap));
}
/* Given a basic set i with a constraint k that is adjacent to either the
* whole of basic set j or a facet of basic set j, check if we can wrap
* both the facet corresponding to k and the facet of j (or the whole of j)
* around their ridges to include the other set.
* If so, replace the pair of basic sets by their union.
*
* All constraints of i (except k) are assumed to be valid for j.
*
* However, the constraints of j may not be valid for i and so
* we have to check that the wrapping constraints for j are valid for i.
*
* In the case where j has a facet adjacent to i, tab[j] is assumed
* to have been restricted to this facet, so that the non-redundant
* constraints in tab[j] are the ridges of the facet.
* Note that for the purpose of wrapping, it does not matter whether
* we wrap the ridges of i around the whole of j or just around
* the facet since all the other constraints are assumed to be valid for j.
* In practice, we wrap to include the whole of j.
* ____ _____
* / | / \
* / || / |
* \ || => \ |
* \ || \ |
* \___|| \____|
*
*/
static int can_wrap_in_facet(struct isl_map *map, int i, int j, int k,
struct isl_tab **tabs, int *eq_i, int *ineq_i, int *eq_j, int *ineq_j)
{
int changed = 0;
struct isl_wraps wraps;
isl_mat *mat;
struct isl_set *set_i = NULL;
struct isl_set *set_j = NULL;
struct isl_vec *bound = NULL;
unsigned total = isl_basic_map_total_dim(map->p[i]);
struct isl_tab_undo *snap;
int n;
set_i = set_from_updated_bmap(map->p[i], tabs[i]);
set_j = set_from_updated_bmap(map->p[j], tabs[j]);
mat = isl_mat_alloc(map->ctx, 2 * (map->p[i]->n_eq + map->p[j]->n_eq) +
map->p[i]->n_ineq + map->p[j]->n_ineq,
1 + total);
wraps_init(&wraps, mat, map, i, j, eq_i, ineq_i, eq_j, ineq_j);
bound = isl_vec_alloc(map->ctx, 1 + total);
if (!set_i || !set_j || !wraps.mat || !bound)
goto error;
isl_seq_cpy(bound->el, map->p[i]->ineq[k], 1 + total);
isl_int_add_ui(bound->el[0], bound->el[0], 1);
isl_seq_cpy(wraps.mat->row[0], bound->el, 1 + total);
wraps.mat->n_row = 1;
if (add_wraps(&wraps, map->p[j], tabs[j], bound->el, set_i) < 0)
goto error;
if (!wraps.mat->n_row)
goto unbounded;
snap = isl_tab_snap(tabs[i]);
if (isl_tab_select_facet(tabs[i], map->p[i]->n_eq + k) < 0)
goto error;
if (isl_tab_detect_redundant(tabs[i]) < 0)
goto error;
isl_seq_neg(bound->el, map->p[i]->ineq[k], 1 + total);
n = wraps.mat->n_row;
if (add_wraps(&wraps, map->p[i], tabs[i], bound->el, set_j) < 0)
goto error;
if (isl_tab_rollback(tabs[i], snap) < 0)
goto error;
if (check_wraps(wraps.mat, n, tabs[i]) < 0)
goto error;
if (!wraps.mat->n_row)
goto unbounded;
changed = fuse(map, i, j, tabs, eq_i, ineq_i, eq_j, ineq_j, wraps.mat);
unbounded:
wraps_free(&wraps);
isl_set_free(set_i);
isl_set_free(set_j);
isl_vec_free(bound);
return changed;
error:
wraps_free(&wraps);
isl_vec_free(bound);
isl_set_free(set_i);
isl_set_free(set_j);
return -1;
}
/* Set the is_redundant property of the "n" constraints in "cuts",
* except "k" to "v".
* This is a fairly tricky operation as it bypasses isl_tab.c.
* The reason we want to temporarily mark some constraints redundant
* is that we want to ignore them in add_wraps.
*
* Initially all cut constraints are non-redundant, but the
* selection of a facet right before the call to this function
* may have made some of them redundant.
* Likewise, the same constraints are marked non-redundant
* in the second call to this function, before they are officially
* made non-redundant again in the subsequent rollback.
*/
static void set_is_redundant(struct isl_tab *tab, unsigned n_eq,
int *cuts, int n, int k, int v)
{
int l;
for (l = 0; l < n; ++l) {
if (l == k)
continue;
tab->con[n_eq + cuts[l]].is_redundant = v;
}
}
/* Given a pair of basic maps i and j such that j sticks out
* of i at n cut constraints, each time by at most one,
* try to compute wrapping constraints and replace the two
* basic maps by a single basic map.
* The other constraints of i are assumed to be valid for j.
*
* The facets of i corresponding to the cut constraints are
* wrapped around their ridges, except those ridges determined
* by any of the other cut constraints.
* The intersections of cut constraints need to be ignored
* as the result of wrapping one cut constraint around another
* would result in a constraint cutting the union.
* In each case, the facets are wrapped to include the union
* of the two basic maps.
*
* The pieces of j that lie at an offset of exactly one from
* one of the cut constraints of i are wrapped around their edges.
* Here, there is no need to ignore intersections because we
* are wrapping around the union of the two basic maps.
*
* If any wrapping fails, i.e., if we cannot wrap to touch
* the union, then we give up.
* Otherwise, the pair of basic maps is replaced by their union.
*/
static int wrap_in_facets(struct isl_map *map, int i, int j,
int *cuts, int n, struct isl_tab **tabs,
int *eq_i, int *ineq_i, int *eq_j, int *ineq_j)
{
int changed = 0;
struct isl_wraps wraps;
isl_mat *mat;
isl_set *set = NULL;
isl_vec *bound = NULL;
unsigned total = isl_basic_map_total_dim(map->p[i]);
int max_wrap;
int k;
struct isl_tab_undo *snap_i, *snap_j;
if (isl_tab_extend_cons(tabs[j], 1) < 0)
goto error;
max_wrap = 2 * (map->p[i]->n_eq + map->p[j]->n_eq) +
map->p[i]->n_ineq + map->p[j]->n_ineq;
max_wrap *= n;
set = isl_set_union(set_from_updated_bmap(map->p[i], tabs[i]),
set_from_updated_bmap(map->p[j], tabs[j]));
mat = isl_mat_alloc(map->ctx, max_wrap, 1 + total);
wraps_init(&wraps, mat, map, i, j, eq_i, ineq_i, eq_j, ineq_j);
bound = isl_vec_alloc(map->ctx, 1 + total);
if (!set || !wraps.mat || !bound)
goto error;
snap_i = isl_tab_snap(tabs[i]);
snap_j = isl_tab_snap(tabs[j]);
wraps.mat->n_row = 0;
for (k = 0; k < n; ++k) {
if (isl_tab_select_facet(tabs[i], map->p[i]->n_eq + cuts[k]) < 0)
goto error;
if (isl_tab_detect_redundant(tabs[i]) < 0)
goto error;
set_is_redundant(tabs[i], map->p[i]->n_eq, cuts, n, k, 1);
isl_seq_neg(bound->el, map->p[i]->ineq[cuts[k]], 1 + total);
if (!tabs[i]->empty &&
add_wraps(&wraps, map->p[i], tabs[i], bound->el, set) < 0)
goto error;
set_is_redundant(tabs[i], map->p[i]->n_eq, cuts, n, k, 0);
if (isl_tab_rollback(tabs[i], snap_i) < 0)
goto error;
if (tabs[i]->empty)
break;
if (!wraps.mat->n_row)
break;
isl_seq_cpy(bound->el, map->p[i]->ineq[cuts[k]], 1 + total);
isl_int_add_ui(bound->el[0], bound->el[0], 1);
if (isl_tab_add_eq(tabs[j], bound->el) < 0)
goto error;
if (isl_tab_detect_redundant(tabs[j]) < 0)
goto error;
if (!tabs[j]->empty &&
add_wraps(&wraps, map->p[j], tabs[j], bound->el, set) < 0)
goto error;
if (isl_tab_rollback(tabs[j], snap_j) < 0)
goto error;
if (!wraps.mat->n_row)
break;
}
if (k == n)
changed = fuse(map, i, j, tabs,
eq_i, ineq_i, eq_j, ineq_j, wraps.mat);
isl_vec_free(bound);
wraps_free(&wraps);
isl_set_free(set);
return changed;
error:
isl_vec_free(bound);
wraps_free(&wraps);
isl_set_free(set);
return -1;
}
/* Given two basic sets i and j such that i has no cut equalities,
* check if relaxing all the cut inequalities of i by one turns
* them into valid constraint for j and check if we can wrap in
* the bits that are sticking out.
* If so, replace the pair by their union.
*
* We first check if all relaxed cut inequalities of i are valid for j
* and then try to wrap in the intersections of the relaxed cut inequalities
* with j.
*
* During this wrapping, we consider the points of j that lie at a distance
* of exactly 1 from i. In particular, we ignore the points that lie in
* between this lower-dimensional space and the basic map i.
* We can therefore only apply this to integer maps.
* ____ _____
* / ___|_ / \
* / | | / |
* \ | | => \ |
* \|____| \ |
* \___| \____/
*
* _____ ______
* | ____|_ | \
* | | | | |
* | | | => | |
* |_| | | |
* |_____| \______|
*
* _______
* | |
* | |\ |
* | | \ |
* | | \ |
* | | \|
* | | \
* | |_____\
* | |
* |_______|
*
* Wrapping can fail if the result of wrapping one of the facets
* around its edges does not produce any new facet constraint.
* In particular, this happens when we try to wrap in unbounded sets.
*
* _______________________________________________________________________
* |
* | ___
* | | |
* |_| |_________________________________________________________________
* |___|
*
* The following is not an acceptable result of coalescing the above two
* sets as it includes extra integer points.
* _______________________________________________________________________
* |
* |
* |
* |
* \______________________________________________________________________
*/
static int can_wrap_in_set(struct isl_map *map, int i, int j,
struct isl_tab **tabs, int *eq_i, int *ineq_i, int *eq_j, int *ineq_j)
{
int changed = 0;
int k, m;
int n;
int *cuts = NULL;
if (ISL_F_ISSET(map->p[i], ISL_BASIC_MAP_RATIONAL) ||
ISL_F_ISSET(map->p[j], ISL_BASIC_MAP_RATIONAL))
return 0;
n = count(ineq_i, map->p[i]->n_ineq, STATUS_CUT);
if (n == 0)
return 0;
cuts = isl_alloc_array(map->ctx, int, n);
if (!cuts)
return -1;
for (k = 0, m = 0; m < n; ++k) {
enum isl_ineq_type type;
if (ineq_i[k] != STATUS_CUT)
continue;
isl_int_add_ui(map->p[i]->ineq[k][0], map->p[i]->ineq[k][0], 1);
type = isl_tab_ineq_type(tabs[j], map->p[i]->ineq[k]);
isl_int_sub_ui(map->p[i]->ineq[k][0], map->p[i]->ineq[k][0], 1);
if (type == isl_ineq_error)
goto error;
if (type != isl_ineq_redundant)
break;
cuts[m] = k;
++m;
}
if (m == n)
changed = wrap_in_facets(map, i, j, cuts, n, tabs,
eq_i, ineq_i, eq_j, ineq_j);
free(cuts);
return changed;
error:
free(cuts);
return -1;
}
/* Check if either i or j has a single cut constraint that can
* be used to wrap in (a facet of) the other basic set.
* if so, replace the pair by their union.
*/
static int check_wrap(struct isl_map *map, int i, int j,
struct isl_tab **tabs, int *eq_i, int *ineq_i, int *eq_j, int *ineq_j)
{
int changed = 0;
if (!any(eq_i, 2 * map->p[i]->n_eq, STATUS_CUT))
changed = can_wrap_in_set(map, i, j, tabs,
eq_i, ineq_i, eq_j, ineq_j);
if (changed)
return changed;
if (!any(eq_j, 2 * map->p[j]->n_eq, STATUS_CUT))
changed = can_wrap_in_set(map, j, i, tabs,
eq_j, ineq_j, eq_i, ineq_i);
return changed;
}
/* At least one of the basic maps has an equality that is adjacent
* to inequality. Make sure that only one of the basic maps has
* such an equality and that the other basic map has exactly one
* inequality adjacent to an equality.
* We call the basic map that has the inequality "i" and the basic
* map that has the equality "j".
* If "i" has any "cut" (in)equality, then relaxing the inequality
* by one would not result in a basic map that contains the other
* basic map.
*/
static int check_adj_eq(struct isl_map *map, int i, int j,
struct isl_tab **tabs, int *eq_i, int *ineq_i, int *eq_j, int *ineq_j)
{
int changed = 0;
int k;
if (any(eq_i, 2 * map->p[i]->n_eq, STATUS_ADJ_INEQ) &&
any(eq_j, 2 * map->p[j]->n_eq, STATUS_ADJ_INEQ))
/* ADJ EQ TOO MANY */
return 0;
if (any(eq_i, 2 * map->p[i]->n_eq, STATUS_ADJ_INEQ))
return check_adj_eq(map, j, i, tabs,
eq_j, ineq_j, eq_i, ineq_i);
/* j has an equality adjacent to an inequality in i */
if (any(eq_i, 2 * map->p[i]->n_eq, STATUS_CUT))
return 0;
if (any(ineq_i, map->p[i]->n_ineq, STATUS_CUT))
/* ADJ EQ CUT */
return 0;
if (count(ineq_i, map->p[i]->n_ineq, STATUS_ADJ_EQ) != 1 ||
any(ineq_j, map->p[j]->n_ineq, STATUS_ADJ_EQ) ||
any(ineq_i, map->p[i]->n_ineq, STATUS_ADJ_INEQ) ||
any(ineq_j, map->p[j]->n_ineq, STATUS_ADJ_INEQ))
/* ADJ EQ TOO MANY */
return 0;
for (k = 0; k < map->p[i]->n_ineq ; ++k)
if (ineq_i[k] == STATUS_ADJ_EQ)
break;
changed = is_extension(map, i, j, k, tabs, eq_i, ineq_i, eq_j, ineq_j);
if (changed)
return changed;
if (count(eq_j, 2 * map->p[j]->n_eq, STATUS_ADJ_INEQ) != 1)
return 0;
changed = can_wrap_in_facet(map, i, j, k, tabs, eq_i, ineq_i, eq_j, ineq_j);
return changed;
}
/* The two basic maps lie on adjacent hyperplanes. In particular,
* basic map "i" has an equality that lies parallel to basic map "j".
* Check if we can wrap the facets around the parallel hyperplanes
* to include the other set.
*
* We perform basically the same operations as can_wrap_in_facet,
* except that we don't need to select a facet of one of the sets.
* _
* \\ \\
* \\ => \\
* \ \|
*
* We only allow one equality of "i" to be adjacent to an equality of "j"
* to avoid coalescing
*
* [m, n] -> { [x, y] -> [x, 1 + y] : x >= 1 and y >= 1 and
* x <= 10 and y <= 10;
* [x, y] -> [1 + x, y] : x >= 1 and x <= 20 and
* y >= 5 and y <= 15 }
*
* to
*
* [m, n] -> { [x, y] -> [x2, y2] : x >= 1 and 10y2 <= 20 - x + 10y and
* 4y2 >= 5 + 3y and 5y2 <= 15 + 4y and
* y2 <= 1 + x + y - x2 and y2 >= y and
* y2 >= 1 + x + y - x2 }
*/
static int check_eq_adj_eq(struct isl_map *map, int i, int j,
struct isl_tab **tabs, int *eq_i, int *ineq_i, int *eq_j, int *ineq_j)
{
int k;
int changed = 0;
struct isl_wraps wraps;
isl_mat *mat;
struct isl_set *set_i = NULL;
struct isl_set *set_j = NULL;
struct isl_vec *bound = NULL;
unsigned total = isl_basic_map_total_dim(map->p[i]);
if (count(eq_i, 2 * map->p[i]->n_eq, STATUS_ADJ_EQ) != 1)
return 0;
for (k = 0; k < 2 * map->p[i]->n_eq ; ++k)
if (eq_i[k] == STATUS_ADJ_EQ)
break;
set_i = set_from_updated_bmap(map->p[i], tabs[i]);
set_j = set_from_updated_bmap(map->p[j], tabs[j]);
mat = isl_mat_alloc(map->ctx, 2 * (map->p[i]->n_eq + map->p[j]->n_eq) +
map->p[i]->n_ineq + map->p[j]->n_ineq,
1 + total);
wraps_init(&wraps, mat, map, i, j, eq_i, ineq_i, eq_j, ineq_j);
bound = isl_vec_alloc(map->ctx, 1 + total);
if (!set_i || !set_j || !wraps.mat || !bound)
goto error;
if (k % 2 == 0)
isl_seq_neg(bound->el, map->p[i]->eq[k / 2], 1 + total);
else
isl_seq_cpy(bound->el, map->p[i]->eq[k / 2], 1 + total);
isl_int_add_ui(bound->el[0], bound->el[0], 1);
isl_seq_cpy(wraps.mat->row[0], bound->el, 1 + total);
wraps.mat->n_row = 1;
if (add_wraps(&wraps, map->p[j], tabs[j], bound->el, set_i) < 0)
goto error;
if (!wraps.mat->n_row)
goto unbounded;
isl_int_sub_ui(bound->el[0], bound->el[0], 1);
isl_seq_neg(bound->el, bound->el, 1 + total);
isl_seq_cpy(wraps.mat->row[wraps.mat->n_row], bound->el, 1 + total);
wraps.mat->n_row++;
if (add_wraps(&wraps, map->p[i], tabs[i], bound->el, set_j) < 0)
goto error;
if (!wraps.mat->n_row)
goto unbounded;
changed = fuse(map, i, j, tabs, eq_i, ineq_i, eq_j, ineq_j, wraps.mat);
if (0) {
error: changed = -1;
}
unbounded:
wraps_free(&wraps);
isl_set_free(set_i);
isl_set_free(set_j);
isl_vec_free(bound);
return changed;
}
/* Check if the union of the given pair of basic maps
* can be represented by a single basic map.
* If so, replace the pair by the single basic map and return 1.
* Otherwise, return 0;
* The two basic maps are assumed to live in the same local space.
*
* We first check the effect of each constraint of one basic map
* on the other basic map.
* The constraint may be
* redundant the constraint is redundant in its own
* basic map and should be ignore and removed
* in the end
* valid all (integer) points of the other basic map
* satisfy the constraint
* separate no (integer) point of the other basic map
* satisfies the constraint
* cut some but not all points of the other basic map
* satisfy the constraint
* adj_eq the given constraint is adjacent (on the outside)
* to an equality of the other basic map
* adj_ineq the given constraint is adjacent (on the outside)
* to an inequality of the other basic map
*
* We consider seven cases in which we can replace the pair by a single
* basic map. We ignore all "redundant" constraints.
*
* 1. all constraints of one basic map are valid
* => the other basic map is a subset and can be removed
*
* 2. all constraints of both basic maps are either "valid" or "cut"
* and the facets corresponding to the "cut" constraints
* of one of the basic maps lies entirely inside the other basic map
* => the pair can be replaced by a basic map consisting
* of the valid constraints in both basic maps
*
* 3. there is a single pair of adjacent inequalities
* (all other constraints are "valid")
* => the pair can be replaced by a basic map consisting
* of the valid constraints in both basic maps
*
* 4. there is a single adjacent pair of an inequality and an equality,
* the other constraints of the basic map containing the inequality are
* "valid". Moreover, if the inequality the basic map is relaxed
* and then turned into an equality, then resulting facet lies
* entirely inside the other basic map
* => the pair can be replaced by the basic map containing
* the inequality, with the inequality relaxed.
*
* 5. there is a single adjacent pair of an inequality and an equality,
* the other constraints of the basic map containing the inequality are
* "valid". Moreover, the facets corresponding to both
* the inequality and the equality can be wrapped around their
* ridges to include the other basic map
* => the pair can be replaced by a basic map consisting
* of the valid constraints in both basic maps together
* with all wrapping constraints
*
* 6. one of the basic maps extends beyond the other by at most one.
* Moreover, the facets corresponding to the cut constraints and
* the pieces of the other basic map at offset one from these cut
* constraints can be wrapped around their ridges to include
* the union of the two basic maps
* => the pair can be replaced by a basic map consisting
* of the valid constraints in both basic maps together
* with all wrapping constraints
*
* 7. the two basic maps live in adjacent hyperplanes. In principle
* such sets can always be combined through wrapping, but we impose
* that there is only one such pair, to avoid overeager coalescing.
*
* Throughout the computation, we maintain a collection of tableaus
* corresponding to the basic maps. When the basic maps are dropped
* or combined, the tableaus are modified accordingly.
*/
static int coalesce_local_pair(__isl_keep isl_map *map, int i, int j,
struct isl_tab **tabs)
{
int changed = 0;
int *eq_i = NULL;
int *eq_j = NULL;
int *ineq_i = NULL;
int *ineq_j = NULL;
eq_i = eq_status_in(map->p[i], tabs[j]);
if (!eq_i)
goto error;
if (any(eq_i, 2 * map->p[i]->n_eq, STATUS_ERROR))
goto error;
if (any(eq_i, 2 * map->p[i]->n_eq, STATUS_SEPARATE))
goto done;
eq_j = eq_status_in(map->p[j], tabs[i]);
if (!eq_j)
goto error;
if (any(eq_j, 2 * map->p[j]->n_eq, STATUS_ERROR))
goto error;
if (any(eq_j, 2 * map->p[j]->n_eq, STATUS_SEPARATE))
goto done;
ineq_i = ineq_status_in(map->p[i], tabs[i], tabs[j]);
if (!ineq_i)
goto error;
if (any(ineq_i, map->p[i]->n_ineq, STATUS_ERROR))
goto error;
if (any(ineq_i, map->p[i]->n_ineq, STATUS_SEPARATE))
goto done;
ineq_j = ineq_status_in(map->p[j], tabs[j], tabs[i]);
if (!ineq_j)
goto error;
if (any(ineq_j, map->p[j]->n_ineq, STATUS_ERROR))
goto error;
if (any(ineq_j, map->p[j]->n_ineq, STATUS_SEPARATE))
goto done;
if (all(eq_i, 2 * map->p[i]->n_eq, STATUS_VALID) &&
all(ineq_i, map->p[i]->n_ineq, STATUS_VALID)) {
drop(map, j, tabs);
changed = 1;
} else if (all(eq_j, 2 * map->p[j]->n_eq, STATUS_VALID) &&
all(ineq_j, map->p[j]->n_ineq, STATUS_VALID)) {
drop(map, i, tabs);
changed = 1;
} else if (any(eq_i, 2 * map->p[i]->n_eq, STATUS_ADJ_EQ)) {
changed = check_eq_adj_eq(map, i, j, tabs,
eq_i, ineq_i, eq_j, ineq_j);
} else if (any(eq_j, 2 * map->p[j]->n_eq, STATUS_ADJ_EQ)) {
changed = check_eq_adj_eq(map, j, i, tabs,
eq_j, ineq_j, eq_i, ineq_i);
} else if (any(eq_i, 2 * map->p[i]->n_eq, STATUS_ADJ_INEQ) ||
any(eq_j, 2 * map->p[j]->n_eq, STATUS_ADJ_INEQ)) {
changed = check_adj_eq(map, i, j, tabs,
eq_i, ineq_i, eq_j, ineq_j);
} else if (any(ineq_i, map->p[i]->n_ineq, STATUS_ADJ_EQ) ||
any(ineq_j, map->p[j]->n_ineq, STATUS_ADJ_EQ)) {
/* Can't happen */
/* BAD ADJ INEQ */
} else if (any(ineq_i, map->p[i]->n_ineq, STATUS_ADJ_INEQ) ||
any(ineq_j, map->p[j]->n_ineq, STATUS_ADJ_INEQ)) {
if (!any(eq_i, 2 * map->p[i]->n_eq, STATUS_CUT) &&
!any(eq_j, 2 * map->p[j]->n_eq, STATUS_CUT))
changed = check_adj_ineq(map, i, j, tabs,
ineq_i, ineq_j);
} else {
if (!any(eq_i, 2 * map->p[i]->n_eq, STATUS_CUT) &&
!any(eq_j, 2 * map->p[j]->n_eq, STATUS_CUT))
changed = check_facets(map, i, j, tabs, ineq_i, ineq_j);
if (!changed)
changed = check_wrap(map, i, j, tabs,
eq_i, ineq_i, eq_j, ineq_j);
}
done:
free(eq_i);
free(eq_j);
free(ineq_i);
free(ineq_j);
return changed;
error:
free(eq_i);
free(eq_j);
free(ineq_i);
free(ineq_j);
return -1;
}
/* Do the two basic maps live in the same local space, i.e.,
* do they have the same (known) divs?
* If either basic map has any unknown divs, then we can only assume
* that they do not live in the same local space.
*/
static int same_divs(__isl_keep isl_basic_map *bmap1,
__isl_keep isl_basic_map *bmap2)
{
int i;
int known;
int total;
if (!bmap1 || !bmap2)
return -1;
if (bmap1->n_div != bmap2->n_div)
return 0;
if (bmap1->n_div == 0)
return 1;
known = isl_basic_map_divs_known(bmap1);
if (known < 0 || !known)
return known;
known = isl_basic_map_divs_known(bmap2);
if (known < 0 || !known)
return known;
total = isl_basic_map_total_dim(bmap1);
for (i = 0; i < bmap1->n_div; ++i)
if (!isl_seq_eq(bmap1->div[i], bmap2->div[i], 2 + total))
return 0;
return 1;
}
/* Given two basic maps "i" and "j", where the divs of "i" form a subset
* of those of "j", check if basic map "j" is a subset of basic map "i"
* and, if so, drop basic map "j".
*
* We first expand the divs of basic map "i" to match those of basic map "j",
* using the divs and expansion computed by the caller.
* Then we check if all constraints of the expanded "i" are valid for "j".
*/
static int coalesce_subset(__isl_keep isl_map *map, int i, int j,
struct isl_tab **tabs, __isl_keep isl_mat *div, int *exp)
{
isl_basic_map *bmap;
int changed = 0;
int *eq_i = NULL;
int *ineq_i = NULL;
bmap = isl_basic_map_copy(map->p[i]);
bmap = isl_basic_set_expand_divs(bmap, isl_mat_copy(div), exp);
if (!bmap)
goto error;
eq_i = eq_status_in(bmap, tabs[j]);
if (!eq_i)
goto error;
if (any(eq_i, 2 * bmap->n_eq, STATUS_ERROR))
goto error;
if (any(eq_i, 2 * bmap->n_eq, STATUS_SEPARATE))
goto done;
ineq_i = ineq_status_in(bmap, NULL, tabs[j]);
if (!ineq_i)
goto error;
if (any(ineq_i, bmap->n_ineq, STATUS_ERROR))
goto error;
if (any(ineq_i, bmap->n_ineq, STATUS_SEPARATE))
goto done;
if (all(eq_i, 2 * map->p[i]->n_eq, STATUS_VALID) &&
all(ineq_i, map->p[i]->n_ineq, STATUS_VALID)) {
drop(map, j, tabs);
changed = 1;
}
done:
isl_basic_map_free(bmap);
free(eq_i);
free(ineq_i);
return 0;
error:
isl_basic_map_free(bmap);
free(eq_i);
free(ineq_i);
return -1;
}
/* Check if the basic map "j" is a subset of basic map "i",
* assuming that "i" has fewer divs that "j".
* If not, then we change the order.
*
* If the two basic maps have the same number of divs, then
* they must necessarily be different. Otherwise, we would have
* called coalesce_local_pair. We therefore don't do try anyhing
* in this case.
*
* We first check if the divs of "i" are all known and form a subset
* of those of "j". If so, we pass control over to coalesce_subset.
*/
static int check_coalesce_subset(__isl_keep isl_map *map, int i, int j,
struct isl_tab **tabs)
{
int known;
isl_mat *div_i, *div_j, *div;
int *exp1 = NULL;
int *exp2 = NULL;
isl_ctx *ctx;
int subset;
if (map->p[i]->n_div == map->p[j]->n_div)
return 0;
if (map->p[j]->n_div < map->p[i]->n_div)
return check_coalesce_subset(map, j, i, tabs);
known = isl_basic_map_divs_known(map->p[i]);
if (known < 0 || !known)
return known;
ctx = isl_map_get_ctx(map);
div_i = isl_basic_map_get_divs(map->p[i]);
div_j = isl_basic_map_get_divs(map->p[j]);
if (!div_i || !div_j)
goto error;
exp1 = isl_alloc_array(ctx, int, div_i->n_row);
exp2 = isl_alloc_array(ctx, int, div_j->n_row);
if (!exp1 || !exp2)
goto error;
div = isl_merge_divs(div_i, div_j, exp1, exp2);
if (!div)
goto error;
if (div->n_row == div_j->n_row)
subset = coalesce_subset(map, i, j, tabs, div, exp1);
else
subset = 0;
isl_mat_free(div);
isl_mat_free(div_i);
isl_mat_free(div_j);
free(exp2);
free(exp1);
return subset;
error:
isl_mat_free(div_i);
isl_mat_free(div_j);
free(exp1);
free(exp2);
return -1;
}
/* Check if the union of the given pair of basic maps
* can be represented by a single basic map.
* If so, replace the pair by the single basic map and return 1.
* Otherwise, return 0;
*
* We first check if the two basic maps live in the same local space.
* If so, we do the complete check. Otherwise, we check if one is
* an obvious subset of the other.
*/
static int coalesce_pair(__isl_keep isl_map *map, int i, int j,
struct isl_tab **tabs)
{
int same;
same = same_divs(map->p[i], map->p[j]);
if (same < 0)
return -1;
if (same)
return coalesce_local_pair(map, i, j, tabs);
return check_coalesce_subset(map, i, j, tabs);
}
static struct isl_map *coalesce(struct isl_map *map, struct isl_tab **tabs)
{
int i, j;
for (i = map->n - 2; i >= 0; --i)
restart:
for (j = i + 1; j < map->n; ++j) {
int changed;
changed = coalesce_pair(map, i, j, tabs);
if (changed < 0)
goto error;
if (changed)
goto restart;
}
return map;
error:
isl_map_free(map);
return NULL;
}
/* For each pair of basic maps in the map, check if the union of the two
* can be represented by a single basic map.
* If so, replace the pair by the single basic map and start over.
*/
struct isl_map *isl_map_coalesce(struct isl_map *map)
{
int i;
unsigned n;
struct isl_tab **tabs = NULL;
map = isl_map_remove_empty_parts(map);
if (!map)
return NULL;
if (map->n <= 1)
return map;
map = isl_map_sort_divs(map);
map = isl_map_cow(map);
tabs = isl_calloc_array(map->ctx, struct isl_tab *, map->n);
if (!tabs)
goto error;
n = map->n;
for (i = 0; i < map->n; ++i) {
tabs[i] = isl_tab_from_basic_map(map->p[i], 0);
if (!tabs[i])
goto error;
if (!ISL_F_ISSET(map->p[i], ISL_BASIC_MAP_NO_IMPLICIT))
if (isl_tab_detect_implicit_equalities(tabs[i]) < 0)
goto error;
if (!ISL_F_ISSET(map->p[i], ISL_BASIC_MAP_NO_REDUNDANT))
if (isl_tab_detect_redundant(tabs[i]) < 0)
goto error;
}
for (i = map->n - 1; i >= 0; --i)
if (tabs[i]->empty)
drop(map, i, tabs);
map = coalesce(map, tabs);
if (map)
for (i = 0; i < map->n; ++i) {
map->p[i] = isl_basic_map_update_from_tab(map->p[i],
tabs[i]);
map->p[i] = isl_basic_map_finalize(map->p[i]);
if (!map->p[i])
goto error;
ISL_F_SET(map->p[i], ISL_BASIC_MAP_NO_IMPLICIT);
ISL_F_SET(map->p[i], ISL_BASIC_MAP_NO_REDUNDANT);
}
for (i = 0; i < n; ++i)
isl_tab_free(tabs[i]);
free(tabs);
return map;
error:
if (tabs)
for (i = 0; i < n; ++i)
isl_tab_free(tabs[i]);
free(tabs);
isl_map_free(map);
return NULL;
}
/* For each pair of basic sets in the set, check if the union of the two
* can be represented by a single basic set.
* If so, replace the pair by the single basic set and start over.
*/
struct isl_set *isl_set_coalesce(struct isl_set *set)
{
return (struct isl_set *)isl_map_coalesce((struct isl_map *)set);
}
| pierrotdelalune/isl | isl_coalesce.c | C | mit | 46,395 |
<?php /* BeginFeature:SeatType */
class SeatTypeController extends GxController {
public $defaultAction = 'admin';
public function actionView($id) {
$this->render('view', array(
'model' => $this->loadModel($id, 'SeatType'),
));
}
public function actionCreate() {
$model = new SeatType;
$this->performAjaxValidation($model, 'seat-type-form');
if (isset($_POST['SeatType'])) {
$model->setAttributes($_POST['SeatType']);
if ($model->save()) {
if (Yii::app()->getRequest()->getIsAjaxRequest())
Yii::app()->end();
else
$this->redirect(array('view', 'id' => $model->id_seat_type));
}
}
$this->render('create', array( 'model' => $model));
}
public function actionUpdate($id) {
$model = $this->loadModel($id, 'SeatType');
$this->performAjaxValidation($model, 'seat-type-form');
if (isset($_POST['SeatType'])) {
$model->setAttributes($_POST['SeatType']);
if ($model->save()) {
$this->redirect(array('view', 'id' => $model->id_seat_type));
}
}
$this->render('update', array(
'model' => $model,
));
}
public function actionDelete($id) {
if (Yii::app()->getRequest()->getIsPostRequest()) {
$this->loadModel($id, 'SeatType')->delete();
if (!Yii::app()->getRequest()->getIsAjaxRequest())
$this->redirect(array('admin'));
} else
throw new CHttpException(400, Yii::t('app', 'Your request is invalid.'));
}
public function actionAdmin() {
$model = new SeatType('search');
$model->unsetAttributes();
if (isset($_GET['SeatType']))
$model->setAttributes($_GET['SeatType']);
$this->render('admin', array(
'model' => $model,
));
}
}
/* EndFeature:SeatType */ | riselabs-ufba/alumni-projects | Software-Reuse/2016.2/passage_selling_spl/protected/controllers/SeatTypeController.php | PHP | mit | 1,681 |
//------------------------------------------------------------------------------
// <auto-generated>
// This code was generated by a tool.
//
// Changes to this file may cause incorrect behavior and will be lost if
// the code is regenerated.
// </auto-generated>
//------------------------------------------------------------------------------
namespace DotNetNuke.Modules.Admin.Languages {
public partial class LanguageEditorExt {
/// <summary>
/// plFile control.
/// </summary>
/// <remarks>
/// Auto-generated field.
/// To modify move field declaration from designer file to code-behind file.
/// </remarks>
protected global::DotNetNuke.UI.UserControls.LabelControl plFile;
/// <summary>
/// lblFile control.
/// </summary>
/// <remarks>
/// Auto-generated field.
/// To modify move field declaration from designer file to code-behind file.
/// </remarks>
protected global::System.Web.UI.WebControls.Label lblFile;
/// <summary>
/// plName control.
/// </summary>
/// <remarks>
/// Auto-generated field.
/// To modify move field declaration from designer file to code-behind file.
/// </remarks>
protected global::DotNetNuke.UI.UserControls.LabelControl plName;
/// <summary>
/// lblName control.
/// </summary>
/// <remarks>
/// Auto-generated field.
/// To modify move field declaration from designer file to code-behind file.
/// </remarks>
protected global::System.Web.UI.WebControls.Label lblName;
/// <summary>
/// plDefault control.
/// </summary>
/// <remarks>
/// Auto-generated field.
/// To modify move field declaration from designer file to code-behind file.
/// </remarks>
protected global::DotNetNuke.UI.UserControls.LabelControl plDefault;
/// <summary>
/// lblDefault control.
/// </summary>
/// <remarks>
/// Auto-generated field.
/// To modify move field declaration from designer file to code-behind file.
/// </remarks>
protected global::System.Web.UI.WebControls.Label lblDefault;
/// <summary>
/// teContent control.
/// </summary>
/// <remarks>
/// Auto-generated field.
/// To modify move field declaration from designer file to code-behind file.
/// </remarks>
protected global::DotNetNuke.UI.UserControls.TextEditor teContent;
/// <summary>
/// cmdUpdate control.
/// </summary>
/// <remarks>
/// Auto-generated field.
/// To modify move field declaration from designer file to code-behind file.
/// </remarks>
protected global::System.Web.UI.WebControls.LinkButton cmdUpdate;
/// <summary>
/// cmdCancel control.
/// </summary>
/// <remarks>
/// Auto-generated field.
/// To modify move field declaration from designer file to code-behind file.
/// </remarks>
protected global::System.Web.UI.WebControls.LinkButton cmdCancel;
}
}
| raphael-m/Dnn.Platform | Website/DesktopModules/Admin/Languages/LanguageEditorExt.ascx.designer.cs | C# | mit | 3,356 |
<!DOCTYPE html>
<html lang="en">
<head>
<title>RealmMapView Class Reference</title>
<link rel="stylesheet" type="text/css" href="../css/jazzy.css" />
<link rel="stylesheet" type="text/css" href="../css/highlight.css" />
<meta charset='utf-8'>
<script src="../js/jquery.min.js" defer></script>
<script src="../js/jazzy.js" defer></script>
</head>
<body>
<a name="//apple_ref/swift/Class/RealmMapView" class="dashAnchor"></a>
<a title="RealmMapView Class Reference"></a>
<header>
<div class="content-wrapper">
<p><a href="../index.html">ReamMapView Docs</a> (100% documented)</p>
<p class="header-right"><a href="https://github.com/bigfish24/ABFRealmMapView"><img src="../img/gh.png"/>View on GitHub</a></p>
</div>
</header>
<div class="content-wrapper">
<p id="breadcrumbs">
<a href="../index.html">ReamMapView Reference</a>
<img id="carat" src="../img/carat.png" />
RealmMapView Class Reference
</p>
</div>
<div class="content-wrapper">
<nav class="sidebar">
<ul class="nav-groups">
<li class="nav-group-name">
<a href="../Classes.html">Classes</a>
<ul class="nav-group-tasks">
<li class="nav-group-task">
<a href="../Classes/RealmMapView.html">RealmMapView</a>
</li>
</ul>
</li>
<li class="nav-group-name">
<a href="../Extensions.html">Extensions</a>
<ul class="nav-group-tasks">
<li class="nav-group-task">
<a href="../Extensions.html#/s:C19RealmMapViewExample12RealmMapView">RealmMapView</a>
</li>
</ul>
</li>
</ul>
</nav>
<article class="main-content">
<section>
<section class="section">
<h1>RealmMapView</h1>
<div class="declaration">
<div class="Swift">
<pre class="highlight"><code><span class="kd">public</span> <span class="kd">class</span> <span class="kt">RealmMapView</span><span class="p">:</span> <span class="kt">MKMapView</span></code></pre>
</div>
</div>
<p>The RealmMapView class creates an interface object that inherits MKMapView and manages fetching and displaying annotations for a Realm Swift object class that contains coordinate data.</p>
</section>
<section class="section task-group-section">
<div class="task-group">
<div class="task-name-container">
<a name="/Properties"></a>
<a name="//apple_ref/swift/Section/Properties" class="dashAnchor"></a>
<a href="#/Properties">
<h3 class="section-name">Properties</h3>
</a>
</div>
<ul>
<li class="item">
<div>
<code>
<a name="/s:vC19RealmMapViewExample12RealmMapView18realmConfigurationERR"></a>
<a name="//apple_ref/swift/Property/realmConfiguration" class="dashAnchor"></a>
<a class="token" href="#/s:vC19RealmMapViewExample12RealmMapView18realmConfigurationERR">realmConfiguration</a>
</code>
</div>
<div class="height-container">
<div class="pointer-container"></div>
<section class="section">
<div class="pointer"></div>
<div class="abstract">
<p>The configuration for the Realm in which the entity resides</p>
<p>Default is [RLMRealmConfiguration defaultConfiguration]</p>
</div>
<div class="declaration">
<h4>Declaration</h4>
<div class="Swift">
<p class="aside-title">Swift</p>
<pre class="highlight"><code><span class="kd">public</span> <span class="k">var</span> <span class="nv">realmConfiguration</span><span class="p">:</span> <span class="kt">Realm</span><span class="o">.</span><span class="kt">Configuration</span></code></pre>
</div>
</div>
</section>
</div>
</li>
<li class="item">
<div>
<code>
<a name="/s:vC19RealmMapViewExample12RealmMapView5realmERR"></a>
<a name="//apple_ref/swift/Property/realm" class="dashAnchor"></a>
<a class="token" href="#/s:vC19RealmMapViewExample12RealmMapView5realmERR">realm</a>
</code>
</div>
<div class="height-container">
<div class="pointer-container"></div>
<section class="section">
<div class="pointer"></div>
<div class="abstract">
<p>The Realm in which the given entity resides in</p>
</div>
<div class="declaration">
<h4>Declaration</h4>
<div class="Swift">
<p class="aside-title">Swift</p>
<pre class="highlight"><code><span class="kd">public</span> <span class="k">var</span> <span class="nv">realm</span><span class="p">:</span> <span class="kt">Realm</span></code></pre>
</div>
</div>
</section>
</div>
</li>
<li class="item">
<div>
<code>
<a name="/s:vC19RealmMapViewExample12RealmMapView24fetchedResultsControllerERR"></a>
<a name="//apple_ref/swift/Property/fetchedResultsController" class="dashAnchor"></a>
<a class="token" href="#/s:vC19RealmMapViewExample12RealmMapView24fetchedResultsControllerERR">fetchedResultsController</a>
</code>
</div>
<div class="height-container">
<div class="pointer-container"></div>
<section class="section">
<div class="pointer"></div>
<div class="abstract">
<p>The internal controller that fetches the Realm objects</p>
</div>
<div class="declaration">
<h4>Declaration</h4>
<div class="Swift">
<p class="aside-title">Swift</p>
<pre class="highlight"><code><span class="kd">public</span> <span class="k">var</span> <span class="nv">fetchedResultsController</span><span class="p">:</span> <span class="kt">ABFLocationFetchedResultsController</span> <span class="o">=</span></code></pre>
</div>
</div>
</section>
</div>
</li>
<li class="item">
<div>
<code>
<a name="/s:vC19RealmMapViewExample12RealmMapView10entityNameGSqSS_"></a>
<a name="//apple_ref/swift/Property/entityName" class="dashAnchor"></a>
<a class="token" href="#/s:vC19RealmMapViewExample12RealmMapView10entityNameGSqSS_">entityName</a>
</code>
</div>
<div class="height-container">
<div class="pointer-container"></div>
<section class="section">
<div class="pointer"></div>
<div class="abstract">
<p>The Realm object’s name being fetched for the map view</p>
</div>
<div class="declaration">
<h4>Declaration</h4>
<div class="Swift">
<p class="aside-title">Swift</p>
<pre class="highlight"><code><span class="kd">@IBInspectable</span> <span class="kd">public</span> <span class="k">var</span> <span class="nv">entityName</span><span class="p">:</span> <span class="kt">String</span><span class="p">?</span></code></pre>
</div>
</div>
</section>
</div>
</li>
<li class="item">
<div>
<code>
<a name="/s:vC19RealmMapViewExample12RealmMapView15latitudeKeyPathGSqSS_"></a>
<a name="//apple_ref/swift/Property/latitudeKeyPath" class="dashAnchor"></a>
<a class="token" href="#/s:vC19RealmMapViewExample12RealmMapView15latitudeKeyPathGSqSS_">latitudeKeyPath</a>
</code>
</div>
<div class="height-container">
<div class="pointer-container"></div>
<section class="section">
<div class="pointer"></div>
<div class="abstract">
<p>The key path on fetched Realm objects for the latitude value</p>
</div>
<div class="declaration">
<h4>Declaration</h4>
<div class="Swift">
<p class="aside-title">Swift</p>
<pre class="highlight"><code><span class="kd">@IBInspectable</span> <span class="kd">public</span> <span class="k">var</span> <span class="nv">latitudeKeyPath</span><span class="p">:</span> <span class="kt">String</span><span class="p">?</span></code></pre>
</div>
</div>
</section>
</div>
</li>
<li class="item">
<div>
<code>
<a name="/s:vC19RealmMapViewExample12RealmMapView16longitudeKeyPathGSqSS_"></a>
<a name="//apple_ref/swift/Property/longitudeKeyPath" class="dashAnchor"></a>
<a class="token" href="#/s:vC19RealmMapViewExample12RealmMapView16longitudeKeyPathGSqSS_">longitudeKeyPath</a>
</code>
</div>
<div class="height-container">
<div class="pointer-container"></div>
<section class="section">
<div class="pointer"></div>
<div class="abstract">
<p>The key path on fetched Realm objects for the longitude value</p>
</div>
<div class="declaration">
<h4>Declaration</h4>
<div class="Swift">
<p class="aside-title">Swift</p>
<pre class="highlight"><code><span class="kd">@IBInspectable</span> <span class="kd">public</span> <span class="k">var</span> <span class="nv">longitudeKeyPath</span><span class="p">:</span> <span class="kt">String</span><span class="p">?</span></code></pre>
</div>
</div>
</section>
</div>
</li>
<li class="item">
<div>
<code>
<a name="/s:vC19RealmMapViewExample12RealmMapView12titleKeyPathGSqSS_"></a>
<a name="//apple_ref/swift/Property/titleKeyPath" class="dashAnchor"></a>
<a class="token" href="#/s:vC19RealmMapViewExample12RealmMapView12titleKeyPathGSqSS_">titleKeyPath</a>
</code>
</div>
<div class="height-container">
<div class="pointer-container"></div>
<section class="section">
<div class="pointer"></div>
<div class="abstract">
<p>The key path on fetched Realm objects for the title of the annotation view</p>
</div>
<div class="declaration">
<h4>Declaration</h4>
<div class="Swift">
<p class="aside-title">Swift</p>
<pre class="highlight"><code><span class="kd">@IBInspectable</span> <span class="kd">public</span> <span class="k">var</span> <span class="nv">titleKeyPath</span><span class="p">:</span> <span class="kt">String</span><span class="p">?</span></code></pre>
</div>
</div>
</section>
</div>
</li>
<li class="item">
<div>
<code>
<a name="/s:vC19RealmMapViewExample12RealmMapView15subtitleKeyPathGSqSS_"></a>
<a name="//apple_ref/swift/Property/subtitleKeyPath" class="dashAnchor"></a>
<a class="token" href="#/s:vC19RealmMapViewExample12RealmMapView15subtitleKeyPathGSqSS_">subtitleKeyPath</a>
</code>
</div>
<div class="height-container">
<div class="pointer-container"></div>
<section class="section">
<div class="pointer"></div>
<div class="abstract">
<p>The key path on fetched Realm objects for the subtitle of the annotation view</p>
</div>
<div class="declaration">
<h4>Declaration</h4>
<div class="Swift">
<p class="aside-title">Swift</p>
<pre class="highlight"><code><span class="kd">@IBInspectable</span> <span class="kd">public</span> <span class="k">var</span> <span class="nv">subtitleKeyPath</span><span class="p">:</span> <span class="kt">String</span><span class="p">?</span></code></pre>
</div>
</div>
</section>
</div>
</li>
<li class="item">
<div>
<code>
<a name="/s:vC19RealmMapViewExample12RealmMapView18clusterAnnotationsSb"></a>
<a name="//apple_ref/swift/Property/clusterAnnotations" class="dashAnchor"></a>
<a class="token" href="#/s:vC19RealmMapViewExample12RealmMapView18clusterAnnotationsSb">clusterAnnotations</a>
</code>
</div>
<div class="height-container">
<div class="pointer-container"></div>
<section class="section">
<div class="pointer"></div>
<div class="abstract">
<p>Designates if the map view will cluster the annotations</p>
</div>
<div class="declaration">
<h4>Declaration</h4>
<div class="Swift">
<p class="aside-title">Swift</p>
<pre class="highlight"><code><span class="kd">@IBInspectable</span> <span class="kd">public</span> <span class="k">var</span> <span class="nv">clusterAnnotations</span> <span class="o">=</span> <span class="kc">true</span></code></pre>
</div>
</div>
</section>
</div>
</li>
<li class="item">
<div>
<code>
<a name="/s:vC19RealmMapViewExample12RealmMapView11autoRefreshSb"></a>
<a name="//apple_ref/swift/Property/autoRefresh" class="dashAnchor"></a>
<a class="token" href="#/s:vC19RealmMapViewExample12RealmMapView11autoRefreshSb">autoRefresh</a>
</code>
</div>
<div class="height-container">
<div class="pointer-container"></div>
<section class="section">
<div class="pointer"></div>
<div class="abstract">
<p>Designates if the map view automatically refreshes when the map moves</p>
</div>
<div class="declaration">
<h4>Declaration</h4>
<div class="Swift">
<p class="aside-title">Swift</p>
<pre class="highlight"><code><span class="kd">@IBInspectable</span> <span class="kd">public</span> <span class="k">var</span> <span class="nv">autoRefresh</span> <span class="o">=</span> <span class="kc">true</span></code></pre>
</div>
</div>
</section>
</div>
</li>
<li class="item">
<div>
<code>
<a name="/s:vC19RealmMapViewExample12RealmMapView18zoomOnFirstRefreshSb"></a>
<a name="//apple_ref/swift/Property/zoomOnFirstRefresh" class="dashAnchor"></a>
<a class="token" href="#/s:vC19RealmMapViewExample12RealmMapView18zoomOnFirstRefreshSb">zoomOnFirstRefresh</a>
</code>
</div>
<div class="height-container">
<div class="pointer-container"></div>
<section class="section">
<div class="pointer"></div>
<div class="abstract">
<p>Designates if the map view will zoom to a region that contains all points
on the first refresh of the map annotations (presumably on viewWillAppear)</p>
</div>
<div class="declaration">
<h4>Declaration</h4>
<div class="Swift">
<p class="aside-title">Swift</p>
<pre class="highlight"><code><span class="kd">@IBInspectable</span> <span class="kd">public</span> <span class="k">var</span> <span class="nv">zoomOnFirstRefresh</span> <span class="o">=</span> <span class="kc">true</span></code></pre>
</div>
</div>
</section>
</div>
</li>
</ul>
</div>
<div class="task-group">
<div class="task-name-container">
<a name="/Functions"></a>
<a name="//apple_ref/swift/Section/Functions" class="dashAnchor"></a>
<a href="#/Functions">
<h3 class="section-name">Functions</h3>
</a>
</div>
<ul>
<li class="item">
<div>
<code>
<a name="/s:FC19RealmMapViewExample12RealmMapView14refreshMapViewFS0_FT_T_"></a>
<a name="//apple_ref/swift/Method/refreshMapView()" class="dashAnchor"></a>
<a class="token" href="#/s:FC19RealmMapViewExample12RealmMapView14refreshMapViewFS0_FT_T_">refreshMapView()</a>
</code>
</div>
<div class="height-container">
<div class="pointer-container"></div>
<section class="section">
<div class="pointer"></div>
<div class="abstract">
<p>Performs a fresh fetch for Realm objects based on the current visible map rect</p>
</div>
<div class="declaration">
<h4>Declaration</h4>
<div class="Swift">
<p class="aside-title">Swift</p>
<pre class="highlight"><code><span class="kd">public</span> <span class="kd">func</span> <span class="nf">refreshMapView</span><span class="p">()</span></code></pre>
</div>
</div>
</section>
</div>
</li>
</ul>
</div>
</section>
</section>
<section id="footer">
<p>© 2015 <a class="link" href="http://www.realm.io" target="_blank" rel="external">Adam Fish</a>. All rights reserved. (Last updated: 2015-10-01)</p>
<p>Generated by <a class="link" href="https://github.com/realm/jazzy" target="_blank" rel="external">jazzy ♪♫ v0.3.1</a>, a <a class="link" href="http://realm.io" target="_blank" rel="external">Realm</a> project.</p>
</section>
</article>
</div>
</body>
</div>
</html>
| bigfish24/ABFRealmMapView | Documentation/SwiftDocs/docsets/ReamMapView.docset/Contents/Resources/Documents/Classes/RealmMapView.html | HTML | mit | 21,217 |
/**
* @copyright (C) 2017 Melexis N.V.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*
*/
#include <stdio.h>
#include "cambus.h"
#include "MLX90640_I2C_Driver.h"
static cambus_t *bus;
void MLX90640_I2CInit(cambus_t *hbus)
{
bus = hbus;
}
int MLX90640_I2CGeneralReset()
{
if (cambus_gencall(bus, 0x06) != 0) {
return -1;
}
return 0;
}
int MLX90640_I2CRead(uint8_t slaveAddr, uint16_t startAddress, uint16_t nMemAddressRead, uint16_t *data)
{
startAddress = __REVSH(startAddress);
if (cambus_write_bytes(bus, (slaveAddr<<1), (uint8_t *) &startAddress, 2, CAMBUS_XFER_NO_STOP) != 0) {
return -1;
}
if (cambus_read_bytes(bus, (slaveAddr<<1), (uint8_t *) data, nMemAddressRead*2, CAMBUS_XFER_NO_FLAGS) != 0) {
return -1;
}
for(int i=0; i<nMemAddressRead; i++) {
data[i] = __REVSH(data[i]);
}
return 0;
}
int MLX90640_I2CWrite(uint8_t slaveAddr, uint16_t writeAddress, uint16_t data)
{
data = __REVSH(data);
writeAddress = __REVSH(writeAddress);
if (cambus_write_bytes(bus, (slaveAddr << 1), (uint8_t*) &writeAddress, 2, CAMBUS_XFER_SUSPEND) != 0) {
return -1;
}
if (cambus_write_bytes(bus, (slaveAddr << 1), (uint8_t *) &data, 2, CAMBUS_XFER_NO_FLAGS) != 0) {
return -1;
}
return 0;
}
| kwagyeman/openmv | src/drivers/mlx90640/src/MLX90640_I2C_Driver.c | C | mit | 1,898 |
'use strict';
// Themes controller
angular.module('themes').controller('ThemesController', ['$scope', '$stateParams', '$location', 'Authentication', 'Themes',
function($scope, $stateParams, $location, Authentication, Themes) {
$scope.authentication = Authentication;
// Create new Theme
$scope.create = function() {
// Create new Theme object
var theme = new Themes ({
name: this.name
});
// Redirect after save
theme.$save(function(response) {
$location.path('themes/' + response._id);
// Clear form fields
$scope.name = '';
}, function(errorResponse) {
$scope.error = errorResponse.data.message;
});
};
// Remove existing Theme
$scope.remove = function(theme) {
if ( theme ) {
theme.$remove();
for (var i in $scope.themes) {
if ($scope.themes [i] === theme) {
$scope.themes.splice(i, 1);
}
}
} else {
$scope.theme.$remove(function() {
$location.path('themes');
});
}
};
// Update existing Theme
$scope.update = function() {
var theme = $scope.theme;
theme.$update(function() {
$location.path('themes/' + theme._id);
}, function(errorResponse) {
$scope.error = errorResponse.data.message;
});
};
// Find a list of Themes
$scope.find = function() {
$scope.themes = Themes.query();
};
// Find existing Theme
$scope.findOne = function() {
$scope.theme = Themes.get({
themeId: $stateParams.themeId
});
};
}
]); | varguitas/automatec | public/modules/themes/controllers/themes.client.controller.js | JavaScript | mit | 1,477 |
const {it, fit, ffit, beforeEach, afterEach} = require('./async-spec-helpers') // eslint-disable-line no-unused-vars
const path = require('path')
const helpers = require('../lib/helpers')
describe('Helpers', () => {
describe('repoForPath', () => {
let fixturesPath, fixturesRepo
beforeEach(async () => {
fixturesPath = atom.project.getPaths()[0]
fixturesRepo = await atom.project.repositoryForDirectory(atom.project.getDirectories()[0])
})
it('returns the repository for a given project path', () => {
expect(helpers.repoForPath(fixturesPath)).toEqual(fixturesRepo)
})
it('returns the project repository for a subpath', () => {
expect(helpers.repoForPath(path.join(fixturesPath, 'root-dir1', 'tree-view.txt'))).toEqual(fixturesRepo)
})
it('returns null for a path outside the project', () => {
expect(helpers.repoForPath(path.join(fixturesPath, '..'))).toEqual(null)
})
})
describe('getFullExtension', () => {
it('returns the extension for a simple file', () => {
expect(helpers.getFullExtension('filename.txt')).toBe('.txt')
})
it('returns the extension for a path', () => {
expect(helpers.getFullExtension(path.join('path', 'to', 'filename.txt'))).toBe('.txt')
})
it('returns the full extension for a filename with more than one extension', () => {
expect(helpers.getFullExtension('index.html.php')).toBe('.html.php')
expect(helpers.getFullExtension('archive.tar.gz.bak')).toBe('.tar.gz.bak')
})
it('returns no extension when the filename begins with a period', () => {
expect(helpers.getFullExtension('.gitconfig')).toBe('')
expect(helpers.getFullExtension(path.join('path', 'to', '.gitconfig'))).toBe('')
})
})
})
| jarig/tree-view | spec/helpers-spec.js | JavaScript | mit | 1,771 |
<!DOCTYPE html>
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<meta name="viewport" content="width=device-width" />
<link rel="shortcut icon" type="image/x-icon" href="../../../../favicon.ico" />
<title>ArrowKeyMovementMethod - Android SDK | Android Developers</title>
<!-- STYLESHEETS -->
<link rel="stylesheet"
href="http://fonts.googleapis.com/css?family=Roboto:regular,medium,thin,italic,mediumitalic,bold" title="roboto">
<link href="../../../../assets/css/default.css" rel="stylesheet" type="text/css">
<!-- FULLSCREEN STYLESHEET -->
<link href="../../../../assets/css/fullscreen.css" rel="stylesheet" class="fullscreen"
type="text/css">
<!-- JAVASCRIPT -->
<script src="http://www.google.com/jsapi" type="text/javascript"></script>
<script src="../../../../assets/js/android_3p-bundle.js" type="text/javascript"></script>
<script type="text/javascript">
var toRoot = "../../../../";
var devsite = false;
</script>
<script src="../../../../assets/js/docs.js" type="text/javascript"></script>
<script type="text/javascript">
var _gaq = _gaq || [];
_gaq.push(['_setAccount', 'UA-5831155-1']);
_gaq.push(['_trackPageview']);
(function() {
var ga = document.createElement('script'); ga.type = 'text/javascript'; ga.async = true;
ga.src = ('https:' == document.location.protocol ? 'https://ssl' : 'http://www') + '.google-analytics.com/ga.js';
var s = document.getElementsByTagName('script')[0]; s.parentNode.insertBefore(ga, s);
})();
</script>
</head>
<body class="gc-documentation
develop" itemscope itemtype="http://schema.org/Article">
<div id="doc-api-level" class="1" style="display:none"></div>
<a name="top"></a>
<a name="top"></a>
<!-- Header -->
<div id="header">
<div class="wrap" id="header-wrap">
<div class="col-3 logo">
<a href="../../../../index.html">
<img src="../../../../assets/images/dac_logo.png" width="123" height="25" alt="Android Developers" />
</a>
<div class="btn-quicknav" id="btn-quicknav">
<a href="#" class="arrow-inactive">Quicknav</a>
<a href="#" class="arrow-active">Quicknav</a>
</div>
</div>
<ul class="nav-x col-9">
<li class="design">
<a href="../../../../design/index.html"
zh-tw-lang="設計"
zh-cn-lang="设计"
ru-lang="Проектирование"
ko-lang="디자인"
ja-lang="設計"
es-lang="Diseñar"
>Design</a></li>
<li class="develop"><a href="../../../../develop/index.html"
zh-tw-lang="開發"
zh-cn-lang="开发"
ru-lang="Разработка"
ko-lang="개발"
ja-lang="開発"
es-lang="Desarrollar"
>Develop</a></li>
<li class="distribute last"><a href="../../../../distribute/index.html"
zh-tw-lang="發佈"
zh-cn-lang="分发"
ru-lang="Распространение"
ko-lang="배포"
ja-lang="配布"
es-lang="Distribuir"
>Distribute</a></li>
</ul>
<!-- New Search -->
<div class="menu-container">
<div class="moremenu">
<div id="more-btn"></div>
</div>
<div class="morehover" id="moremenu">
<div class="top"></div>
<div class="mid">
<div class="header">Links</div>
<ul>
<li><a href="https://play.google.com/apps/publish/">Google Play Developer Console</a></li>
<li><a href="http://android-developers.blogspot.com/">Android Developers Blog</a></li>
<li><a href="../../../../about/index.html">About Android</a></li>
</ul>
<div class="header">Android Sites</div>
<ul>
<li><a href="http://www.android.com">Android.com</a></li>
<li class="active"><a>Android Developers</a></li>
<li><a href="http://source.android.com">Android Open Source Project</a></li>
</ul>
<br class="clearfix" />
</div>
<div class="bottom"></div>
</div>
<div class="search" id="search-container">
<div class="search-inner">
<div id="search-btn"></div>
<div class="left"></div>
<form onsubmit="return submit_search()">
<input id="search_autocomplete" type="text" value="" autocomplete="off" name="q"
onfocus="search_focus_changed(this, true)" onblur="search_focus_changed(this, false)"
onkeydown="return search_changed(event, true, '../../../../')"
onkeyup="return search_changed(event, false, '../../../../')" />
</form>
<div class="right"></div>
<a class="close hide">close</a>
<div class="left"></div>
<div class="right"></div>
</div>
</div>
<div class="search_filtered_wrapper reference">
<div class="suggest-card reference no-display">
<ul class="search_filtered">
</ul>
</div>
</div>
<div class="search_filtered_wrapper docs">
<div class="suggest-card dummy no-display"> </div>
<div class="suggest-card develop no-display">
<ul class="search_filtered">
</ul>
<div class="child-card guides no-display">
</div>
<div class="child-card training no-display">
</div>
</div>
<div class="suggest-card design no-display">
<ul class="search_filtered">
</ul>
</div>
<div class="suggest-card distribute no-display">
<ul class="search_filtered">
</ul>
</div>
</div>
</div>
<!-- /New Search>
<!-- Expanded quicknav -->
<div id="quicknav" class="col-9">
<ul>
<li class="design">
<ul>
<li><a href="../../../../design/index.html">Get Started</a></li>
<li><a href="../../../../design/style/index.html">Style</a></li>
<li><a href="../../../../design/patterns/index.html">Patterns</a></li>
<li><a href="../../../../design/building-blocks/index.html">Building Blocks</a></li>
<li><a href="../../../../design/downloads/index.html">Downloads</a></li>
<li><a href="../../../../design/videos/index.html">Videos</a></li>
</ul>
</li>
<li class="develop">
<ul>
<li><a href="../../../../training/index.html"
zh-tw-lang="訓練課程"
zh-cn-lang="培训"
ru-lang="Курсы"
ko-lang="교육"
ja-lang="トレーニング"
es-lang="Capacitación"
>Training</a></li>
<li><a href="../../../../guide/components/index.html"
zh-tw-lang="API 指南"
zh-cn-lang="API 指南"
ru-lang="Руководства по API"
ko-lang="API 가이드"
ja-lang="API ガイド"
es-lang="Guías de la API"
>API Guides</a></li>
<li><a href="../../../../reference/packages.html"
zh-tw-lang="參考資源"
zh-cn-lang="参考"
ru-lang="Справочник"
ko-lang="참조문서"
ja-lang="リファレンス"
es-lang="Referencia"
>Reference</a></li>
<li><a href="../../../../tools/index.html"
zh-tw-lang="相關工具"
zh-cn-lang="工具"
ru-lang="Инструменты"
ko-lang="도구"
ja-lang="ツール"
es-lang="Herramientas"
>Tools</a>
<ul><li><a href="../../../../sdk/index.html">Get the SDK</a></li></ul>
</li>
<li><a href="../../../../google/index.html">Google Services</a>
</li>
</ul>
</li>
<li class="distribute last">
<ul>
<li><a href="../../../../distribute/index.html">Google Play</a></li>
<li><a href="../../../../distribute/googleplay/publish/index.html">Publishing</a></li>
<li><a href="../../../../distribute/googleplay/promote/index.html">Promoting</a></li>
<li><a href="../../../../distribute/googleplay/quality/index.html">App Quality</a></li>
<li><a href="../../../../distribute/googleplay/spotlight/index.html">Spotlight</a></li>
<li><a href="../../../../distribute/open.html">Open Distribution</a></li>
</ul>
</li>
</ul>
</div>
<!-- /Expanded quicknav -->
</div>
</div>
<!-- /Header -->
<div id="searchResults" class="wrap" style="display:none;">
<h2 id="searchTitle">Results</h2>
<div id="leftSearchControl" class="search-control">Loading...</div>
</div>
<!-- Secondary x-nav -->
<div id="nav-x">
<div class="wrap">
<ul class="nav-x col-9 develop" style="width:100%">
<li class="training"><a href="../../../../training/index.html"
zh-tw-lang="訓練課程"
zh-cn-lang="培训"
ru-lang="Курсы"
ko-lang="교육"
ja-lang="トレーニング"
es-lang="Capacitación"
>Training</a></li>
<li class="guide"><a href="../../../../guide/components/index.html"
zh-tw-lang="API 指南"
zh-cn-lang="API 指南"
ru-lang="Руководства по API"
ko-lang="API 가이드"
ja-lang="API ガイド"
es-lang="Guías de la API"
>API Guides</a></li>
<li class="reference"><a href="../../../../reference/packages.html"
zh-tw-lang="參考資源"
zh-cn-lang="参考"
ru-lang="Справочник"
ko-lang="참조문서"
ja-lang="リファレンス"
es-lang="Referencia"
>Reference</a></li>
<li class="tools"><a href="../../../../tools/index.html"
zh-tw-lang="相關工具"
zh-cn-lang="工具"
ru-lang="Инструменты"
ko-lang="도구"
ja-lang="ツール"
es-lang="Herramientas"
>Tools</a></li>
<li class="google"><a href="../../../../google/index.html"
>Google Services</a>
</li>
</ul>
</div>
</div>
<!-- /Sendondary x-nav -->
<div class="wrap clearfix" id="body-content">
<div class="col-4" id="side-nav" itemscope itemtype="http://schema.org/SiteNavigationElement">
<div id="devdoc-nav">
<a class="totop" href="#top" data-g-event="left-nav-top">to top</a>
<div id="api-nav-header">
<div id="api-level-toggle">
<label for="apiLevelCheckbox" class="disabled">API level: </label>
<div class="select-wrapper">
<select id="apiLevelSelector">
<!-- option elements added by buildApiLevelSelector() -->
</select>
</div>
</div><!-- end toggle -->
<div id="api-nav-title">Android APIs</div>
</div><!-- end nav header -->
<script>
var SINCE_DATA = [ '1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12', '13', '14', '15', '16', '17', '18', '19' ];
buildApiLevelSelector();
</script>
<div id="swapper">
<div id="nav-panels">
<div id="resize-packages-nav">
<div id="packages-nav" class="scroll-pane">
<ul>
<li class="api apilevel-1">
<a href="../../../../reference/android/package-summary.html">android</a></li>
<li class="api apilevel-4">
<a href="../../../../reference/android/accessibilityservice/package-summary.html">android.accessibilityservice</a></li>
<li class="api apilevel-5">
<a href="../../../../reference/android/accounts/package-summary.html">android.accounts</a></li>
<li class="api apilevel-11">
<a href="../../../../reference/android/animation/package-summary.html">android.animation</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/app/package-summary.html">android.app</a></li>
<li class="api apilevel-8">
<a href="../../../../reference/android/app/admin/package-summary.html">android.app.admin</a></li>
<li class="api apilevel-8">
<a href="../../../../reference/android/app/backup/package-summary.html">android.app.backup</a></li>
<li class="api apilevel-3">
<a href="../../../../reference/android/appwidget/package-summary.html">android.appwidget</a></li>
<li class="api apilevel-5">
<a href="../../../../reference/android/bluetooth/package-summary.html">android.bluetooth</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/content/package-summary.html">android.content</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/content/pm/package-summary.html">android.content.pm</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/content/res/package-summary.html">android.content.res</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/database/package-summary.html">android.database</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/database/sqlite/package-summary.html">android.database.sqlite</a></li>
<li class="api apilevel-11">
<a href="../../../../reference/android/drm/package-summary.html">android.drm</a></li>
<li class="api apilevel-4">
<a href="../../../../reference/android/gesture/package-summary.html">android.gesture</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/graphics/package-summary.html">android.graphics</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/graphics/drawable/package-summary.html">android.graphics.drawable</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/graphics/drawable/shapes/package-summary.html">android.graphics.drawable.shapes</a></li>
<li class="api apilevel-19">
<a href="../../../../reference/android/graphics/pdf/package-summary.html">android.graphics.pdf</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/hardware/package-summary.html">android.hardware</a></li>
<li class="api apilevel-17">
<a href="../../../../reference/android/hardware/display/package-summary.html">android.hardware.display</a></li>
<li class="api apilevel-16">
<a href="../../../../reference/android/hardware/input/package-summary.html">android.hardware.input</a></li>
<li class="api apilevel-18">
<a href="../../../../reference/android/hardware/location/package-summary.html">android.hardware.location</a></li>
<li class="api apilevel-12">
<a href="../../../../reference/android/hardware/usb/package-summary.html">android.hardware.usb</a></li>
<li class="api apilevel-3">
<a href="../../../../reference/android/inputmethodservice/package-summary.html">android.inputmethodservice</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/location/package-summary.html">android.location</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/media/package-summary.html">android.media</a></li>
<li class="api apilevel-9">
<a href="../../../../reference/android/media/audiofx/package-summary.html">android.media.audiofx</a></li>
<li class="api apilevel-14">
<a href="../../../../reference/android/media/effect/package-summary.html">android.media.effect</a></li>
<li class="api apilevel-12">
<a href="../../../../reference/android/mtp/package-summary.html">android.mtp</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/net/package-summary.html">android.net</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/net/http/package-summary.html">android.net.http</a></li>
<li class="api apilevel-16">
<a href="../../../../reference/android/net/nsd/package-summary.html">android.net.nsd</a></li>
<li class="api apilevel-12">
<a href="../../../../reference/android/net/rtp/package-summary.html">android.net.rtp</a></li>
<li class="api apilevel-9">
<a href="../../../../reference/android/net/sip/package-summary.html">android.net.sip</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/net/wifi/package-summary.html">android.net.wifi</a></li>
<li class="api apilevel-14">
<a href="../../../../reference/android/net/wifi/p2p/package-summary.html">android.net.wifi.p2p</a></li>
<li class="api apilevel-16">
<a href="../../../../reference/android/net/wifi/p2p/nsd/package-summary.html">android.net.wifi.p2p.nsd</a></li>
<li class="api apilevel-9">
<a href="../../../../reference/android/nfc/package-summary.html">android.nfc</a></li>
<li class="api apilevel-19">
<a href="../../../../reference/android/nfc/cardemulation/package-summary.html">android.nfc.cardemulation</a></li>
<li class="api apilevel-10">
<a href="../../../../reference/android/nfc/tech/package-summary.html">android.nfc.tech</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/opengl/package-summary.html">android.opengl</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/os/package-summary.html">android.os</a></li>
<li class="api apilevel-9">
<a href="../../../../reference/android/os/storage/package-summary.html">android.os.storage</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/preference/package-summary.html">android.preference</a></li>
<li class="api apilevel-19">
<a href="../../../../reference/android/print/package-summary.html">android.print</a></li>
<li class="api apilevel-19">
<a href="../../../../reference/android/print/pdf/package-summary.html">android.print.pdf</a></li>
<li class="api apilevel-19">
<a href="../../../../reference/android/printservice/package-summary.html">android.printservice</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/provider/package-summary.html">android.provider</a></li>
<li class="api apilevel-11">
<a href="../../../../reference/android/renderscript/package-summary.html">android.renderscript</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/sax/package-summary.html">android.sax</a></li>
<li class="api apilevel-14">
<a href="../../../../reference/android/security/package-summary.html">android.security</a></li>
<li class="api apilevel-17">
<a href="../../../../reference/android/service/dreams/package-summary.html">android.service.dreams</a></li>
<li class="api apilevel-18">
<a href="../../../../reference/android/service/notification/package-summary.html">android.service.notification</a></li>
<li class="api apilevel-14">
<a href="../../../../reference/android/service/textservice/package-summary.html">android.service.textservice</a></li>
<li class="api apilevel-7">
<a href="../../../../reference/android/service/wallpaper/package-summary.html">android.service.wallpaper</a></li>
<li class="api apilevel-3">
<a href="../../../../reference/android/speech/package-summary.html">android.speech</a></li>
<li class="api apilevel-4">
<a href="../../../../reference/android/speech/tts/package-summary.html">android.speech.tts</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v13/app/package-summary.html">android.support.v13.app</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v4/accessibilityservice/package-summary.html">android.support.v4.accessibilityservice</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v4/app/package-summary.html">android.support.v4.app</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v4/content/package-summary.html">android.support.v4.content</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v4/content/pm/package-summary.html">android.support.v4.content.pm</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v4/database/package-summary.html">android.support.v4.database</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v4/graphics/drawable/package-summary.html">android.support.v4.graphics.drawable</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v4/hardware/display/package-summary.html">android.support.v4.hardware.display</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v4/media/package-summary.html">android.support.v4.media</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v4/net/package-summary.html">android.support.v4.net</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v4/os/package-summary.html">android.support.v4.os</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v4/print/package-summary.html">android.support.v4.print</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v4/text/package-summary.html">android.support.v4.text</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v4/util/package-summary.html">android.support.v4.util</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v4/view/package-summary.html">android.support.v4.view</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v4/view/accessibility/package-summary.html">android.support.v4.view.accessibility</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v4/widget/package-summary.html">android.support.v4.widget</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v7/app/package-summary.html">android.support.v7.app</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v7/appcompat/package-summary.html">android.support.v7.appcompat</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v7/gridlayout/package-summary.html">android.support.v7.gridlayout</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v7/media/package-summary.html">android.support.v7.media</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v7/mediarouter/package-summary.html">android.support.v7.mediarouter</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v7/view/package-summary.html">android.support.v7.view</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v7/widget/package-summary.html">android.support.v7.widget</a></li>
<li class="api apilevel-">
<a href="../../../../reference/android/support/v8/renderscript/package-summary.html">android.support.v8.renderscript</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/telephony/package-summary.html">android.telephony</a></li>
<li class="api apilevel-5">
<a href="../../../../reference/android/telephony/cdma/package-summary.html">android.telephony.cdma</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/telephony/gsm/package-summary.html">android.telephony.gsm</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/test/package-summary.html">android.test</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/test/mock/package-summary.html">android.test.mock</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/test/suitebuilder/package-summary.html">android.test.suitebuilder</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/text/package-summary.html">android.text</a></li>
<li class="api apilevel-3">
<a href="../../../../reference/android/text/format/package-summary.html">android.text.format</a></li>
<li class="selected api apilevel-1">
<a href="../../../../reference/android/text/method/package-summary.html">android.text.method</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/text/style/package-summary.html">android.text.style</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/text/util/package-summary.html">android.text.util</a></li>
<li class="api apilevel-19">
<a href="../../../../reference/android/transition/package-summary.html">android.transition</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/util/package-summary.html">android.util</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/view/package-summary.html">android.view</a></li>
<li class="api apilevel-4">
<a href="../../../../reference/android/view/accessibility/package-summary.html">android.view.accessibility</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/view/animation/package-summary.html">android.view.animation</a></li>
<li class="api apilevel-3">
<a href="../../../../reference/android/view/inputmethod/package-summary.html">android.view.inputmethod</a></li>
<li class="api apilevel-14">
<a href="../../../../reference/android/view/textservice/package-summary.html">android.view.textservice</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/webkit/package-summary.html">android.webkit</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/android/widget/package-summary.html">android.widget</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/dalvik/bytecode/package-summary.html">dalvik.bytecode</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/dalvik/system/package-summary.html">dalvik.system</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/awt/font/package-summary.html">java.awt.font</a></li>
<li class="api apilevel-3">
<a href="../../../../reference/java/beans/package-summary.html">java.beans</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/io/package-summary.html">java.io</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/lang/package-summary.html">java.lang</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/lang/annotation/package-summary.html">java.lang.annotation</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/lang/ref/package-summary.html">java.lang.ref</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/lang/reflect/package-summary.html">java.lang.reflect</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/math/package-summary.html">java.math</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/net/package-summary.html">java.net</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/nio/package-summary.html">java.nio</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/nio/channels/package-summary.html">java.nio.channels</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/nio/channels/spi/package-summary.html">java.nio.channels.spi</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/nio/charset/package-summary.html">java.nio.charset</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/nio/charset/spi/package-summary.html">java.nio.charset.spi</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/security/package-summary.html">java.security</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/security/acl/package-summary.html">java.security.acl</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/security/cert/package-summary.html">java.security.cert</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/security/interfaces/package-summary.html">java.security.interfaces</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/security/spec/package-summary.html">java.security.spec</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/sql/package-summary.html">java.sql</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/text/package-summary.html">java.text</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/util/package-summary.html">java.util</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/util/concurrent/package-summary.html">java.util.concurrent</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/util/concurrent/atomic/package-summary.html">java.util.concurrent.atomic</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/util/concurrent/locks/package-summary.html">java.util.concurrent.locks</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/util/jar/package-summary.html">java.util.jar</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/util/logging/package-summary.html">java.util.logging</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/util/prefs/package-summary.html">java.util.prefs</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/util/regex/package-summary.html">java.util.regex</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/java/util/zip/package-summary.html">java.util.zip</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/javax/crypto/package-summary.html">javax.crypto</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/javax/crypto/interfaces/package-summary.html">javax.crypto.interfaces</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/javax/crypto/spec/package-summary.html">javax.crypto.spec</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/javax/microedition/khronos/egl/package-summary.html">javax.microedition.khronos.egl</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/javax/microedition/khronos/opengles/package-summary.html">javax.microedition.khronos.opengles</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/javax/net/package-summary.html">javax.net</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/javax/net/ssl/package-summary.html">javax.net.ssl</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/javax/security/auth/package-summary.html">javax.security.auth</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/javax/security/auth/callback/package-summary.html">javax.security.auth.callback</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/javax/security/auth/login/package-summary.html">javax.security.auth.login</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/javax/security/auth/x500/package-summary.html">javax.security.auth.x500</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/javax/security/cert/package-summary.html">javax.security.cert</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/javax/sql/package-summary.html">javax.sql</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/javax/xml/package-summary.html">javax.xml</a></li>
<li class="api apilevel-8">
<a href="../../../../reference/javax/xml/datatype/package-summary.html">javax.xml.datatype</a></li>
<li class="api apilevel-8">
<a href="../../../../reference/javax/xml/namespace/package-summary.html">javax.xml.namespace</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/javax/xml/parsers/package-summary.html">javax.xml.parsers</a></li>
<li class="api apilevel-8">
<a href="../../../../reference/javax/xml/transform/package-summary.html">javax.xml.transform</a></li>
<li class="api apilevel-8">
<a href="../../../../reference/javax/xml/transform/dom/package-summary.html">javax.xml.transform.dom</a></li>
<li class="api apilevel-8">
<a href="../../../../reference/javax/xml/transform/sax/package-summary.html">javax.xml.transform.sax</a></li>
<li class="api apilevel-8">
<a href="../../../../reference/javax/xml/transform/stream/package-summary.html">javax.xml.transform.stream</a></li>
<li class="api apilevel-8">
<a href="../../../../reference/javax/xml/validation/package-summary.html">javax.xml.validation</a></li>
<li class="api apilevel-8">
<a href="../../../../reference/javax/xml/xpath/package-summary.html">javax.xml.xpath</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/junit/framework/package-summary.html">junit.framework</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/junit/runner/package-summary.html">junit.runner</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/package-summary.html">org.apache.http</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/auth/package-summary.html">org.apache.http.auth</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/auth/params/package-summary.html">org.apache.http.auth.params</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/client/package-summary.html">org.apache.http.client</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/client/entity/package-summary.html">org.apache.http.client.entity</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/client/methods/package-summary.html">org.apache.http.client.methods</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/client/params/package-summary.html">org.apache.http.client.params</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/client/protocol/package-summary.html">org.apache.http.client.protocol</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/client/utils/package-summary.html">org.apache.http.client.utils</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/conn/package-summary.html">org.apache.http.conn</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/conn/params/package-summary.html">org.apache.http.conn.params</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/conn/routing/package-summary.html">org.apache.http.conn.routing</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/conn/scheme/package-summary.html">org.apache.http.conn.scheme</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/conn/ssl/package-summary.html">org.apache.http.conn.ssl</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/conn/util/package-summary.html">org.apache.http.conn.util</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/cookie/package-summary.html">org.apache.http.cookie</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/cookie/params/package-summary.html">org.apache.http.cookie.params</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/entity/package-summary.html">org.apache.http.entity</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/impl/package-summary.html">org.apache.http.impl</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/impl/auth/package-summary.html">org.apache.http.impl.auth</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/impl/client/package-summary.html">org.apache.http.impl.client</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/impl/conn/package-summary.html">org.apache.http.impl.conn</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/impl/conn/tsccm/package-summary.html">org.apache.http.impl.conn.tsccm</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/impl/cookie/package-summary.html">org.apache.http.impl.cookie</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/impl/entity/package-summary.html">org.apache.http.impl.entity</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/impl/io/package-summary.html">org.apache.http.impl.io</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/io/package-summary.html">org.apache.http.io</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/message/package-summary.html">org.apache.http.message</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/params/package-summary.html">org.apache.http.params</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/protocol/package-summary.html">org.apache.http.protocol</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/apache/http/util/package-summary.html">org.apache.http.util</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/json/package-summary.html">org.json</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/w3c/dom/package-summary.html">org.w3c.dom</a></li>
<li class="api apilevel-8">
<a href="../../../../reference/org/w3c/dom/ls/package-summary.html">org.w3c.dom.ls</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/xml/sax/package-summary.html">org.xml.sax</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/xml/sax/ext/package-summary.html">org.xml.sax.ext</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/xml/sax/helpers/package-summary.html">org.xml.sax.helpers</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/xmlpull/v1/package-summary.html">org.xmlpull.v1</a></li>
<li class="api apilevel-1">
<a href="../../../../reference/org/xmlpull/v1/sax2/package-summary.html">org.xmlpull.v1.sax2</a></li>
</ul><br/>
</div> <!-- end packages-nav -->
</div> <!-- end resize-packages -->
<div id="classes-nav" class="scroll-pane">
<ul>
<li><h2>Interfaces</h2>
<ul>
<li class="api apilevel-1"><a href="../../../../reference/android/text/method/KeyListener.html">KeyListener</a></li>
<li class="api apilevel-1"><a href="../../../../reference/android/text/method/MovementMethod.html">MovementMethod</a></li>
<li class="api apilevel-1"><a href="../../../../reference/android/text/method/TransformationMethod.html">TransformationMethod</a></li>
</ul>
</li>
<li><h2>Classes</h2>
<ul>
<li class="selected api apilevel-1"><a href="../../../../reference/android/text/method/ArrowKeyMovementMethod.html">ArrowKeyMovementMethod</a></li>
<li class="api apilevel-1"><a href="../../../../reference/android/text/method/BaseKeyListener.html">BaseKeyListener</a></li>
<li class="api apilevel-11"><a href="../../../../reference/android/text/method/BaseMovementMethod.html">BaseMovementMethod</a></li>
<li class="api apilevel-1"><a href="../../../../reference/android/text/method/CharacterPickerDialog.html">CharacterPickerDialog</a></li>
<li class="api apilevel-1"><a href="../../../../reference/android/text/method/DateKeyListener.html">DateKeyListener</a></li>
<li class="api apilevel-1"><a href="../../../../reference/android/text/method/DateTimeKeyListener.html">DateTimeKeyListener</a></li>
<li class="api apilevel-1"><a href="../../../../reference/android/text/method/DialerKeyListener.html">DialerKeyListener</a></li>
<li class="api apilevel-1"><a href="../../../../reference/android/text/method/DigitsKeyListener.html">DigitsKeyListener</a></li>
<li class="api apilevel-1"><a href="../../../../reference/android/text/method/HideReturnsTransformationMethod.html">HideReturnsTransformationMethod</a></li>
<li class="api apilevel-1"><a href="../../../../reference/android/text/method/LinkMovementMethod.html">LinkMovementMethod</a></li>
<li class="api apilevel-1"><a href="../../../../reference/android/text/method/MetaKeyKeyListener.html">MetaKeyKeyListener</a></li>
<li class="api apilevel-1"><a href="../../../../reference/android/text/method/MultiTapKeyListener.html">MultiTapKeyListener</a></li>
<li class="api apilevel-1"><a href="../../../../reference/android/text/method/NumberKeyListener.html">NumberKeyListener</a></li>
<li class="api apilevel-1"><a href="../../../../reference/android/text/method/PasswordTransformationMethod.html">PasswordTransformationMethod</a></li>
<li class="api apilevel-1"><a href="../../../../reference/android/text/method/QwertyKeyListener.html">QwertyKeyListener</a></li>
<li class="api apilevel-1"><a href="../../../../reference/android/text/method/ReplacementTransformationMethod.html">ReplacementTransformationMethod</a></li>
<li class="api apilevel-1"><a href="../../../../reference/android/text/method/ScrollingMovementMethod.html">ScrollingMovementMethod</a></li>
<li class="api apilevel-1"><a href="../../../../reference/android/text/method/SingleLineTransformationMethod.html">SingleLineTransformationMethod</a></li>
<li class="api apilevel-1"><a href="../../../../reference/android/text/method/TextKeyListener.html">TextKeyListener</a></li>
<li class="api apilevel-1"><a href="../../../../reference/android/text/method/TimeKeyListener.html">TimeKeyListener</a></li>
<li class="api apilevel-1"><a href="../../../../reference/android/text/method/Touch.html">Touch</a></li>
</ul>
</li>
<li><h2>Enums</h2>
<ul>
<li class="api apilevel-1"><a href="../../../../reference/android/text/method/TextKeyListener.Capitalize.html">TextKeyListener.Capitalize</a></li>
</ul>
</li>
</ul><br/>
</div><!-- end classes -->
</div><!-- end nav-panels -->
<div id="nav-tree" style="display:none" class="scroll-pane">
<div id="tree-list"></div>
</div><!-- end nav-tree -->
</div><!-- end swapper -->
<div id="nav-swap">
<a class="fullscreen">fullscreen</a>
<a href='#' onclick='swapNav();return false;'><span id='tree-link'>Use Tree Navigation</span><span id='panel-link' style='display:none'>Use Panel Navigation</span></a>
</div>
</div> <!-- end devdoc-nav -->
</div> <!-- end side-nav -->
<script type="text/javascript">
// init fullscreen based on user pref
var fullscreen = readCookie("fullscreen");
if (fullscreen != 0) {
if (fullscreen == "false") {
toggleFullscreen(false);
} else {
toggleFullscreen(true);
}
}
// init nav version for mobile
if (isMobile) {
swapNav(); // tree view should be used on mobile
$('#nav-swap').hide();
} else {
chooseDefaultNav();
if ($("#nav-tree").is(':visible')) {
init_default_navtree("../../../../");
}
}
// scroll the selected page into view
$(document).ready(function() {
scrollIntoView("packages-nav");
scrollIntoView("classes-nav");
});
</script>
<div class="col-12" id="doc-col">
<div id="api-info-block">
<div class="sum-details-links">
Summary:
<a href="#pubctors">Ctors</a>
| <a href="#pubmethods">Methods</a>
| <a href="#promethods">Protected Methods</a>
| <a href="#inhmethods">Inherited Methods</a>
| <a href="#" onclick="return toggleAllClassInherited()" id="toggleAllClassInherited">[Expand All]</a>
</div><!-- end sum-details-links -->
<div class="api-level">
Added in <a href="../../../../guide/topics/manifest/uses-sdk-element.html#ApiLevels">API level 1</a>
</div>
</div><!-- end api-info-block -->
<!-- ======== START OF CLASS DATA ======== -->
<div id="jd-header">
public
class
<h1 itemprop="name">ArrowKeyMovementMethod</h1>
extends <a href="../../../../reference/android/text/method/BaseMovementMethod.html">BaseMovementMethod</a><br/>
implements
<a href="../../../../reference/android/text/method/MovementMethod.html">MovementMethod</a>
</div><!-- end header -->
<div id="naMessage"></div>
<div id="jd-content" class="api apilevel-1">
<table class="jd-inheritance-table">
<tr>
<td colspan="3" class="jd-inheritance-class-cell"><a href="../../../../reference/java/lang/Object.html">java.lang.Object</a></td>
</tr>
<tr>
<td class="jd-inheritance-space"> ↳</td>
<td colspan="2" class="jd-inheritance-class-cell"><a href="../../../../reference/android/text/method/BaseMovementMethod.html">android.text.method.BaseMovementMethod</a></td>
</tr>
<tr>
<td class="jd-inheritance-space"> </td>
<td class="jd-inheritance-space"> ↳</td>
<td colspan="1" class="jd-inheritance-class-cell">android.text.method.ArrowKeyMovementMethod</td>
</tr>
</table>
<div class="jd-descr">
<h2>Class Overview</h2>
<p itemprop="articleBody">A movement method that provides cursor movement and selection.
Supports displaying the context menu on DPad Center.
</p>
</div><!-- jd-descr -->
<div class="jd-descr">
<h2>Summary</h2>
<!-- ======== CONSTRUCTOR SUMMARY ======== -->
<table id="pubctors" class="jd-sumtable"><tr><th colspan="12">Public Constructors</th></tr>
<tr class="alt-color api apilevel-1" >
<td class="jd-typecol"><nobr>
</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/ArrowKeyMovementMethod.html#ArrowKeyMovementMethod()">ArrowKeyMovementMethod</a></span>()</nobr>
</td></tr>
</table>
<!-- ========== METHOD SUMMARY =========== -->
<table id="pubmethods" class="jd-sumtable"><tr><th colspan="12">Public Methods</th></tr>
<tr class="alt-color api apilevel-1" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/ArrowKeyMovementMethod.html#canSelectArbitrarily()">canSelectArbitrarily</a></span>()</nobr>
<div class="jd-descrdiv">Returns true if this movement method allows arbitrary selection
of any text; false if it has no selection (like a movement method
that only scrolls) or a constrained selection (for example
limited to links.</div>
</td></tr>
<tr class=" api apilevel-1" >
<td class="jd-typecol"><nobr>
static
<a href="../../../../reference/android/text/method/MovementMethod.html">MovementMethod</a></nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/ArrowKeyMovementMethod.html#getInstance()">getInstance</a></span>()</nobr>
</td></tr>
<tr class="alt-color api apilevel-1" >
<td class="jd-typecol"><nobr>
void</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/ArrowKeyMovementMethod.html#initialize(android.widget.TextView, android.text.Spannable)">initialize</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> text)</nobr>
</td></tr>
<tr class=" api apilevel-1" >
<td class="jd-typecol"><nobr>
void</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/ArrowKeyMovementMethod.html#onTakeFocus(android.widget.TextView, android.text.Spannable, int)">onTakeFocus</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> view, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> text, int dir)</nobr>
</td></tr>
<tr class="alt-color api apilevel-1" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/ArrowKeyMovementMethod.html#onTouchEvent(android.widget.TextView, android.text.Spannable, android.view.MotionEvent)">onTouchEvent</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer, <a href="../../../../reference/android/view/MotionEvent.html">MotionEvent</a> event)</nobr>
</td></tr>
</table>
<!-- ========== METHOD SUMMARY =========== -->
<table id="promethods" class="jd-sumtable"><tr><th colspan="12">Protected Methods</th></tr>
<tr class="alt-color api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/ArrowKeyMovementMethod.html#bottom(android.widget.TextView, android.text.Spannable)">bottom</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</nobr>
<div class="jd-descrdiv">Performs a bottom movement action.</div>
</td></tr>
<tr class=" api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/ArrowKeyMovementMethod.html#down(android.widget.TextView, android.text.Spannable)">down</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</nobr>
<div class="jd-descrdiv">Performs a down movement action.</div>
</td></tr>
<tr class="alt-color api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/ArrowKeyMovementMethod.html#end(android.widget.TextView, android.text.Spannable)">end</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</nobr>
<div class="jd-descrdiv">Performs an end movement action.</div>
</td></tr>
<tr class=" api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/ArrowKeyMovementMethod.html#handleMovementKey(android.widget.TextView, android.text.Spannable, int, int, android.view.KeyEvent)">handleMovementKey</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer, int keyCode, int movementMetaState, <a href="../../../../reference/android/view/KeyEvent.html">KeyEvent</a> event)</nobr>
<div class="jd-descrdiv">Performs a movement key action.</div>
</td></tr>
<tr class="alt-color api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/ArrowKeyMovementMethod.html#home(android.widget.TextView, android.text.Spannable)">home</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</nobr>
<div class="jd-descrdiv">Performs a home movement action.</div>
</td></tr>
<tr class=" api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/ArrowKeyMovementMethod.html#left(android.widget.TextView, android.text.Spannable)">left</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</nobr>
<div class="jd-descrdiv">Performs a left movement action.</div>
</td></tr>
<tr class="alt-color api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/ArrowKeyMovementMethod.html#lineEnd(android.widget.TextView, android.text.Spannable)">lineEnd</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</nobr>
<div class="jd-descrdiv">Performs a line-end movement action.</div>
</td></tr>
<tr class=" api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/ArrowKeyMovementMethod.html#lineStart(android.widget.TextView, android.text.Spannable)">lineStart</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</nobr>
<div class="jd-descrdiv">Performs a line-start movement action.</div>
</td></tr>
<tr class="alt-color api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/ArrowKeyMovementMethod.html#pageDown(android.widget.TextView, android.text.Spannable)">pageDown</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</nobr>
<div class="jd-descrdiv">Performs a page-down movement action.</div>
</td></tr>
<tr class=" api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/ArrowKeyMovementMethod.html#pageUp(android.widget.TextView, android.text.Spannable)">pageUp</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</nobr>
<div class="jd-descrdiv">Performs a page-up movement action.</div>
</td></tr>
<tr class="alt-color api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/ArrowKeyMovementMethod.html#right(android.widget.TextView, android.text.Spannable)">right</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</nobr>
<div class="jd-descrdiv">Performs a right movement action.</div>
</td></tr>
<tr class=" api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/ArrowKeyMovementMethod.html#top(android.widget.TextView, android.text.Spannable)">top</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</nobr>
<div class="jd-descrdiv">Performs a top movement action.</div>
</td></tr>
<tr class="alt-color api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/ArrowKeyMovementMethod.html#up(android.widget.TextView, android.text.Spannable)">up</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</nobr>
<div class="jd-descrdiv">Performs an up movement action.</div>
</td></tr>
</table>
<!-- ========== METHOD SUMMARY =========== -->
<table id="inhmethods" class="jd-sumtable"><tr><th>
<a href="#" class="toggle-all" onclick="return toggleAllInherited(this, null)">[Expand]</a>
<div style="clear:left;">Inherited Methods</div></th></tr>
<tr class="api apilevel-" >
<td colspan="12">
<a href="#" onclick="return toggleInherited(this, null)" id="inherited-methods-android.text.method.BaseMovementMethod" class="jd-expando-trigger closed"
><img id="inherited-methods-android.text.method.BaseMovementMethod-trigger"
src="../../../../assets/images/triangle-closed.png"
class="jd-expando-trigger-img" /></a>
From class
<a href="../../../../reference/android/text/method/BaseMovementMethod.html">android.text.method.BaseMovementMethod</a>
<div id="inherited-methods-android.text.method.BaseMovementMethod">
<div id="inherited-methods-android.text.method.BaseMovementMethod-list"
class="jd-inheritedlinks">
</div>
<div id="inherited-methods-android.text.method.BaseMovementMethod-summary" style="display: none;">
<table class="jd-sumtable-expando">
<tr class="alt-color api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/BaseMovementMethod.html#bottom(android.widget.TextView, android.text.Spannable)">bottom</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</nobr>
<div class="jd-descrdiv">Performs a bottom movement action.</div>
</td></tr>
<tr class=" api apilevel-1" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/BaseMovementMethod.html#canSelectArbitrarily()">canSelectArbitrarily</a></span>()</nobr>
<div class="jd-descrdiv">Returns true if this movement method allows arbitrary selection
of any text; false if it has no selection (like a movement method
that only scrolls) or a constrained selection (for example
limited to links.</div>
</td></tr>
<tr class="alt-color api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/BaseMovementMethod.html#down(android.widget.TextView, android.text.Spannable)">down</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</nobr>
<div class="jd-descrdiv">Performs a down movement action.</div>
</td></tr>
<tr class=" api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/BaseMovementMethod.html#end(android.widget.TextView, android.text.Spannable)">end</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</nobr>
<div class="jd-descrdiv">Performs an end movement action.</div>
</td></tr>
<tr class="alt-color api apilevel-11" >
<td class="jd-typecol"><nobr>
int</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/BaseMovementMethod.html#getMovementMetaState(android.text.Spannable, android.view.KeyEvent)">getMovementMetaState</a></span>(<a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer, <a href="../../../../reference/android/view/KeyEvent.html">KeyEvent</a> event)</nobr>
<div class="jd-descrdiv">Gets the meta state used for movement using the modifiers tracked by the text
buffer as well as those present in the key event.</div>
</td></tr>
<tr class=" api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/BaseMovementMethod.html#handleMovementKey(android.widget.TextView, android.text.Spannable, int, int, android.view.KeyEvent)">handleMovementKey</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer, int keyCode, int movementMetaState, <a href="../../../../reference/android/view/KeyEvent.html">KeyEvent</a> event)</nobr>
<div class="jd-descrdiv">Performs a movement key action.</div>
</td></tr>
<tr class="alt-color api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/BaseMovementMethod.html#home(android.widget.TextView, android.text.Spannable)">home</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</nobr>
<div class="jd-descrdiv">Performs a home movement action.</div>
</td></tr>
<tr class=" api apilevel-1" >
<td class="jd-typecol"><nobr>
void</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/BaseMovementMethod.html#initialize(android.widget.TextView, android.text.Spannable)">initialize</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> text)</nobr>
</td></tr>
<tr class="alt-color api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/BaseMovementMethod.html#left(android.widget.TextView, android.text.Spannable)">left</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</nobr>
<div class="jd-descrdiv">Performs a left movement action.</div>
</td></tr>
<tr class=" api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/BaseMovementMethod.html#lineEnd(android.widget.TextView, android.text.Spannable)">lineEnd</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</nobr>
<div class="jd-descrdiv">Performs a line-end movement action.</div>
</td></tr>
<tr class="alt-color api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/BaseMovementMethod.html#lineStart(android.widget.TextView, android.text.Spannable)">lineStart</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</nobr>
<div class="jd-descrdiv">Performs a line-start movement action.</div>
</td></tr>
<tr class=" api apilevel-12" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/BaseMovementMethod.html#onGenericMotionEvent(android.widget.TextView, android.text.Spannable, android.view.MotionEvent)">onGenericMotionEvent</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> text, <a href="../../../../reference/android/view/MotionEvent.html">MotionEvent</a> event)</nobr>
</td></tr>
<tr class="alt-color api apilevel-1" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/BaseMovementMethod.html#onKeyDown(android.widget.TextView, android.text.Spannable, int, android.view.KeyEvent)">onKeyDown</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> text, int keyCode, <a href="../../../../reference/android/view/KeyEvent.html">KeyEvent</a> event)</nobr>
</td></tr>
<tr class=" api apilevel-3" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/BaseMovementMethod.html#onKeyOther(android.widget.TextView, android.text.Spannable, android.view.KeyEvent)">onKeyOther</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> text, <a href="../../../../reference/android/view/KeyEvent.html">KeyEvent</a> event)</nobr>
<div class="jd-descrdiv">If the key listener wants to other kinds of key events, return true,
otherwise return false and the caller (i.e.</div>
</td></tr>
<tr class="alt-color api apilevel-1" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/BaseMovementMethod.html#onKeyUp(android.widget.TextView, android.text.Spannable, int, android.view.KeyEvent)">onKeyUp</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> text, int keyCode, <a href="../../../../reference/android/view/KeyEvent.html">KeyEvent</a> event)</nobr>
</td></tr>
<tr class=" api apilevel-11" >
<td class="jd-typecol"><nobr>
void</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/BaseMovementMethod.html#onTakeFocus(android.widget.TextView, android.text.Spannable, int)">onTakeFocus</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> text, int direction)</nobr>
</td></tr>
<tr class="alt-color api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/BaseMovementMethod.html#onTouchEvent(android.widget.TextView, android.text.Spannable, android.view.MotionEvent)">onTouchEvent</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> text, <a href="../../../../reference/android/view/MotionEvent.html">MotionEvent</a> event)</nobr>
</td></tr>
<tr class=" api apilevel-1" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/BaseMovementMethod.html#onTrackballEvent(android.widget.TextView, android.text.Spannable, android.view.MotionEvent)">onTrackballEvent</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> text, <a href="../../../../reference/android/view/MotionEvent.html">MotionEvent</a> event)</nobr>
</td></tr>
<tr class="alt-color api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/BaseMovementMethod.html#pageDown(android.widget.TextView, android.text.Spannable)">pageDown</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</nobr>
<div class="jd-descrdiv">Performs a page-down movement action.</div>
</td></tr>
<tr class=" api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/BaseMovementMethod.html#pageUp(android.widget.TextView, android.text.Spannable)">pageUp</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</nobr>
<div class="jd-descrdiv">Performs a page-up movement action.</div>
</td></tr>
<tr class="alt-color api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/BaseMovementMethod.html#right(android.widget.TextView, android.text.Spannable)">right</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</nobr>
<div class="jd-descrdiv">Performs a right movement action.</div>
</td></tr>
<tr class=" api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/BaseMovementMethod.html#top(android.widget.TextView, android.text.Spannable)">top</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</nobr>
<div class="jd-descrdiv">Performs a top movement action.</div>
</td></tr>
<tr class="alt-color api apilevel-11" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/BaseMovementMethod.html#up(android.widget.TextView, android.text.Spannable)">up</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</nobr>
<div class="jd-descrdiv">Performs an up movement action.</div>
</td></tr>
</table>
</div>
</div>
</td></tr>
<tr class="api apilevel-" >
<td colspan="12">
<a href="#" onclick="return toggleInherited(this, null)" id="inherited-methods-java.lang.Object" class="jd-expando-trigger closed"
><img id="inherited-methods-java.lang.Object-trigger"
src="../../../../assets/images/triangle-closed.png"
class="jd-expando-trigger-img" /></a>
From class
<a href="../../../../reference/java/lang/Object.html">java.lang.Object</a>
<div id="inherited-methods-java.lang.Object">
<div id="inherited-methods-java.lang.Object-list"
class="jd-inheritedlinks">
</div>
<div id="inherited-methods-java.lang.Object-summary" style="display: none;">
<table class="jd-sumtable-expando">
<tr class="alt-color api apilevel-1" >
<td class="jd-typecol"><nobr>
<a href="../../../../reference/java/lang/Object.html">Object</a></nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/java/lang/Object.html#clone()">clone</a></span>()</nobr>
<div class="jd-descrdiv">Creates and returns a copy of this <code>Object</code>.</div>
</td></tr>
<tr class=" api apilevel-1" >
<td class="jd-typecol"><nobr>
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/java/lang/Object.html#equals(java.lang.Object)">equals</a></span>(<a href="../../../../reference/java/lang/Object.html">Object</a> o)</nobr>
<div class="jd-descrdiv">Compares this instance with the specified object and indicates if they
are equal.</div>
</td></tr>
<tr class="alt-color api apilevel-1" >
<td class="jd-typecol"><nobr>
void</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/java/lang/Object.html#finalize()">finalize</a></span>()</nobr>
<div class="jd-descrdiv">Invoked when the garbage collector has detected that this instance is no longer reachable.</div>
</td></tr>
<tr class=" api apilevel-1" >
<td class="jd-typecol"><nobr>
final
<a href="../../../../reference/java/lang/Class.html">Class</a><?></nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/java/lang/Object.html#getClass()">getClass</a></span>()</nobr>
<div class="jd-descrdiv">Returns the unique instance of <code><a href="../../../../reference/java/lang/Class.html">Class</a></code> that represents this
object's class.</div>
</td></tr>
<tr class="alt-color api apilevel-1" >
<td class="jd-typecol"><nobr>
int</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/java/lang/Object.html#hashCode()">hashCode</a></span>()</nobr>
<div class="jd-descrdiv">Returns an integer hash code for this object.</div>
</td></tr>
<tr class=" api apilevel-1" >
<td class="jd-typecol"><nobr>
final
void</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/java/lang/Object.html#notify()">notify</a></span>()</nobr>
<div class="jd-descrdiv">Causes a thread which is waiting on this object's monitor (by means of
calling one of the <code>wait()</code> methods) to be woken up.</div>
</td></tr>
<tr class="alt-color api apilevel-1" >
<td class="jd-typecol"><nobr>
final
void</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/java/lang/Object.html#notifyAll()">notifyAll</a></span>()</nobr>
<div class="jd-descrdiv">Causes all threads which are waiting on this object's monitor (by means
of calling one of the <code>wait()</code> methods) to be woken up.</div>
</td></tr>
<tr class=" api apilevel-1" >
<td class="jd-typecol"><nobr>
<a href="../../../../reference/java/lang/String.html">String</a></nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/java/lang/Object.html#toString()">toString</a></span>()</nobr>
<div class="jd-descrdiv">Returns a string containing a concise, human-readable description of this
object.</div>
</td></tr>
<tr class="alt-color api apilevel-1" >
<td class="jd-typecol"><nobr>
final
void</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/java/lang/Object.html#wait()">wait</a></span>()</nobr>
<div class="jd-descrdiv">Causes the calling thread to wait until another thread calls the <code>notify()</code> or <code>notifyAll()</code> method of this object.</div>
</td></tr>
<tr class=" api apilevel-1" >
<td class="jd-typecol"><nobr>
final
void</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/java/lang/Object.html#wait(long, int)">wait</a></span>(long millis, int nanos)</nobr>
<div class="jd-descrdiv">Causes the calling thread to wait until another thread calls the <code>notify()</code> or <code>notifyAll()</code> method of this object or until the
specified timeout expires.</div>
</td></tr>
<tr class="alt-color api apilevel-1" >
<td class="jd-typecol"><nobr>
final
void</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/java/lang/Object.html#wait(long)">wait</a></span>(long millis)</nobr>
<div class="jd-descrdiv">Causes the calling thread to wait until another thread calls the <code>notify()</code> or <code>notifyAll()</code> method of this object or until the
specified timeout expires.</div>
</td></tr>
</table>
</div>
</div>
</td></tr>
<tr class="api apilevel-" >
<td colspan="12">
<a href="#" onclick="return toggleInherited(this, null)" id="inherited-methods-android.text.method.MovementMethod" class="jd-expando-trigger closed"
><img id="inherited-methods-android.text.method.MovementMethod-trigger"
src="../../../../assets/images/triangle-closed.png"
class="jd-expando-trigger-img" /></a>
From interface
<a href="../../../../reference/android/text/method/MovementMethod.html">android.text.method.MovementMethod</a>
<div id="inherited-methods-android.text.method.MovementMethod">
<div id="inherited-methods-android.text.method.MovementMethod-list"
class="jd-inheritedlinks">
</div>
<div id="inherited-methods-android.text.method.MovementMethod-summary" style="display: none;">
<table class="jd-sumtable-expando">
<tr class="alt-color api apilevel-1" >
<td class="jd-typecol"><nobr>
abstract
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/MovementMethod.html#canSelectArbitrarily()">canSelectArbitrarily</a></span>()</nobr>
<div class="jd-descrdiv">Returns true if this movement method allows arbitrary selection
of any text; false if it has no selection (like a movement method
that only scrolls) or a constrained selection (for example
limited to links.</div>
</td></tr>
<tr class=" api apilevel-1" >
<td class="jd-typecol"><nobr>
abstract
void</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/MovementMethod.html#initialize(android.widget.TextView, android.text.Spannable)">initialize</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> text)</nobr>
</td></tr>
<tr class="alt-color api apilevel-12" >
<td class="jd-typecol"><nobr>
abstract
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/MovementMethod.html#onGenericMotionEvent(android.widget.TextView, android.text.Spannable, android.view.MotionEvent)">onGenericMotionEvent</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> text, <a href="../../../../reference/android/view/MotionEvent.html">MotionEvent</a> event)</nobr>
</td></tr>
<tr class=" api apilevel-1" >
<td class="jd-typecol"><nobr>
abstract
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/MovementMethod.html#onKeyDown(android.widget.TextView, android.text.Spannable, int, android.view.KeyEvent)">onKeyDown</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> text, int keyCode, <a href="../../../../reference/android/view/KeyEvent.html">KeyEvent</a> event)</nobr>
</td></tr>
<tr class="alt-color api apilevel-3" >
<td class="jd-typecol"><nobr>
abstract
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/MovementMethod.html#onKeyOther(android.widget.TextView, android.text.Spannable, android.view.KeyEvent)">onKeyOther</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> view, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> text, <a href="../../../../reference/android/view/KeyEvent.html">KeyEvent</a> event)</nobr>
<div class="jd-descrdiv">If the key listener wants to other kinds of key events, return true,
otherwise return false and the caller (i.e.</div>
</td></tr>
<tr class=" api apilevel-1" >
<td class="jd-typecol"><nobr>
abstract
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/MovementMethod.html#onKeyUp(android.widget.TextView, android.text.Spannable, int, android.view.KeyEvent)">onKeyUp</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> text, int keyCode, <a href="../../../../reference/android/view/KeyEvent.html">KeyEvent</a> event)</nobr>
</td></tr>
<tr class="alt-color api apilevel-1" >
<td class="jd-typecol"><nobr>
abstract
void</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/MovementMethod.html#onTakeFocus(android.widget.TextView, android.text.Spannable, int)">onTakeFocus</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> text, int direction)</nobr>
</td></tr>
<tr class=" api apilevel-1" >
<td class="jd-typecol"><nobr>
abstract
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/MovementMethod.html#onTouchEvent(android.widget.TextView, android.text.Spannable, android.view.MotionEvent)">onTouchEvent</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> text, <a href="../../../../reference/android/view/MotionEvent.html">MotionEvent</a> event)</nobr>
</td></tr>
<tr class="alt-color api apilevel-1" >
<td class="jd-typecol"><nobr>
abstract
boolean</nobr>
</td>
<td class="jd-linkcol" width="100%"><nobr>
<span class="sympad"><a href="../../../../reference/android/text/method/MovementMethod.html#onTrackballEvent(android.widget.TextView, android.text.Spannable, android.view.MotionEvent)">onTrackballEvent</a></span>(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> text, <a href="../../../../reference/android/view/MotionEvent.html">MotionEvent</a> event)</nobr>
</td></tr>
</table>
</div>
</div>
</td></tr>
</table>
</div><!-- jd-descr (summary) -->
<!-- Details -->
<!-- XML Attributes -->
<!-- Enum Values -->
<!-- Constants -->
<!-- Fields -->
<!-- Public ctors -->
<!-- ========= CONSTRUCTOR DETAIL ======== -->
<h2>Public Constructors</h2>
<A NAME="ArrowKeyMovementMethod()"></A>
<div class="jd-details api apilevel-1">
<h4 class="jd-details-title">
<span class="normal">
public
</span>
<span class="sympad">ArrowKeyMovementMethod</span>
<span class="normal">()</span>
</h4>
<div class="api-level">
<div>
Added in <a href="../../../../guide/topics/manifest/uses-sdk-element.html#ApiLevels">API level 1</a></div>
</div>
<div class="jd-details-descr">
<div class="jd-tagdata jd-tagdescr"><p></p></div>
</div>
</div>
<!-- ========= CONSTRUCTOR DETAIL ======== -->
<!-- Protected ctors -->
<!-- ========= METHOD DETAIL ======== -->
<!-- Public methdos -->
<h2>Public Methods</h2>
<A NAME="canSelectArbitrarily()"></A>
<div class="jd-details api apilevel-1">
<h4 class="jd-details-title">
<span class="normal">
public
boolean
</span>
<span class="sympad">canSelectArbitrarily</span>
<span class="normal">()</span>
</h4>
<div class="api-level">
<div>
Added in <a href="../../../../guide/topics/manifest/uses-sdk-element.html#ApiLevels">API level 1</a></div>
</div>
<div class="jd-details-descr">
<div class="jd-tagdata jd-tagdescr"><p>Returns true if this movement method allows arbitrary selection
of any text; false if it has no selection (like a movement method
that only scrolls) or a constrained selection (for example
limited to links. The "Select All" menu item is disabled
if arbitrary selection is not allowed.
</p></div>
</div>
</div>
<A NAME="getInstance()"></A>
<div class="jd-details api apilevel-1">
<h4 class="jd-details-title">
<span class="normal">
public
static
<a href="../../../../reference/android/text/method/MovementMethod.html">MovementMethod</a>
</span>
<span class="sympad">getInstance</span>
<span class="normal">()</span>
</h4>
<div class="api-level">
<div>
Added in <a href="../../../../guide/topics/manifest/uses-sdk-element.html#ApiLevels">API level 1</a></div>
</div>
<div class="jd-details-descr">
<div class="jd-tagdata jd-tagdescr"><p></p></div>
</div>
</div>
<A NAME="initialize(android.widget.TextView, android.text.Spannable)"></A>
<div class="jd-details api apilevel-1">
<h4 class="jd-details-title">
<span class="normal">
public
void
</span>
<span class="sympad">initialize</span>
<span class="normal">(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> text)</span>
</h4>
<div class="api-level">
<div>
Added in <a href="../../../../guide/topics/manifest/uses-sdk-element.html#ApiLevels">API level 1</a></div>
</div>
<div class="jd-details-descr">
<div class="jd-tagdata jd-tagdescr"><p></p></div>
</div>
</div>
<A NAME="onTakeFocus(android.widget.TextView, android.text.Spannable, int)"></A>
<div class="jd-details api apilevel-1">
<h4 class="jd-details-title">
<span class="normal">
public
void
</span>
<span class="sympad">onTakeFocus</span>
<span class="normal">(<a href="../../../../reference/android/widget/TextView.html">TextView</a> view, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> text, int dir)</span>
</h4>
<div class="api-level">
<div>
Added in <a href="../../../../guide/topics/manifest/uses-sdk-element.html#ApiLevels">API level 1</a></div>
</div>
<div class="jd-details-descr">
<div class="jd-tagdata jd-tagdescr"><p></p></div>
</div>
</div>
<A NAME="onTouchEvent(android.widget.TextView, android.text.Spannable, android.view.MotionEvent)"></A>
<div class="jd-details api apilevel-1">
<h4 class="jd-details-title">
<span class="normal">
public
boolean
</span>
<span class="sympad">onTouchEvent</span>
<span class="normal">(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer, <a href="../../../../reference/android/view/MotionEvent.html">MotionEvent</a> event)</span>
</h4>
<div class="api-level">
<div>
Added in <a href="../../../../guide/topics/manifest/uses-sdk-element.html#ApiLevels">API level 1</a></div>
</div>
<div class="jd-details-descr">
<div class="jd-tagdata jd-tagdescr"><p></p></div>
</div>
</div>
<!-- ========= METHOD DETAIL ======== -->
<h2>Protected Methods</h2>
<A NAME="bottom(android.widget.TextView, android.text.Spannable)"></A>
<div class="jd-details api apilevel-11">
<h4 class="jd-details-title">
<span class="normal">
protected
boolean
</span>
<span class="sympad">bottom</span>
<span class="normal">(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</span>
</h4>
<div class="api-level">
<div>
Added in <a href="../../../../guide/topics/manifest/uses-sdk-element.html#ApiLevels">API level 11</a></div>
</div>
<div class="jd-details-descr">
<div class="jd-tagdata jd-tagdescr"><p>Performs a bottom movement action.
Moves the cursor or scrolls to the bottom of the buffer.</p></div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Parameters</h5>
<table class="jd-tagtable">
<tr>
<th>widget</td>
<td>The text view.</td>
</tr>
<tr>
<th>buffer</td>
<td>The text buffer.</td>
</tr>
</table>
</div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Returns</h5>
<ul class="nolist"><li>True if the event was handled.
</li></ul>
</div>
</div>
</div>
<A NAME="down(android.widget.TextView, android.text.Spannable)"></A>
<div class="jd-details api apilevel-11">
<h4 class="jd-details-title">
<span class="normal">
protected
boolean
</span>
<span class="sympad">down</span>
<span class="normal">(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</span>
</h4>
<div class="api-level">
<div>
Added in <a href="../../../../guide/topics/manifest/uses-sdk-element.html#ApiLevels">API level 11</a></div>
</div>
<div class="jd-details-descr">
<div class="jd-tagdata jd-tagdescr"><p>Performs a down movement action.
Moves the cursor or scrolls down by one line.</p></div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Parameters</h5>
<table class="jd-tagtable">
<tr>
<th>widget</td>
<td>The text view.</td>
</tr>
<tr>
<th>buffer</td>
<td>The text buffer.</td>
</tr>
</table>
</div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Returns</h5>
<ul class="nolist"><li>True if the event was handled.
</li></ul>
</div>
</div>
</div>
<A NAME="end(android.widget.TextView, android.text.Spannable)"></A>
<div class="jd-details api apilevel-11">
<h4 class="jd-details-title">
<span class="normal">
protected
boolean
</span>
<span class="sympad">end</span>
<span class="normal">(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</span>
</h4>
<div class="api-level">
<div>
Added in <a href="../../../../guide/topics/manifest/uses-sdk-element.html#ApiLevels">API level 11</a></div>
</div>
<div class="jd-details-descr">
<div class="jd-tagdata jd-tagdescr"><p>Performs an end movement action.
Moves the cursor or scrolls to the start of the line or to the top of the
document depending on whether the insertion point is being moved or
the document is being scrolled.</p></div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Parameters</h5>
<table class="jd-tagtable">
<tr>
<th>widget</td>
<td>The text view.</td>
</tr>
<tr>
<th>buffer</td>
<td>The text buffer.</td>
</tr>
</table>
</div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Returns</h5>
<ul class="nolist"><li>True if the event was handled.
</li></ul>
</div>
</div>
</div>
<A NAME="handleMovementKey(android.widget.TextView, android.text.Spannable, int, int, android.view.KeyEvent)"></A>
<div class="jd-details api apilevel-11">
<h4 class="jd-details-title">
<span class="normal">
protected
boolean
</span>
<span class="sympad">handleMovementKey</span>
<span class="normal">(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer, int keyCode, int movementMetaState, <a href="../../../../reference/android/view/KeyEvent.html">KeyEvent</a> event)</span>
</h4>
<div class="api-level">
<div>
Added in <a href="../../../../guide/topics/manifest/uses-sdk-element.html#ApiLevels">API level 11</a></div>
</div>
<div class="jd-details-descr">
<div class="jd-tagdata jd-tagdescr"><p>Performs a movement key action.
The default implementation decodes the key down and invokes movement actions
such as <code><a href="../../../../reference/android/text/method/BaseMovementMethod.html#down(android.widget.TextView, android.text.Spannable)">down(TextView, Spannable)</a></code> and <code><a href="../../../../reference/android/text/method/BaseMovementMethod.html#up(android.widget.TextView, android.text.Spannable)">up(TextView, Spannable)</a></code>.
<code><a href="../../../../reference/android/text/method/BaseMovementMethod.html#onKeyDown(android.widget.TextView, android.text.Spannable, int, android.view.KeyEvent)">onKeyDown(TextView, Spannable, int, KeyEvent)</a></code> calls this method once
to handle an <code><a href="../../../../reference/android/view/KeyEvent.html#ACTION_DOWN">ACTION_DOWN</a></code>.
<code><a href="../../../../reference/android/text/method/BaseMovementMethod.html#onKeyOther(android.widget.TextView, android.text.Spannable, android.view.KeyEvent)">onKeyOther(TextView, Spannable, KeyEvent)</a></code> calls this method repeatedly
to handle each repetition of an <code><a href="../../../../reference/android/view/KeyEvent.html#ACTION_MULTIPLE">ACTION_MULTIPLE</a></code>.</p></div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Parameters</h5>
<table class="jd-tagtable">
<tr>
<th>widget</td>
<td>The text view.</td>
</tr>
<tr>
<th>buffer</td>
<td>The text buffer.</td>
</tr>
<tr>
<th>keyCode</td>
<td>The key code.</td>
</tr>
<tr>
<th>movementMetaState</td>
<td>The keyboard meta states used for movement.</td>
</tr>
<tr>
<th>event</td>
<td>The key event.</td>
</tr>
</table>
</div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Returns</h5>
<ul class="nolist"><li>True if the event was handled.
</li></ul>
</div>
</div>
</div>
<A NAME="home(android.widget.TextView, android.text.Spannable)"></A>
<div class="jd-details api apilevel-11">
<h4 class="jd-details-title">
<span class="normal">
protected
boolean
</span>
<span class="sympad">home</span>
<span class="normal">(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</span>
</h4>
<div class="api-level">
<div>
Added in <a href="../../../../guide/topics/manifest/uses-sdk-element.html#ApiLevels">API level 11</a></div>
</div>
<div class="jd-details-descr">
<div class="jd-tagdata jd-tagdescr"><p>Performs a home movement action.
Moves the cursor or scrolls to the start of the line or to the top of the
document depending on whether the insertion point is being moved or
the document is being scrolled.</p></div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Parameters</h5>
<table class="jd-tagtable">
<tr>
<th>widget</td>
<td>The text view.</td>
</tr>
<tr>
<th>buffer</td>
<td>The text buffer.</td>
</tr>
</table>
</div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Returns</h5>
<ul class="nolist"><li>True if the event was handled.
</li></ul>
</div>
</div>
</div>
<A NAME="left(android.widget.TextView, android.text.Spannable)"></A>
<div class="jd-details api apilevel-11">
<h4 class="jd-details-title">
<span class="normal">
protected
boolean
</span>
<span class="sympad">left</span>
<span class="normal">(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</span>
</h4>
<div class="api-level">
<div>
Added in <a href="../../../../guide/topics/manifest/uses-sdk-element.html#ApiLevels">API level 11</a></div>
</div>
<div class="jd-details-descr">
<div class="jd-tagdata jd-tagdescr"><p>Performs a left movement action.
Moves the cursor or scrolls left by one character.</p></div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Parameters</h5>
<table class="jd-tagtable">
<tr>
<th>widget</td>
<td>The text view.</td>
</tr>
<tr>
<th>buffer</td>
<td>The text buffer.</td>
</tr>
</table>
</div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Returns</h5>
<ul class="nolist"><li>True if the event was handled.
</li></ul>
</div>
</div>
</div>
<A NAME="lineEnd(android.widget.TextView, android.text.Spannable)"></A>
<div class="jd-details api apilevel-11">
<h4 class="jd-details-title">
<span class="normal">
protected
boolean
</span>
<span class="sympad">lineEnd</span>
<span class="normal">(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</span>
</h4>
<div class="api-level">
<div>
Added in <a href="../../../../guide/topics/manifest/uses-sdk-element.html#ApiLevels">API level 11</a></div>
</div>
<div class="jd-details-descr">
<div class="jd-tagdata jd-tagdescr"><p>Performs a line-end movement action.
Moves the cursor or scrolls to the end of the line.</p></div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Parameters</h5>
<table class="jd-tagtable">
<tr>
<th>widget</td>
<td>The text view.</td>
</tr>
<tr>
<th>buffer</td>
<td>The text buffer.</td>
</tr>
</table>
</div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Returns</h5>
<ul class="nolist"><li>True if the event was handled.
</li></ul>
</div>
</div>
</div>
<A NAME="lineStart(android.widget.TextView, android.text.Spannable)"></A>
<div class="jd-details api apilevel-11">
<h4 class="jd-details-title">
<span class="normal">
protected
boolean
</span>
<span class="sympad">lineStart</span>
<span class="normal">(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</span>
</h4>
<div class="api-level">
<div>
Added in <a href="../../../../guide/topics/manifest/uses-sdk-element.html#ApiLevels">API level 11</a></div>
</div>
<div class="jd-details-descr">
<div class="jd-tagdata jd-tagdescr"><p>Performs a line-start movement action.
Moves the cursor or scrolls to the start of the line.</p></div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Parameters</h5>
<table class="jd-tagtable">
<tr>
<th>widget</td>
<td>The text view.</td>
</tr>
<tr>
<th>buffer</td>
<td>The text buffer.</td>
</tr>
</table>
</div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Returns</h5>
<ul class="nolist"><li>True if the event was handled.
</li></ul>
</div>
</div>
</div>
<A NAME="pageDown(android.widget.TextView, android.text.Spannable)"></A>
<div class="jd-details api apilevel-11">
<h4 class="jd-details-title">
<span class="normal">
protected
boolean
</span>
<span class="sympad">pageDown</span>
<span class="normal">(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</span>
</h4>
<div class="api-level">
<div>
Added in <a href="../../../../guide/topics/manifest/uses-sdk-element.html#ApiLevels">API level 11</a></div>
</div>
<div class="jd-details-descr">
<div class="jd-tagdata jd-tagdescr"><p>Performs a page-down movement action.
Moves the cursor or scrolls down by one page.</p></div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Parameters</h5>
<table class="jd-tagtable">
<tr>
<th>widget</td>
<td>The text view.</td>
</tr>
<tr>
<th>buffer</td>
<td>The text buffer.</td>
</tr>
</table>
</div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Returns</h5>
<ul class="nolist"><li>True if the event was handled.
</li></ul>
</div>
</div>
</div>
<A NAME="pageUp(android.widget.TextView, android.text.Spannable)"></A>
<div class="jd-details api apilevel-11">
<h4 class="jd-details-title">
<span class="normal">
protected
boolean
</span>
<span class="sympad">pageUp</span>
<span class="normal">(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</span>
</h4>
<div class="api-level">
<div>
Added in <a href="../../../../guide/topics/manifest/uses-sdk-element.html#ApiLevels">API level 11</a></div>
</div>
<div class="jd-details-descr">
<div class="jd-tagdata jd-tagdescr"><p>Performs a page-up movement action.
Moves the cursor or scrolls up by one page.</p></div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Parameters</h5>
<table class="jd-tagtable">
<tr>
<th>widget</td>
<td>The text view.</td>
</tr>
<tr>
<th>buffer</td>
<td>The text buffer.</td>
</tr>
</table>
</div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Returns</h5>
<ul class="nolist"><li>True if the event was handled.
</li></ul>
</div>
</div>
</div>
<A NAME="right(android.widget.TextView, android.text.Spannable)"></A>
<div class="jd-details api apilevel-11">
<h4 class="jd-details-title">
<span class="normal">
protected
boolean
</span>
<span class="sympad">right</span>
<span class="normal">(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</span>
</h4>
<div class="api-level">
<div>
Added in <a href="../../../../guide/topics/manifest/uses-sdk-element.html#ApiLevels">API level 11</a></div>
</div>
<div class="jd-details-descr">
<div class="jd-tagdata jd-tagdescr"><p>Performs a right movement action.
Moves the cursor or scrolls right by one character.</p></div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Parameters</h5>
<table class="jd-tagtable">
<tr>
<th>widget</td>
<td>The text view.</td>
</tr>
<tr>
<th>buffer</td>
<td>The text buffer.</td>
</tr>
</table>
</div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Returns</h5>
<ul class="nolist"><li>True if the event was handled.
</li></ul>
</div>
</div>
</div>
<A NAME="top(android.widget.TextView, android.text.Spannable)"></A>
<div class="jd-details api apilevel-11">
<h4 class="jd-details-title">
<span class="normal">
protected
boolean
</span>
<span class="sympad">top</span>
<span class="normal">(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</span>
</h4>
<div class="api-level">
<div>
Added in <a href="../../../../guide/topics/manifest/uses-sdk-element.html#ApiLevels">API level 11</a></div>
</div>
<div class="jd-details-descr">
<div class="jd-tagdata jd-tagdescr"><p>Performs a top movement action.
Moves the cursor or scrolls to the top of the buffer.</p></div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Parameters</h5>
<table class="jd-tagtable">
<tr>
<th>widget</td>
<td>The text view.</td>
</tr>
<tr>
<th>buffer</td>
<td>The text buffer.</td>
</tr>
</table>
</div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Returns</h5>
<ul class="nolist"><li>True if the event was handled.
</li></ul>
</div>
</div>
</div>
<A NAME="up(android.widget.TextView, android.text.Spannable)"></A>
<div class="jd-details api apilevel-11">
<h4 class="jd-details-title">
<span class="normal">
protected
boolean
</span>
<span class="sympad">up</span>
<span class="normal">(<a href="../../../../reference/android/widget/TextView.html">TextView</a> widget, <a href="../../../../reference/android/text/Spannable.html">Spannable</a> buffer)</span>
</h4>
<div class="api-level">
<div>
Added in <a href="../../../../guide/topics/manifest/uses-sdk-element.html#ApiLevels">API level 11</a></div>
</div>
<div class="jd-details-descr">
<div class="jd-tagdata jd-tagdescr"><p>Performs an up movement action.
Moves the cursor or scrolls up by one line.</p></div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Parameters</h5>
<table class="jd-tagtable">
<tr>
<th>widget</td>
<td>The text view.</td>
</tr>
<tr>
<th>buffer</td>
<td>The text buffer.</td>
</tr>
</table>
</div>
<div class="jd-tagdata">
<h5 class="jd-tagtitle">Returns</h5>
<ul class="nolist"><li>True if the event was handled.
</li></ul>
</div>
</div>
</div>
<!-- ========= END OF CLASS DATA ========= -->
<A NAME="navbar_top"></A>
<div id="footer" class="wrap" >
<div id="copyright">
Except as noted, this content is licensed under <a
href="http://www.apache.org/licenses/LICENSE-2.0">Apache 2.0</a>.
For details and restrictions, see the <a href="../../../../license.html">
Content License</a>.
</div>
<div id="build_info">
Android 4.4 r1 —
<script src="../../../../timestamp.js" type="text/javascript"></script>
<script>document.write(BUILD_TIMESTAMP)</script>
</div>
<div id="footerlinks">
<p>
<a href="../../../../about/index.html">About Android</a> |
<a href="../../../../legal.html">Legal</a> |
<a href="../../../../support.html">Support</a>
</p>
</div>
</div> <!-- end footer -->
</div> <!-- jd-content -->
</div><!-- end doc-content -->
</div> <!-- end body-content -->
</body>
</html>
| terrytowne/android-developer-cn | reference/android/text/method/ArrowKeyMovementMethod.html | HTML | mit | 119,117 |
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<!-- NewPage -->
<html lang="fr">
<head>
<!-- Generated by javadoc (1.8.0) on Fri May 15 16:55:42 CEST 2015 -->
<title>org.objectweb.asm.commons Class Hierarchy (ASM 5.0.4 Documentation)</title>
<meta name="date" content="2015-05-15">
<link rel="stylesheet" type="text/css" href="../../../../stylesheet.css" title="Style">
<script type="text/javascript" src="../../../../script.js"></script>
</head>
<body>
<script type="text/javascript"><!--
try {
if (location.href.indexOf('is-external=true') == -1) {
parent.document.title="org.objectweb.asm.commons Class Hierarchy (ASM 5.0.4 Documentation)";
}
}
catch(err) {
}
//-->
</script>
<noscript>
<div>JavaScript is disabled on your browser.</div>
</noscript>
<!-- ========= START OF TOP NAVBAR ======= -->
<div class="topNav"><a name="navbar.top">
<!-- -->
</a>
<div class="skipNav"><a href="#skip.navbar.top" title="Skip navigation links">Skip navigation links</a></div>
<a name="navbar.top.firstrow">
<!-- -->
</a>
<ul class="navList" title="Navigation">
<li><a href="../../../../overview-summary.html">Overview</a></li>
<li><a href="package-summary.html">Package</a></li>
<li>Class</li>
<li>Use</li>
<li class="navBarCell1Rev">Tree</li>
<li><a href="../../../../deprecated-list.html">Deprecated</a></li>
<li><a href="../../../../index-all.html">Index</a></li>
<li><a href="../../../../help-doc.html">Help</a></li>
</ul>
</div>
<div class="subNav">
<ul class="navList">
<li><a href="../../../../org/objectweb/asm/package-tree.html">Prev</a></li>
<li><a href="../../../../org/objectweb/asm/signature/package-tree.html">Next</a></li>
</ul>
<ul class="navList">
<li><a href="../../../../index.html?org/objectweb/asm/commons/package-tree.html" target="_top">Frames</a></li>
<li><a href="package-tree.html" target="_top">No Frames</a></li>
</ul>
<ul class="navList" id="allclasses_navbar_top">
<li><a href="../../../../allclasses-noframe.html">All Classes</a></li>
</ul>
<div>
<script type="text/javascript"><!--
allClassesLink = document.getElementById("allclasses_navbar_top");
if(window==top) {
allClassesLink.style.display = "block";
}
else {
allClassesLink.style.display = "none";
}
//-->
</script>
</div>
<a name="skip.navbar.top">
<!-- -->
</a></div>
<!-- ========= END OF TOP NAVBAR ========= -->
<div class="header">
<h1 class="title">Hierarchy For Package org.objectweb.asm.commons</h1>
<span class="packageHierarchyLabel">Package Hierarchies:</span>
<ul class="horizontal">
<li><a href="../../../../overview-tree.html">All Packages</a></li>
</ul>
</div>
<div class="contentContainer">
<h2 title="Class Hierarchy">Class Hierarchy</h2>
<ul>
<li type="circle">java.lang.<a href="http://java.sun.com/j2se/1.4.2/docs/api/java/lang/Object.html?is-external=true" title="class or interface in java.lang"><span class="typeNameLink">Object</span></a>
<ul>
<li type="circle">org.objectweb.asm.<a href="../../../../org/objectweb/asm/AnnotationVisitor.html" title="class in org.objectweb.asm"><span class="typeNameLink">AnnotationVisitor</span></a>
<ul>
<li type="circle">org.objectweb.asm.commons.<a href="../../../../org/objectweb/asm/commons/RemappingAnnotationAdapter.html" title="class in org.objectweb.asm.commons"><span class="typeNameLink">RemappingAnnotationAdapter</span></a></li>
</ul>
</li>
<li type="circle">org.objectweb.asm.<a href="../../../../org/objectweb/asm/ClassVisitor.html" title="class in org.objectweb.asm"><span class="typeNameLink">ClassVisitor</span></a>
<ul>
<li type="circle">org.objectweb.asm.commons.<a href="../../../../org/objectweb/asm/commons/RemappingClassAdapter.html" title="class in org.objectweb.asm.commons"><span class="typeNameLink">RemappingClassAdapter</span></a></li>
<li type="circle">org.objectweb.asm.commons.<a href="../../../../org/objectweb/asm/commons/SerialVersionUIDAdder.html" title="class in org.objectweb.asm.commons"><span class="typeNameLink">SerialVersionUIDAdder</span></a></li>
<li type="circle">org.objectweb.asm.commons.<a href="../../../../org/objectweb/asm/commons/StaticInitMerger.html" title="class in org.objectweb.asm.commons"><span class="typeNameLink">StaticInitMerger</span></a></li>
</ul>
</li>
<li type="circle">org.objectweb.asm.<a href="../../../../org/objectweb/asm/FieldVisitor.html" title="class in org.objectweb.asm"><span class="typeNameLink">FieldVisitor</span></a>
<ul>
<li type="circle">org.objectweb.asm.commons.<a href="../../../../org/objectweb/asm/commons/RemappingFieldAdapter.html" title="class in org.objectweb.asm.commons"><span class="typeNameLink">RemappingFieldAdapter</span></a></li>
</ul>
</li>
<li type="circle">org.objectweb.asm.commons.<a href="../../../../org/objectweb/asm/commons/Method.html" title="class in org.objectweb.asm.commons"><span class="typeNameLink">Method</span></a></li>
<li type="circle">org.objectweb.asm.<a href="../../../../org/objectweb/asm/MethodVisitor.html" title="class in org.objectweb.asm"><span class="typeNameLink">MethodVisitor</span></a>
<ul>
<li type="circle">org.objectweb.asm.commons.<a href="../../../../org/objectweb/asm/commons/AnalyzerAdapter.html" title="class in org.objectweb.asm.commons"><span class="typeNameLink">AnalyzerAdapter</span></a></li>
<li type="circle">org.objectweb.asm.commons.<a href="../../../../org/objectweb/asm/commons/CodeSizeEvaluator.html" title="class in org.objectweb.asm.commons"><span class="typeNameLink">CodeSizeEvaluator</span></a> (implements org.objectweb.asm.<a href="../../../../org/objectweb/asm/Opcodes.html" title="interface in org.objectweb.asm">Opcodes</a>)</li>
<li type="circle">org.objectweb.asm.commons.<a href="../../../../org/objectweb/asm/commons/InstructionAdapter.html" title="class in org.objectweb.asm.commons"><span class="typeNameLink">InstructionAdapter</span></a></li>
<li type="circle">org.objectweb.asm.commons.<a href="../../../../org/objectweb/asm/commons/LocalVariablesSorter.html" title="class in org.objectweb.asm.commons"><span class="typeNameLink">LocalVariablesSorter</span></a>
<ul>
<li type="circle">org.objectweb.asm.commons.<a href="../../../../org/objectweb/asm/commons/GeneratorAdapter.html" title="class in org.objectweb.asm.commons"><span class="typeNameLink">GeneratorAdapter</span></a>
<ul>
<li type="circle">org.objectweb.asm.commons.<a href="../../../../org/objectweb/asm/commons/AdviceAdapter.html" title="class in org.objectweb.asm.commons"><span class="typeNameLink">AdviceAdapter</span></a> (implements org.objectweb.asm.<a href="../../../../org/objectweb/asm/Opcodes.html" title="interface in org.objectweb.asm">Opcodes</a>)</li>
</ul>
</li>
<li type="circle">org.objectweb.asm.commons.<a href="../../../../org/objectweb/asm/commons/RemappingMethodAdapter.html" title="class in org.objectweb.asm.commons"><span class="typeNameLink">RemappingMethodAdapter</span></a></li>
</ul>
</li>
<li type="circle">org.objectweb.asm.tree.<a href="../../../../org/objectweb/asm/tree/MethodNode.html" title="class in org.objectweb.asm.tree"><span class="typeNameLink">MethodNode</span></a>
<ul>
<li type="circle">org.objectweb.asm.commons.<a href="../../../../org/objectweb/asm/commons/JSRInlinerAdapter.html" title="class in org.objectweb.asm.commons"><span class="typeNameLink">JSRInlinerAdapter</span></a> (implements org.objectweb.asm.<a href="../../../../org/objectweb/asm/Opcodes.html" title="interface in org.objectweb.asm">Opcodes</a>)</li>
<li type="circle">org.objectweb.asm.commons.<a href="../../../../org/objectweb/asm/commons/TryCatchBlockSorter.html" title="class in org.objectweb.asm.commons"><span class="typeNameLink">TryCatchBlockSorter</span></a></li>
</ul>
</li>
</ul>
</li>
<li type="circle">org.objectweb.asm.commons.<a href="../../../../org/objectweb/asm/commons/Remapper.html" title="class in org.objectweb.asm.commons"><span class="typeNameLink">Remapper</span></a>
<ul>
<li type="circle">org.objectweb.asm.commons.<a href="../../../../org/objectweb/asm/commons/SimpleRemapper.html" title="class in org.objectweb.asm.commons"><span class="typeNameLink">SimpleRemapper</span></a></li>
</ul>
</li>
<li type="circle">org.objectweb.asm.signature.<a href="../../../../org/objectweb/asm/signature/SignatureVisitor.html" title="class in org.objectweb.asm.signature"><span class="typeNameLink">SignatureVisitor</span></a>
<ul>
<li type="circle">org.objectweb.asm.commons.<a href="../../../../org/objectweb/asm/commons/RemappingSignatureAdapter.html" title="class in org.objectweb.asm.commons"><span class="typeNameLink">RemappingSignatureAdapter</span></a></li>
</ul>
</li>
</ul>
</li>
</ul>
<h2 title="Interface Hierarchy">Interface Hierarchy</h2>
<ul>
<li type="circle">org.objectweb.asm.commons.<a href="../../../../org/objectweb/asm/commons/TableSwitchGenerator.html" title="interface in org.objectweb.asm.commons"><span class="typeNameLink">TableSwitchGenerator</span></a></li>
</ul>
</div>
<!-- ======= START OF BOTTOM NAVBAR ====== -->
<div class="bottomNav"><a name="navbar.bottom">
<!-- -->
</a>
<div class="skipNav"><a href="#skip.navbar.bottom" title="Skip navigation links">Skip navigation links</a></div>
<a name="navbar.bottom.firstrow">
<!-- -->
</a>
<ul class="navList" title="Navigation">
<li><a href="../../../../overview-summary.html">Overview</a></li>
<li><a href="package-summary.html">Package</a></li>
<li>Class</li>
<li>Use</li>
<li class="navBarCell1Rev">Tree</li>
<li><a href="../../../../deprecated-list.html">Deprecated</a></li>
<li><a href="../../../../index-all.html">Index</a></li>
<li><a href="../../../../help-doc.html">Help</a></li>
</ul>
</div>
<div class="subNav">
<ul class="navList">
<li><a href="../../../../org/objectweb/asm/package-tree.html">Prev</a></li>
<li><a href="../../../../org/objectweb/asm/signature/package-tree.html">Next</a></li>
</ul>
<ul class="navList">
<li><a href="../../../../index.html?org/objectweb/asm/commons/package-tree.html" target="_top">Frames</a></li>
<li><a href="package-tree.html" target="_top">No Frames</a></li>
</ul>
<ul class="navList" id="allclasses_navbar_bottom">
<li><a href="../../../../allclasses-noframe.html">All Classes</a></li>
</ul>
<div>
<script type="text/javascript"><!--
allClassesLink = document.getElementById("allclasses_navbar_bottom");
if(window==top) {
allClassesLink.style.display = "block";
}
else {
allClassesLink.style.display = "none";
}
//-->
</script>
</div>
<a name="skip.navbar.bottom">
<!-- -->
</a></div>
<!-- ======== END OF BOTTOM NAVBAR ======= -->
</body>
</html>
| Sheepzez/trek-plus-plus | lib/ASM/doc/javadoc/user/org/objectweb/asm/commons/package-tree.html | HTML | mit | 10,757 |
//------------------------------------------------------------------------------
// <auto-generated>
// This code was generated by Codezu.
//
// Changes to this file may cause incorrect behavior and will be lost if
// the code is regenerated.
// </auto-generated>
//------------------------------------------------------------------------------
using System;
using System.Collections.Generic;
using Mozu.Api.Contracts.Core;
namespace Mozu.Api.Contracts.Location
{
///
/// Configuration properties of a location usage type for a specified site. The direct ship location usage type consists of a single location that represents location that supports direct ship (DS) fulfillment. The in-store pickup location usage type consists of a list of location types that represent locations that support in-store pickup (SP) fulfillment. The store finder location usage type consists of a list of location codes, location types, or both.
///
public class LocationUsage
{
public AuditInfo AuditInfo { get; set; }
///
///List of location codes to associate with the location usage. At this time, you can only specify one location code in the request for the direct ship location usage type.
///
public List<string> LocationCodes { get; set; }
///
///List of location type codes associated with the location usage. The location service identifies the locations of the designated type. The in-store pickup (SP) and store finder (storeFinder) location usage types allow specification or multiple location type codes.
///
public List<string> LocationTypeCodes { get; set; }
///
///The system-defined code used to identify the location usage type, which is "DS" for direct ship, "SP" for in-store pickup, or "storeFinder".
///
public string LocationUsageTypeCode { get; set; }
}
} | sanjaymandadi/mozu-dotnet | Mozu.Api/Contracts/Location/LocationUsage.cs | C# | mit | 1,840 |
/*
* Phusion Passenger - https://www.phusionpassenger.com/
* Copyright (c) 2010-2013 Phusion
*
* "Phusion Passenger" is a trademark of Hongli Lai & Ninh Bui.
*
* Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal
* in the Software without restriction, including without limitation the rights
* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
* copies of the Software, and to permit persons to whom the Software is
* furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included in
* all copies or substantial portions of the Software.
*
* THE SOFTWARE IS 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. IN NO EVENT SHALL THE
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
* THE SOFTWARE.
*/
#include <oxt/system_calls.hpp>
#include <oxt/backtrace.hpp>
#include <oxt/thread.hpp>
#include <sys/types.h>
#include <unistd.h>
#include <pwd.h>
#include <grp.h>
#include <cstdio>
#include <cstdlib>
#include <cstring>
#include <cerrno>
#include <signal.h>
#include <agents/Base.h>
#include <agents/LoggingAgent/LoggingServer.h>
#include <AccountsDatabase.h>
#include <Account.h>
#include <ServerInstanceDir.h>
#include <Exceptions.h>
#include <Utils.h>
#include <Utils/IOUtils.h>
#include <Utils/MessageIO.h>
#include <Utils/Base64.h>
#include <Utils/VariantMap.h>
using namespace oxt;
using namespace Passenger;
static struct ev_loop *eventLoop;
static LoggingServer *loggingServer;
static int exitCode = 0;
static struct ev_loop *
createEventLoop() {
struct ev_loop *loop;
// libev doesn't like choosing epoll and kqueue because the author thinks they're broken,
// so let's try to force it.
loop = ev_default_loop(EVBACKEND_EPOLL);
if (loop == NULL) {
loop = ev_default_loop(EVBACKEND_KQUEUE);
}
if (loop == NULL) {
loop = ev_default_loop(0);
}
if (loop == NULL) {
throw RuntimeException("Cannot create an event loop");
} else {
return loop;
}
}
static void
lowerPrivilege(const string &username, const struct passwd *user, const struct group *group) {
int e;
if (initgroups(username.c_str(), group->gr_gid) != 0) {
e = errno;
P_WARN("WARNING: Unable to set supplementary groups for " <<
"PassengerLoggingAgent: " << strerror(e) << " (" << e << ")");
}
if (setgid(group->gr_gid) != 0) {
e = errno;
P_WARN("WARNING: Unable to lower PassengerLoggingAgent's "
"privilege to that of user '" << username <<
"': cannot set group ID to " << group->gr_gid <<
": " << strerror(e) <<
" (" << e << ")");
}
if (setuid(user->pw_uid) != 0) {
e = errno;
P_WARN("WARNING: Unable to lower PassengerLoggingAgent's "
"privilege to that of user '" << username <<
"': cannot set user ID: " << strerror(e) <<
" (" << e << ")");
}
}
void
feedbackFdBecameReadable(ev::io &watcher, int revents) {
/* This event indicates that the watchdog has been killed.
* In this case we'll kill all descendant
* processes and exit. There's no point in keeping this agent
* running because we can't detect when the web server exits,
* and because this agent doesn't own the server instance
* directory. As soon as passenger-status is run, the server
* instance directory will be cleaned up, making this agent's
* services inaccessible.
*/
syscalls::killpg(getpgrp(), SIGKILL);
_exit(2); // In case killpg() fails.
}
void
caughtExitSignal(ev::sig &watcher, int revents) {
P_DEBUG("Caught signal, exiting...");
ev_break(eventLoop, EVBREAK_ONE);
/* We only consider the "exit" command to be a graceful way to shut down
* the logging agent, so upon receiving an exit signal we want to return
* a non-zero exit code. This is because we want the watchdog to restart
* the logging agent when it's killed by SIGTERM.
*/
exitCode = 1;
}
void
printInfo(ev::sig &watcher, int revents) {
cerr << "---------- Begin LoggingAgent status ----------\n";
loggingServer->dump(cerr);
cerr.flush();
cerr << "---------- End LoggingAgent status ----------\n";
}
static string
myself() {
struct passwd *entry = getpwuid(geteuid());
if (entry != NULL) {
return entry->pw_name;
} else {
throw NonExistentUserException(string("The current user, UID ") +
toString(geteuid()) + ", doesn't have a corresponding " +
"entry in the system's user database. Please fix your " +
"system's user database first.");
}
}
int
main(int argc, char *argv[]) {
VariantMap options = initializeAgent(argc, argv, "PassengerLoggingAgent");
string socketAddress = options.get("logging_agent_address");
string dumpFile = options.get("analytics_dump_file", false, "/dev/null");
string password = options.get("logging_agent_password");
string username = options.get("analytics_log_user",
false, myself());
string groupname = options.get("analytics_log_group", false);
string unionStationGatewayAddress = options.get("union_station_gateway_address",
false, DEFAULT_UNION_STATION_GATEWAY_ADDRESS);
int unionStationGatewayPort = options.getInt("union_station_gateway_port",
false, DEFAULT_UNION_STATION_GATEWAY_PORT);
string unionStationGatewayCert = options.get("union_station_gateway_cert", false);
string unionStationProxyAddress = options.get("union_station_proxy_address", false);
curl_global_init(CURL_GLOBAL_ALL);
try {
/********** Now begins the real initialization **********/
/* Create all the necessary objects and sockets... */
AccountsDatabasePtr accountsDatabase;
FileDescriptor serverSocketFd;
struct passwd *user;
struct group *group;
int ret;
eventLoop = createEventLoop();
accountsDatabase = ptr(new AccountsDatabase());
serverSocketFd = createServer(socketAddress.c_str());
if (getSocketAddressType(socketAddress) == SAT_UNIX) {
do {
ret = chmod(parseUnixSocketAddress(socketAddress).c_str(),
S_ISVTX |
S_IRUSR | S_IWUSR | S_IXUSR |
S_IRGRP | S_IWGRP | S_IXGRP |
S_IROTH | S_IWOTH | S_IXOTH);
} while (ret == -1 && errno == EINTR);
}
/* Sanity check user accounts. */
user = getpwnam(username.c_str());
if (user == NULL) {
throw NonExistentUserException(string("The configuration option ") +
"'PassengerAnalyticsLogUser' (Apache) or " +
"'passenger_analytics_log_user' (Nginx) was set to '" +
username + "', but this user doesn't exist. Please fix " +
"the configuration option.");
}
if (groupname.empty()) {
group = getgrgid(user->pw_gid);
if (group == NULL) {
throw NonExistentGroupException(string("The configuration option ") +
"'PassengerAnalyticsLogGroup' (Apache) or " +
"'passenger_analytics_log_group' (Nginx) wasn't set, " +
"so PassengerLoggingAgent tried to use the default group " +
"for user '" + username + "' - which is GID #" +
toString(user->pw_gid) + " - as the group for the analytics " +
"log dir, but this GID doesn't exist. " +
"You can solve this problem by explicitly " +
"setting PassengerAnalyticsLogGroup (Apache) or " +
"passenger_analytics_log_group (Nginx) to a group that " +
"does exist. In any case, it looks like your system's user " +
"database is broken; Phusion Passenger can work fine even " +
"with this broken user database, but you should still fix it.");
} else {
groupname = group->gr_name;
}
} else {
group = getgrnam(groupname.c_str());
if (group == NULL) {
throw NonExistentGroupException(string("The configuration option ") +
"'PassengerAnalyticsLogGroup' (Apache) or " +
"'passenger_analytics_log_group' (Nginx) was set to '" +
groupname + "', but this group doesn't exist. Please fix " +
"the configuration option.");
}
}
/* Now's a good time to lower the privilege. */
if (geteuid() == 0) {
lowerPrivilege(username, user, group);
}
/* Now setup the actual logging server. */
accountsDatabase->add("logging", password, false);
LoggingServer server(eventLoop, serverSocketFd,
accountsDatabase, dumpFile,
unionStationGatewayAddress,
unionStationGatewayPort,
unionStationGatewayCert,
unionStationProxyAddress);
loggingServer = &server;
ev::io feedbackFdWatcher(eventLoop);
ev::sig sigintWatcher(eventLoop);
ev::sig sigtermWatcher(eventLoop);
ev::sig sigquitWatcher(eventLoop);
if (feedbackFdAvailable()) {
feedbackFdWatcher.set<&feedbackFdBecameReadable>();
feedbackFdWatcher.start(FEEDBACK_FD, ev::READ);
writeArrayMessage(FEEDBACK_FD, "initialized", NULL);
}
sigintWatcher.set<&caughtExitSignal>();
sigintWatcher.start(SIGINT);
sigtermWatcher.set<&caughtExitSignal>();
sigtermWatcher.start(SIGTERM);
sigquitWatcher.set<&printInfo>();
sigquitWatcher.start(SIGQUIT);
/********** Initialized! Enter main loop... **********/
P_WARN("PassengerLoggingAgent online, listening at " << socketAddress);
ev_run(eventLoop, 0);
P_DEBUG("Logging agent exiting with code " << exitCode << ".");
return exitCode;
} catch (const tracable_exception &e) {
P_ERROR("*** ERROR: " << e.what() << "\n" << e.backtrace());
return 1;
}
}
| jawj/passenger | ext/common/agents/LoggingAgent/Main.cpp | C++ | mit | 9,615 |
/*jshint -W030 */
"use strict";
var ZSchema = require("../../src/ZSchema");
var testSuiteFiles = [
require("../ZSchemaTestSuite/CustomFormats.js"),
require("../ZSchemaTestSuite/CustomFormatsAsync.js"),
require("../ZSchemaTestSuite/ForceAdditional.js"),
require("../ZSchemaTestSuite/ForceItems.js"),
require("../ZSchemaTestSuite/ForceMinLength.js"),
require("../ZSchemaTestSuite/ForceMaxLength.js"),
require("../ZSchemaTestSuite/ForceMinItems.js"),
require("../ZSchemaTestSuite/ForceMaxItems.js"),
require("../ZSchemaTestSuite/ForceProperties.js"),
require("../ZSchemaTestSuite/IgnoreUnresolvableReferences.js"),
require("../ZSchemaTestSuite/AssumeAdditional.js"),
require("../ZSchemaTestSuite/NoEmptyArrays.js"),
require("../ZSchemaTestSuite/NoEmptyStrings.js"),
require("../ZSchemaTestSuite/NoTypeless.js"),
require("../ZSchemaTestSuite/NoExtraKeywords.js"),
require("../ZSchemaTestSuite/StrictUris.js"),
require("../ZSchemaTestSuite/MultipleSchemas.js"),
require("../ZSchemaTestSuite/ErrorPathAsArray.js"),
require("../ZSchemaTestSuite/ErrorPathAsJSONPointer.js"),
require("../ZSchemaTestSuite/PedanticCheck.js"),
require("../ZSchemaTestSuite/getRegisteredFormats.js"),
// issues
require("../ZSchemaTestSuite/Issue12.js"),
require("../ZSchemaTestSuite/Issue13.js"),
require("../ZSchemaTestSuite/Issue16.js"),
require("../ZSchemaTestSuite/Issue22.js"),
require("../ZSchemaTestSuite/Issue25.js"),
require("../ZSchemaTestSuite/Issue26.js"),
require("../ZSchemaTestSuite/Issue37.js"),
require("../ZSchemaTestSuite/Issue40.js"),
require("../ZSchemaTestSuite/Issue41.js"),
require("../ZSchemaTestSuite/Issue43.js"),
require("../ZSchemaTestSuite/Issue44.js"),
require("../ZSchemaTestSuite/Issue45.js"),
require("../ZSchemaTestSuite/Issue47.js"),
require("../ZSchemaTestSuite/Issue48.js"),
require("../ZSchemaTestSuite/Issue49.js"),
require("../ZSchemaTestSuite/Issue53.js"),
require("../ZSchemaTestSuite/Issue56.js"),
require("../ZSchemaTestSuite/Issue57.js"),
require("../ZSchemaTestSuite/Issue58.js"),
require("../ZSchemaTestSuite/Issue63.js"),
require("../ZSchemaTestSuite/Issue64.js"),
require("../ZSchemaTestSuite/Issue67.js"),
require("../ZSchemaTestSuite/Issue71.js"),
require("../ZSchemaTestSuite/Issue73.js"),
require("../ZSchemaTestSuite/Issue76.js"),
require("../ZSchemaTestSuite/Issue85.js"),
require("../ZSchemaTestSuite/Issue94.js"),
require("../ZSchemaTestSuite/Issue96.js"),
require("../ZSchemaTestSuite/Issue98.js"),
require("../ZSchemaTestSuite/Issue101.js"),
require("../ZSchemaTestSuite/Issue102.js"),
require("../ZSchemaTestSuite/Issue103.js"),
require("../ZSchemaTestSuite/Issue106.js"),
require("../ZSchemaTestSuite/Issue107.js"),
require("../ZSchemaTestSuite/Issue121.js"),
require("../ZSchemaTestSuite/Issue125.js"),
require("../ZSchemaTestSuite/Issue126.js"),
require("../ZSchemaTestSuite/Issue130.js"),
require("../ZSchemaTestSuite/Issue131.js"),
require("../ZSchemaTestSuite/Issue137.js"),
undefined
];
describe("ZSchemaTestSuite", function () {
var idx = testSuiteFiles.length;
while (idx--) {
if (testSuiteFiles[idx] == null) {
testSuiteFiles.splice(idx, 1);
}
}
it("should contain 61 files", function () {
expect(testSuiteFiles.length).toBe(61);
});
testSuiteFiles.forEach(function (testSuite) {
testSuite.tests.forEach(function (test) {
var data = test.data;
if (typeof data === "undefined") {
data = testSuite.data;
}
var async = test.async || testSuite.async || false,
options = test.options || testSuite.options || undefined,
setup = test.setup || testSuite.setup,
schema = test.schema || testSuite.schema,
schemaIndex = test.schemaIndex || testSuite.schemaIndex || 0,
after = test.after || testSuite.after,
validateSchemaOnly = test.validateSchemaOnly || testSuite.validateSchemaOnly,
failWithException = test.failWithException || testSuite.failWithException;
!async && it(testSuite.description + ", " + test.description, function () {
var validator = new ZSchema(options);
var caughtErr;
if (setup) { setup(validator, ZSchema); }
var valid;
try {
valid = validator.validateSchema(schema);
} catch (err) {
if (!failWithException) {
throw err;
}
caughtErr = err;
}
if (valid && !validateSchemaOnly) {
if (Array.isArray(schema)) {
schema = schema[schemaIndex];
}
try {
valid = validator.validate(data, schema);
} catch (err) {
if (!failWithException) {
throw err;
}
caughtErr = err;
}
}
var err = caughtErr || validator.getLastErrors();
if (failWithException) {
expect(caughtErr).toBeTruthy();
} else {
expect(typeof valid).toBe("boolean", "returned response is not a boolean");
expect(valid).toBe(test.valid, "test result doesn't match expected test result");
}
if (test.valid === true) {
expect(err).toBe(undefined, "errors are not undefined when test is valid");
}
if (after) {
after(err, valid, data, validator);
}
});
async && it(testSuite.description + ", " + test.description, function (done) {
var validator = new ZSchema(options);
if (setup) { setup(validator, ZSchema); }
// see http://blog.izs.me/post/59142742143/designing-apis-for-asynchrony
var zalgo = false;
var result = validator.validate(data, schema, function (err, valid) {
// make sure callback wasn't called synchronously
expect(zalgo).toBe(true, "callback was fired in synchronous way");
expect(typeof valid).toBe("boolean", "returned response is not a boolean");
expect(valid).toBe(test.valid, "test result doesn't match expected test result");
if (test.valid === true) {
expect(err).toBe(undefined, "errors are not undefined when test is valid");
}
if (after) {
after(err, valid, data);
}
done();
});
// never return anything when callback is specified
expect(result).toBe(undefined, "validator returned something else than undefined in callback mode");
zalgo = true;
});
});
});
});
| nyanpi/firstdapp | node_modules/z-schema/test/spec/ZSchemaTestSuiteSpec.js | JavaScript | mit | 7,532 |
//
// Copyright (c) .NET Foundation and Contributors
// Portions Copyright (c) Microsoft Corporation. All rights reserved.
// See LICENSE file in the project root for full license information.
//
#include "Core.h"
/**********************************************************************
** Macro: NANOCLR_INTEROP_CHECK_ARG_TYPE
** This macro is specific for Interop_Marshal_ functions.
** It checks that data type corresponds to the data type stored in heapblock
** in parameter paramIndex.
** In release mode macro does nothing.
**********************************************************************/
// For the final product we disable checking of the argument types
// NANOCLR_INTEROP_CHECK_ARG_TYPE is reduced to nothing.
#define NANOCLR_INTEROP_CHECK_ARG_TYPE( arg_type )
#define NANOCLR_INTEROP_NOCLEANUP() return S_OK;
HRESULT Interop_Marshal_bool( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, bool ¶m )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_INTEROP_CHECK_ARG_TYPE(DATATYPE_I4);
// The comparison with 0 converts numeric type "u1" to boolean type.
param = stackFrame.ArgN( paramIndex ).NumericByRef().u1 != 0;
NANOCLR_INTEROP_NOCLEANUP();
}
HRESULT Interop_Marshal_UINT8( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, unsigned char ¶m )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_INTEROP_CHECK_ARG_TYPE(DATATYPE_I4);
param = stackFrame.ArgN( paramIndex ).NumericByRef().u1;
NANOCLR_INTEROP_NOCLEANUP();
}
HRESULT Interop_Marshal_UINT16( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, unsigned short ¶m )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_INTEROP_CHECK_ARG_TYPE(DATATYPE_I4)
param = stackFrame.ArgN( paramIndex ).NumericByRef().u2;
NANOCLR_INTEROP_NOCLEANUP();
}
HRESULT Interop_Marshal_UINT32( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, unsigned int ¶m )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_INTEROP_CHECK_ARG_TYPE(DATATYPE_I4)
param = stackFrame.ArgN( paramIndex ).NumericByRef().u4;
NANOCLR_INTEROP_NOCLEANUP();
}
HRESULT Interop_Marshal_UINT64( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, unsigned __int64 ¶m )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_INTEROP_CHECK_ARG_TYPE(DATATYPE_I8);
param = stackFrame.ArgN( paramIndex ).NumericByRef().u8;
NANOCLR_INTEROP_NOCLEANUP();
}
HRESULT Interop_Marshal_CHAR( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, char ¶m )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_INTEROP_CHECK_ARG_TYPE(DATATYPE_I4)
param = stackFrame.ArgN( paramIndex ).NumericByRef().s1;
NANOCLR_INTEROP_NOCLEANUP();
}
HRESULT Interop_Marshal_INT8( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, signed char ¶m )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_INTEROP_CHECK_ARG_TYPE(DATATYPE_I4)
param = stackFrame.ArgN( paramIndex ).NumericByRef().s1;
NANOCLR_INTEROP_NOCLEANUP();
}
HRESULT Interop_Marshal_INT16( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, signed short ¶m )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_INTEROP_CHECK_ARG_TYPE(DATATYPE_I4);
param = stackFrame.ArgN( paramIndex ).NumericByRef().s2;
NANOCLR_INTEROP_NOCLEANUP();
}
HRESULT Interop_Marshal_INT32( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, signed int ¶m )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_INTEROP_CHECK_ARG_TYPE(DATATYPE_I4);
param = stackFrame.ArgN( paramIndex ).NumericByRef().s4;
NANOCLR_INTEROP_NOCLEANUP();
}
HRESULT Interop_Marshal_INT64( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, signed __int64 ¶m )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_INTEROP_CHECK_ARG_TYPE(DATATYPE_I8);
param = stackFrame.ArgN( paramIndex ).NumericByRef().s8;
NANOCLR_INTEROP_NOCLEANUP();
}
#if !defined(NANOCLR_EMULATED_FLOATINGPOINT)
HRESULT Interop_Marshal_float( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, float ¶m )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_INTEROP_CHECK_ARG_TYPE(DATATYPE_R4);
param = stackFrame.ArgN( paramIndex ).NumericByRef().r4;
NANOCLR_INTEROP_NOCLEANUP();
}
HRESULT Interop_Marshal_double( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, double ¶m )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_INTEROP_CHECK_ARG_TYPE(DATATYPE_R8);
param = stackFrame.ArgN( paramIndex ).NumericByRef().r8;
NANOCLR_INTEROP_NOCLEANUP();
}
#else
HRESULT Interop_Marshal_float( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, signed int ¶m )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_INTEROP_CHECK_ARG_TYPE(DATATYPE_R4);
param = stackFrame.ArgN( paramIndex ).NumericByRef().r4;
NANOCLR_INTEROP_NOCLEANUP();
}
HRESULT Interop_Marshal_double( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, signed __int64 ¶m )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_INTEROP_CHECK_ARG_TYPE(DATATYPE_R8);
param = stackFrame.ArgN( paramIndex ).NumericByRef().r8;
NANOCLR_INTEROP_NOCLEANUP();
}
#endif
HRESULT Interop_Marshal_LPCSTR( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, const char* ¶m )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_HEADER();
// Check the type of passed varialble - should be object for strings.
if ( stackFrame.ArgN( paramIndex ).DataType() != DATATYPE_OBJECT )
{ NANOCLR_SET_AND_LEAVE(CLR_E_WRONG_TYPE);
}
// Checks that the string was actually present in managed code, not a NULL reference to sting.
param = stackFrame.ArgN( paramIndex ).RecoverString(); FAULT_ON_NULL(param);
NANOCLR_NOCLEANUP();
}
#ifdef __GNUC__
#pragma GCC diagnostic push
#pragma GCC diagnostic ignored "-Wunused-parameter"
#endif
// For unsupported types we set param to zero and always return S_OK.
HRESULT Interop_Marshal_UNSUPPORTED_TYPE( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, UNSUPPORTED_TYPE ¶m )
{
NATIVE_PROFILE_CLR_CORE();
param = NULL;
return S_OK;
}
#ifdef __GNUC__
#pragma GCC diagnostic pop
#endif
#undef NANOCLR_INTEROP_CHECK_ARG_TYPE
/**********************************************************************
**
** Function: Interop_Marshal_NUMERIC_ARRAY
**
** Synopsis: This function is used marshal arrays of basic types created by managed code.
** The native code can access and update array data.
** Thus the data can be exchanged between managed and native code in both directions.
** The native code cannot change size of array.
**
** Arguments: [stackFrame] - Reference to the managed stack frame.
** [paramIndex] - Index of parameter passed from managed code. This parameter will be updated now.
** [pByteParam] - Reference of pointer to buffer with array data. Filled by the function
** [arraySize] - Count of elements in array. Filled by the function
** [elementSize] - Size of array element in bytes.
**
** Returns: S_OK on success or error from StoreToReference. Error return would cause exception thrown in managed code.
**********************************************************************/
template <class T>
static HRESULT Interop_Marshal_NUMERIC_ARRAY
( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, T *&pByteParam, unsigned int &arraySize, unsigned int elementSize )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_HEADER();
CLR_RT_HeapBlock_Array *pHeapBlockArray = NULL;
if ( stackFrame.ArgN( paramIndex ).DataType() != DATATYPE_OBJECT )
{
NANOCLR_SET_AND_LEAVE(CLR_E_WRONG_TYPE);
}
pHeapBlockArray = stackFrame.ArgN( paramIndex ).DereferenceArray(); FAULT_ON_NULL(pHeapBlockArray);
if ( pHeapBlockArray->m_sizeOfElement != elementSize )
{
NANOCLR_SET_AND_LEAVE(CLR_E_WRONG_TYPE);
}
arraySize = pHeapBlockArray->m_numOfElements;
pByteParam = (T *)pHeapBlockArray->GetFirstElement();
NANOCLR_NOCLEANUP();
}
/**********************************************************************
** Group of function that retrive array of values from managed stack frame.
** All these functions are wrappers around Interop_Marshal_NUMERIC_ARRAY,
** they create type safe interface for users of Interop library.
**********************************************************************/
HRESULT Interop_Marshal_bool_ARRAY( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, CLR_RT_TypedArray_UINT8 &typedArray )
{
NATIVE_PROFILE_CLR_CORE();
return Interop_Marshal_NUMERIC_ARRAY<unsigned char>( stackFrame, paramIndex, typedArray.m_pData, typedArray.m_ElemCount, sizeof( unsigned char ) );
}
HRESULT Interop_Marshal_UINT8_ARRAY( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, CLR_RT_TypedArray_UINT8 &typedArray )
{
NATIVE_PROFILE_CLR_CORE();
return Interop_Marshal_NUMERIC_ARRAY<unsigned char>( stackFrame, paramIndex, typedArray.m_pData, typedArray.m_ElemCount, sizeof( unsigned char ) );
}
HRESULT Interop_Marshal_UINT16_ARRAY( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, CLR_RT_TypedArray_UINT16 &typedArray )
{
NATIVE_PROFILE_CLR_CORE();
return Interop_Marshal_NUMERIC_ARRAY<unsigned short>( stackFrame, paramIndex, typedArray.m_pData, typedArray.m_ElemCount, sizeof( unsigned short ) );
}
HRESULT Interop_Marshal_UINT32_ARRAY( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, CLR_RT_TypedArray_UINT32 &typedArray )
{
NATIVE_PROFILE_CLR_CORE();
return Interop_Marshal_NUMERIC_ARRAY<unsigned int>( stackFrame, paramIndex, typedArray.m_pData, typedArray.m_ElemCount, sizeof( unsigned int ) );
}
HRESULT Interop_Marshal_UINT64_ARRAY( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, CLR_RT_TypedArray_UINT64 &typedArray )
{
NATIVE_PROFILE_CLR_CORE();
return Interop_Marshal_NUMERIC_ARRAY<unsigned __int64>( stackFrame, paramIndex, typedArray.m_pData, typedArray.m_ElemCount, sizeof( unsigned __int64 ) );
}
HRESULT Interop_Marshal_CHAR_ARRAY( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, CLR_RT_TypedArray_CHAR &typedArray )
{
NATIVE_PROFILE_CLR_CORE();
return Interop_Marshal_NUMERIC_ARRAY<char>( stackFrame, paramIndex, typedArray.m_pData, typedArray.m_ElemCount, sizeof( char ) );
}
HRESULT Interop_Marshal_INT8_ARRAY( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, CLR_RT_TypedArray_INT8 &typedArray )
{
NATIVE_PROFILE_CLR_CORE();
return Interop_Marshal_NUMERIC_ARRAY<signed char>( stackFrame, paramIndex, typedArray.m_pData, typedArray.m_ElemCount, sizeof( signed char ) );
}
HRESULT Interop_Marshal_INT16_ARRAY( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, CLR_RT_TypedArray_INT16 &typedArray )
{
NATIVE_PROFILE_CLR_CORE();
return Interop_Marshal_NUMERIC_ARRAY<signed short>( stackFrame, paramIndex, typedArray.m_pData, typedArray.m_ElemCount, sizeof( signed short ) );
}
HRESULT Interop_Marshal_INT32_ARRAY( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, CLR_RT_TypedArray_INT32 &typedArray )
{
NATIVE_PROFILE_CLR_CORE();
return Interop_Marshal_NUMERIC_ARRAY<signed int>( stackFrame, paramIndex, typedArray.m_pData, typedArray.m_ElemCount, sizeof( signed int ) );
}
HRESULT Interop_Marshal_INT64_ARRAY( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, CLR_RT_TypedArray_INT64 &typedArray )
{
NATIVE_PROFILE_CLR_CORE();
return Interop_Marshal_NUMERIC_ARRAY<signed __int64>( stackFrame, paramIndex, typedArray.m_pData, typedArray.m_ElemCount, sizeof( signed __int64 ) );
}
#if !defined(NANOCLR_EMULATED_FLOATINGPOINT)
HRESULT Interop_Marshal_float_ARRAY( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, CLR_RT_TypedArray_float &typedArray )
{
NATIVE_PROFILE_CLR_CORE();
return Interop_Marshal_NUMERIC_ARRAY<float>( stackFrame, paramIndex, typedArray.m_pData, typedArray.m_ElemCount, sizeof( float ) );
}
HRESULT Interop_Marshal_double_ARRAY( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, CLR_RT_TypedArray_double &typedArray )
{
NATIVE_PROFILE_CLR_CORE();
return Interop_Marshal_NUMERIC_ARRAY<double>( stackFrame, paramIndex, typedArray.m_pData, typedArray.m_ElemCount, sizeof( double ) );
}
#else
HRESULT Interop_Marshal_float_ARRAY( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, CLR_RT_TypedArray_float &typedArray )
{
NATIVE_PROFILE_CLR_CORE();
return Interop_Marshal_NUMERIC_ARRAY<signed int>( stackFrame, paramIndex, typedArray.m_pData, typedArray.m_ElemCount, sizeof( signed int ) );
}
HRESULT Interop_Marshal_double_ARRAY( const CLR_RT_StackFrame &stackFrame, unsigned int paramIndex, CLR_RT_TypedArray_double &typedArray )
{
NATIVE_PROFILE_CLR_CORE();
return Interop_Marshal_NUMERIC_ARRAY<signed __int64>( stackFrame, paramIndex, typedArray.m_pData, typedArray.m_ElemCount, sizeof( signed __int64 ) );
}
#endif
/**********************************************************************
**
** Functions: SetResult_*
**
** Synopsis: This group of functions set result returned by native function to managed stack frame.
** It stores data from heap block pointed by pVoidHeapBlock back to the managed stack frame.
**
** Arguments: [stackFrame] - Reference to the managed stack frame.
** [pVoidHeapBlock] - Pointer to heap block that keeps updated basic type value
** [paramIndex] - Index of parameter passed from managed code. This parameter will be updated now.
**
** Returns: S_OK on success or error from StoreToReference. Error return would cause exception thrown in managed code.
**********************************************************************/
void SetResult_bool( CLR_RT_StackFrame &stackFrame, bool value )
{
NATIVE_PROFILE_CLR_CORE();
stackFrame.SetResult_Boolean( value );
}
void SetResult_CHAR( CLR_RT_StackFrame &stackFrame, char value )
{
NATIVE_PROFILE_CLR_CORE();
stackFrame.SetResult( value, DATATYPE_I1 );
}
void SetResult_INT8( CLR_RT_StackFrame &stackFrame, signed char value )
{
NATIVE_PROFILE_CLR_CORE();
stackFrame.SetResult( value, DATATYPE_I1 );
}
void SetResult_INT16( CLR_RT_StackFrame &stackFrame, signed short value )
{
NATIVE_PROFILE_CLR_CORE();
stackFrame.SetResult( value, DATATYPE_I2 );
}
void SetResult_INT32( CLR_RT_StackFrame &stackFrame, signed int value )
{
NATIVE_PROFILE_CLR_CORE();
stackFrame.SetResult( value, DATATYPE_I4 );
}
void SetResult_INT64( CLR_RT_StackFrame &stackFrame, signed __int64 value )
{
NATIVE_PROFILE_CLR_CORE();
stackFrame.SetResult_I8( value );
}
void SetResult_UINT8( CLR_RT_StackFrame &stackFrame, unsigned char value )
{
NATIVE_PROFILE_CLR_CORE();
stackFrame.SetResult( value, DATATYPE_U1 );
}
void SetResult_UINT16( CLR_RT_StackFrame &stackFrame, unsigned short value )
{
NATIVE_PROFILE_CLR_CORE();
stackFrame.SetResult( value, DATATYPE_U2 );
}
void SetResult_UINT32( CLR_RT_StackFrame &stackFrame, unsigned int value )
{
NATIVE_PROFILE_CLR_CORE();
stackFrame.SetResult( value, DATATYPE_U4 );
}
void SetResult_UINT64( CLR_RT_StackFrame &stackFrame, unsigned __int64 value )
{
NATIVE_PROFILE_CLR_CORE();
stackFrame.SetResult_U8( value );
}
#if !defined(NANOCLR_EMULATED_FLOATINGPOINT)
void SetResult_float( CLR_RT_StackFrame &stackFrame, float value )
{
NATIVE_PROFILE_CLR_CORE();
stackFrame.SetResult_R4( value );
}
void SetResult_double( CLR_RT_StackFrame &stackFrame, double value )
{
NATIVE_PROFILE_CLR_CORE();
stackFrame.SetResult_R8( value );
}
#else
void SetResult_float( CLR_RT_StackFrame &stackFrame, CLR_INT32 value )
{
NATIVE_PROFILE_CLR_CORE();
stackFrame.SetResult_R4( value );
}
void SetResult_double( CLR_RT_StackFrame &stackFrame, CLR_INT64& value )
{
NATIVE_PROFILE_CLR_CORE();
stackFrame.SetResult_R8( value );
}
#endif
void SetResult_LPCSTR( CLR_RT_StackFrame &stackFrame, const char* lpszString )
{
NATIVE_PROFILE_CLR_CORE();
stackFrame.SetResult_String( lpszString );
}
/**********************************************************************
**
** Group of function that retrive reference to particular type from managed stack frame.
** This function hides CLR_RT_HeapBlock structure.
**
** Functions: Interop_Marshal_*_ByRef
**
** Synopsis: For paramenters passed by reference gets the
** reference to basic type parameter.
** After the call the pParam points to variable passed by reference from managed code.
**
** Arguments: [stackFrame] - Reference to the managed stack frame.
** [pHeapBlock] - Pointer to heap block that keeps reference type extracted from managed stack frame
** [paramIndex] - Index of parameter passed from managed code.
** [pParam] - Pointer to variable passed by reference from managed code. Filled by function.
**
** Returns: S_OK on success or error from LoadFromReference of CLR_E_WRONG_TYPE if type invalid. Error return would cause exception thrown in managed code.
**********************************************************************/
/**********************************************************************
** Macro: NANOCLR_INTEROP_CHECK_REF_TYPE
** This macro is specific for Interop_Marshal_*_ByRef functions.
** It checks that retrived type corresponds to the data type stored in heapblock
** in parameter paramIndex.
** In release mode macro does nothing.
**********************************************************************/
#if defined(_DEBUG)
// In debug mode check reference type.
#define NANOCLR_INTEROP_CHECK_REF_TYPE( ref_type ) \
if ( ((CLR_RT_HeapBlock *)pHeapBlock)->DataType() != ref_type ) \
{ \
NANOCLR_SET_AND_LEAVE( CLR_E_WRONG_TYPE ); \
}
#else // Not defined _DEBUG, means we are in release mode - do nothing.
#define NANOCLR_INTEROP_CHECK_REF_TYPE( ref_type )
#endif
//------------------ Unsigned Integral types ----------------------------------------------------------------------------
HRESULT Interop_Marshal_bool_ByRef( const CLR_RT_StackFrame &stackFrame, void *pHeapBlock, unsigned int paramIndex, unsigned char *&pParam )
{
NATIVE_PROFILE_CLR_CORE();
// Declare hRes ( #define NANOCLR_HEADER() HRESULT hr )
NANOCLR_HEADER();
// Loads heapblock data from heapblock in managed stack frame
NANOCLR_CHECK_HRESULT(((CLR_RT_HeapBlock *)pHeapBlock)->LoadFromReference( stackFrame.ArgN(paramIndex) ));
// Validates that data in heapblock correspond to requested parameter.
NANOCLR_INTEROP_CHECK_REF_TYPE(DATATYPE_U1)
// Now we have initialized pHeapBlock with reference paramenter.
// Need to cast the pointer because &s1 is "CLR_INT8 *", while we need "bool *"
pParam = &((CLR_RT_HeapBlock *)pHeapBlock)->NumericByRef().u1;
// Return S_OK or error if there is "go to" from NANOCLR_CHECK_HRESULT or NANOCLR_SET_AND_LEAVE
NANOCLR_NOCLEANUP();
}
HRESULT Interop_Marshal_UINT8_ByRef( const CLR_RT_StackFrame &stackFrame, void *pHeapBlock, unsigned int paramIndex, unsigned char *&pParam )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_HEADER();
NANOCLR_CHECK_HRESULT(((CLR_RT_HeapBlock *)pHeapBlock)->LoadFromReference( stackFrame.ArgN(paramIndex) ));
NANOCLR_INTEROP_CHECK_REF_TYPE(DATATYPE_U1)
pParam = &((CLR_RT_HeapBlock *)pHeapBlock)->NumericByRef().u1;
NANOCLR_NOCLEANUP();
}
HRESULT Interop_Marshal_UINT16_ByRef( const CLR_RT_StackFrame &stackFrame, void *pHeapBlock, unsigned int paramIndex, unsigned short *&pParam )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_HEADER();
NANOCLR_CHECK_HRESULT(((CLR_RT_HeapBlock *)pHeapBlock)->LoadFromReference( stackFrame.ArgN(paramIndex) ));
NANOCLR_INTEROP_CHECK_REF_TYPE(DATATYPE_U2)
pParam = &((CLR_RT_HeapBlock *)pHeapBlock)->NumericByRef().u2;
NANOCLR_NOCLEANUP();
}
HRESULT Interop_Marshal_UINT32_ByRef( const CLR_RT_StackFrame &stackFrame, void *pHeapBlock, unsigned int paramIndex, unsigned int *&pParam )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_HEADER();
NANOCLR_CHECK_HRESULT(((CLR_RT_HeapBlock *)pHeapBlock)->LoadFromReference( stackFrame.ArgN(paramIndex) ));
NANOCLR_INTEROP_CHECK_REF_TYPE(DATATYPE_U4)
pParam = &((CLR_RT_HeapBlock *)pHeapBlock)->NumericByRef().u4;
NANOCLR_NOCLEANUP();
}
HRESULT Interop_Marshal_UINT64_ByRef( const CLR_RT_StackFrame &stackFrame, void *pHeapBlock, unsigned int paramIndex, unsigned __int64 *&pParam )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_HEADER();
NANOCLR_CHECK_HRESULT(((CLR_RT_HeapBlock *)pHeapBlock)->LoadFromReference( stackFrame.ArgN(paramIndex) ));
NANOCLR_INTEROP_CHECK_REF_TYPE(DATATYPE_U8)
pParam = (unsigned __int64 *)&((CLR_RT_HeapBlock *)pHeapBlock)->NumericByRef().u8;
NANOCLR_NOCLEANUP();
}
//------------------ Signed Integral types ----------------------------------------------------------------------------
HRESULT Interop_Marshal_CHAR_ByRef( const CLR_RT_StackFrame &stackFrame, void *pHeapBlock, unsigned int paramIndex, char *&pParam )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_HEADER();
NANOCLR_CHECK_HRESULT(((CLR_RT_HeapBlock *)pHeapBlock)->LoadFromReference( stackFrame.ArgN(paramIndex) ));
NANOCLR_INTEROP_CHECK_REF_TYPE(DATATYPE_CHAR)
pParam = (char *)&((CLR_RT_HeapBlock *)pHeapBlock)->NumericByRef().s1;
NANOCLR_NOCLEANUP();
}
HRESULT Interop_Marshal_INT8_ByRef( const CLR_RT_StackFrame &stackFrame, void *pHeapBlock, unsigned int paramIndex, signed char *&pParam )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_HEADER();
NANOCLR_CHECK_HRESULT(((CLR_RT_HeapBlock *)pHeapBlock)->LoadFromReference( stackFrame.ArgN(paramIndex) ));
// signed char servers for both boolean and sbyte types. So we check for either of them.
#if defined(_DEBUG)
if ( !( ((CLR_RT_HeapBlock *)pHeapBlock)->DataType() == DATATYPE_I1 ||
((CLR_RT_HeapBlock *)pHeapBlock)->DataType() == DATATYPE_BOOLEAN )
)
{
NANOCLR_SET_AND_LEAVE(CLR_E_WRONG_TYPE);
}
#endif
pParam = &((CLR_RT_HeapBlock *)pHeapBlock)->NumericByRef().s1;
NANOCLR_NOCLEANUP();
}
HRESULT Interop_Marshal_INT16_ByRef( const CLR_RT_StackFrame &stackFrame, void *pHeapBlock, unsigned int paramIndex, signed short *&pParam )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_HEADER();
NANOCLR_CHECK_HRESULT(((CLR_RT_HeapBlock *)pHeapBlock)->LoadFromReference( stackFrame.ArgN(paramIndex) ));
NANOCLR_INTEROP_CHECK_REF_TYPE(DATATYPE_I2)
pParam = &((CLR_RT_HeapBlock *)pHeapBlock)->NumericByRef().s2;
NANOCLR_NOCLEANUP();
}
HRESULT Interop_Marshal_INT32_ByRef( const CLR_RT_StackFrame &stackFrame, void *pHeapBlock, unsigned int paramIndex, signed int *&pParam )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_HEADER();
NANOCLR_CHECK_HRESULT(((CLR_RT_HeapBlock *)pHeapBlock)->LoadFromReference( stackFrame.ArgN(paramIndex) ));
NANOCLR_INTEROP_CHECK_REF_TYPE(DATATYPE_I4)
pParam = &((CLR_RT_HeapBlock *)pHeapBlock)->NumericByRef().s4;
NANOCLR_NOCLEANUP();
}
HRESULT Interop_Marshal_INT64_ByRef( const CLR_RT_StackFrame &stackFrame, void *pHeapBlock, unsigned int paramIndex, signed __int64 *&pParam )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_HEADER();
NANOCLR_CHECK_HRESULT(((CLR_RT_HeapBlock *)pHeapBlock)->LoadFromReference( stackFrame.ArgN(paramIndex) ));
NANOCLR_INTEROP_CHECK_REF_TYPE(DATATYPE_I8)
pParam = (signed __int64 *)&((CLR_RT_HeapBlock *)pHeapBlock)->NumericByRef().s8;
NANOCLR_NOCLEANUP();
}
//----------------- Float point types - float and double
#if !defined(NANOCLR_EMULATED_FLOATINGPOINT)
HRESULT Interop_Marshal_float_ByRef( const CLR_RT_StackFrame &stackFrame, void *pHeapBlock, unsigned int paramIndex, float *&pParam )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_HEADER();
NANOCLR_CHECK_HRESULT(((CLR_RT_HeapBlock *)pHeapBlock)->LoadFromReference( stackFrame.ArgN(paramIndex) ));
NANOCLR_INTEROP_CHECK_REF_TYPE(DATATYPE_R4)
pParam = &((CLR_RT_HeapBlock *)pHeapBlock)->NumericByRef().r4;
NANOCLR_NOCLEANUP();
}
HRESULT Interop_Marshal_double_ByRef( const CLR_RT_StackFrame &stackFrame, void *pHeapBlock, unsigned int paramIndex, double *&pParam )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_HEADER();
NANOCLR_CHECK_HRESULT(((CLR_RT_HeapBlock *)pHeapBlock)->LoadFromReference( stackFrame.ArgN(paramIndex) ));
NANOCLR_INTEROP_CHECK_REF_TYPE(DATATYPE_R8)
pParam = (double *)&((CLR_RT_HeapBlock *)pHeapBlock)->NumericByRef().r8;
NANOCLR_NOCLEANUP();
}
//----------------- Non Float point types - float and double
#else
HRESULT Interop_Marshal_float_ByRef( const CLR_RT_StackFrame &stackFrame, void *pHeapBlock, unsigned int paramIndex, signed int *&pParam )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_HEADER();
NANOCLR_CHECK_HRESULT(((CLR_RT_HeapBlock *)pHeapBlock)->LoadFromReference( stackFrame.ArgN(paramIndex) ));
NANOCLR_INTEROP_CHECK_REF_TYPE(DATATYPE_R4)
pParam = (signed int *)&((CLR_RT_HeapBlock *)pHeapBlock)->NumericByRef().r4;
NANOCLR_NOCLEANUP();
}
HRESULT Interop_Marshal_double_ByRef( const CLR_RT_StackFrame &stackFrame, void *pHeapBlock, unsigned int paramIndex, signed __int64* &pParam )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_HEADER();
NANOCLR_CHECK_HRESULT(((CLR_RT_HeapBlock *)pHeapBlock)->LoadFromReference( stackFrame.ArgN(paramIndex) ));
NANOCLR_INTEROP_CHECK_REF_TYPE(DATATYPE_R8)
pParam = (signed __int64 *)&((CLR_RT_HeapBlock *)pHeapBlock)->NumericByRef().r8;
NANOCLR_NOCLEANUP();
}
#endif
HRESULT Interop_Marshal_UNSUPPORTED_TYPE_ByRef( const CLR_RT_StackFrame &stackFrame, void *pHeapBlock, unsigned int paramIndex, UNSUPPORTED_TYPE *&pParam )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_HEADER();
NANOCLR_CHECK_HRESULT(((CLR_RT_HeapBlock *)pHeapBlock)->LoadFromReference( stackFrame.ArgN(paramIndex) ));
pParam = NULL;
NANOCLR_NOCLEANUP();
}
#undef NANOCLR_INTEROP_CHECK_REF_TYPE
/**********************************************************************
**
** Function: Interop_Marshal_StoreRef
**
** Synopsis: Stores data from the heap block passed in pVoidHeapBlock back to managed stack frame.
** Thus the managed stack frame and application may receive modified value of variable passed by reference..
**
** Arguments: [stackFrame] - Reference to the managed stack frame.
** [pVoidHeapBlock] - Pointer to heap block that keeps updated value of variable passed by reference.
** [paramIndex] - Index of parameter passed from managed code.
**
** Returns: S_OK on success or error from StoreToReference. Error return would cause exception thrown in managed code.
**********************************************************************/
HRESULT Interop_Marshal_StoreRef( CLR_RT_StackFrame &stackFrame, void *pVoidHeapBlock, unsigned int paramIndex )
{
NATIVE_PROFILE_CLR_CORE();
NANOCLR_HEADER();
CLR_RT_HeapBlock *pHeapBlock = (CLR_RT_HeapBlock *)pVoidHeapBlock;
NANOCLR_CHECK_HRESULT(pHeapBlock->StoreToReference( stackFrame.ArgN(paramIndex), 0 ));
NANOCLR_NOCLEANUP();
}
CLR_RT_HeapBlock* Interop_Marshal_RetrieveManagedObject( CLR_RT_StackFrame &stackFrame )
{
return stackFrame.This();
}
/**********************************************************************
**
** Functions: Interop_Marshal_GetField_
**
** Synopsis: Retrieves C++ reference ( pointer ) to the field in managed object.
**
** Arguments: [pThis] - Pointer to the managed object retrieved by Interop_Marshal_RetrieveManagedObject.
** [fieldIndex] - Field index.
**
** Returns: Reference to the field.
**********************************************************************/
#ifdef __GNUC__
#pragma GCC diagnostic push
#pragma GCC diagnostic ignored "-Wstrict-aliasing"
#endif
bool &Interop_Marshal_GetField_bool( CLR_RT_HeapBlock *pThis, unsigned int fieldIndex )
{
return (bool&)pThis[ fieldIndex ].NumericByRef().u1;
}
#ifdef __GNUC__
#pragma GCC diagnostic pop
#endif
unsigned char &Interop_Marshal_GetField_UINT8( CLR_RT_HeapBlock *pThis, unsigned int fieldIndex )
{
return pThis[ fieldIndex ].NumericByRef().u1;
}
unsigned short &Interop_Marshal_GetField_UINT16( CLR_RT_HeapBlock *pThis, unsigned int fieldIndex )
{
return pThis[ fieldIndex ].NumericByRef().u2;
}
unsigned int &Interop_Marshal_GetField_UINT32( CLR_RT_HeapBlock *pThis, unsigned int fieldIndex )
{
return pThis[ fieldIndex ].NumericByRef().u4;
}
#ifdef __GNUC__
#pragma GCC diagnostic push
#pragma GCC diagnostic ignored "-Wstrict-aliasing"
#endif
unsigned __int64 &Interop_Marshal_GetField_UINT64( CLR_RT_HeapBlock *pThis, unsigned int fieldIndex )
{
return (unsigned __int64 &)pThis[ fieldIndex ].NumericByRef().u8;
}
#ifdef __GNUC__
#pragma GCC diagnostic pop
#endif
char &Interop_Marshal_GetField_CHAR( CLR_RT_HeapBlock *pThis, unsigned int fieldIndex )
{
return (char &)pThis[ fieldIndex ].NumericByRef().s1;
}
signed char &Interop_Marshal_GetField_INT8( CLR_RT_HeapBlock *pThis, unsigned int fieldIndex )
{
return pThis[ fieldIndex ].NumericByRef().s1;
}
signed short &Interop_Marshal_GetField_INT16( CLR_RT_HeapBlock *pThis, unsigned int fieldIndex )
{
return pThis[ fieldIndex ].NumericByRef().s2;
}
signed int &Interop_Marshal_GetField_INT32( CLR_RT_HeapBlock *pThis, unsigned int fieldIndex )
{
return pThis[ fieldIndex ].NumericByRef().s4;
}
#ifdef __GNUC__
#pragma GCC diagnostic push
#pragma GCC diagnostic ignored "-Wstrict-aliasing"
#endif
signed __int64 &Interop_Marshal_GetField_INT64( CLR_RT_HeapBlock *pThis, unsigned int fieldIndex )
{
return (signed __int64 &)pThis[ fieldIndex ].NumericByRef().s8;
}
#ifdef __GNUC__
#pragma GCC diagnostic pop
#endif
//----------------- Float point types - float and double
#if !defined(NANOCLR_EMULATED_FLOATINGPOINT)
float &Interop_Marshal_GetField_float( CLR_RT_HeapBlock *pThis, unsigned int fieldIndex )
{
return pThis[ fieldIndex ].NumericByRef().r4;
}
#ifdef __GNUC__
#pragma GCC diagnostic push
#pragma GCC diagnostic ignored "-Wstrict-aliasing"
#endif
double &Interop_Marshal_GetField_double( CLR_RT_HeapBlock *pThis, unsigned int fieldIndex )
{
return (double &)pThis[ fieldIndex ].NumericByRef().r8;
}
#ifdef __GNUC__
#pragma GCC diagnostic pop
#endif
#else
signed int &Interop_Marshal_GetField_float( CLR_RT_HeapBlock *pThis, unsigned int fieldIndex )
{
return (signed int &) pThis[ fieldIndex ].NumericByRef().r4;
}
signed __int64 &Interop_Marshal_GetField_double( CLR_RT_HeapBlock *pThis, unsigned int fieldIndex )
{
return (signed __int64 &)pThis[ fieldIndex ].NumericByRef().r8;
}
#endif
#if defined(__arm)
#pragma push
#pragma diag_suppress 284
#endif
#ifdef __GNUC__
#pragma GCC diagnostic push
#pragma GCC diagnostic ignored "-Wunused-parameter"
#endif
UNSUPPORTED_TYPE &Interop_Marshal_GetField_UNSUPPORTED_TYPE( CLR_RT_HeapBlock *pThis, unsigned int fieldIndex )
{
return (UNSUPPORTED_TYPE &)(*((UNSUPPORTED_TYPE *)NULL));
}
#ifdef __GNUC__
#pragma GCC diagnostic pop
#endif
#if defined(__arm)
#pragma pop
#endif
| Eclo/nf-interpreter | src/CLR/Core/CLR_RT_Interop.cpp | C++ | mit | 31,482 |
/**
* VS theme by Andrew Lock (https://andrewlock.net)
* Inspired by Visual Studio syntax coloring
*/
code[class*="language-"],
pre[class*="language-"] {
color: #393A34;
font-family: "Consolas", "Bitstream Vera Sans Mono", "Courier New", Courier, monospace;
direction: ltr;
text-align: left;
white-space: pre;
word-spacing: normal;
word-break: normal;
font-size: 0.95em;
line-height: 1.2em;
-moz-tab-size: 4;
-o-tab-size: 4;
tab-size: 4;
-webkit-hyphens: none;
-moz-hyphens: none;
-ms-hyphens: none;
hyphens: none;
}
pre[class*="language-"]::-moz-selection, pre[class*="language-"] ::-moz-selection,
code[class*="language-"]::-moz-selection, code[class*="language-"] ::-moz-selection {
background: #0000ff;
}
pre[class*="language-"]::selection, pre[class*="language-"] ::selection,
code[class*="language-"]::selection, code[class*="language-"] ::selection {
background: #0000ff;
}
/* Code blocks */
pre[class*="language-"] {
padding: 1em;
margin: .5em 0;
overflow: auto;
border: 1px solid #dddddd;
background-color: white;
}
:not(pre) > code[class*="language-"],
pre[class*="language-"] {
}
/* Inline code */
:not(pre) > code[class*="language-"] {
padding: .2em;
padding-top: 1px; padding-bottom: 1px;
background: #f8f8f8;
border: 1px solid #dddddd;
}
.token.comment,
.token.prolog,
.token.doctype,
.token.cdata {
color: #008000; font-style: italic;
}
.token.namespace {
opacity: .7;
}
.token.string {
color: #A31515;
}
.token.punctuation,
.token.operator {
color: #393A34; /* no highlight */
}
.token.url,
.token.symbol,
.token.number,
.token.boolean,
.token.variable,
.token.constant,
.token.inserted {
color: #36acaa;
}
.token.atrule,
.token.keyword,
.token.attr-value,
.language-autohotkey .token.selector,
code[class*="language-css"] {
color: #0000ff;
}
.token.function {
color: #393A34;
}
.token.deleted,
.language-autohotkey .token.tag {
color: #9a050f;
}
.token.selector,
.language-autohotkey .token.keyword {
color: #00009f;
}
.token.important,
.token.bold {
font-weight: bold;
}
.token.italic {
font-style: italic;
}
.token.class-name {
color: #2B91AF;
}
.token.tag,
.token.selector {
color: #800000;
}
.token.attr-name,
.token.property,
.token.regex,
.token.entity {
color: #ff0000;
}
.token.directive.tag .tag {
background: #ffff00;
color: #393A34;
}
| atelierbram/syntax-highlighting | docs/prism/demo/assets/css/prism-vs.css | CSS | mit | 2,462 |
/*
* Copyright 2016 Palantir Technologies, Inc.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
"use strict";
var __extends = (this && this.__extends) || (function () {
var extendStatics = Object.setPrototypeOf ||
({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) ||
function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; };
return function (d, b) {
extendStatics(d, b);
function __() { this.constructor = d; }
d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());
};
})();
Object.defineProperty(exports, "__esModule", { value: true });
// Use classes here instead of interfaces because we want runtime type data
var Line = (function () {
function Line() {
}
return Line;
}());
exports.Line = Line;
var CodeLine = (function (_super) {
__extends(CodeLine, _super);
function CodeLine(contents) {
var _this = _super.call(this) || this;
_this.contents = contents;
return _this;
}
return CodeLine;
}(Line));
exports.CodeLine = CodeLine;
var MessageSubstitutionLine = (function (_super) {
__extends(MessageSubstitutionLine, _super);
function MessageSubstitutionLine(key, message) {
var _this = _super.call(this) || this;
_this.key = key;
_this.message = message;
return _this;
}
return MessageSubstitutionLine;
}(Line));
exports.MessageSubstitutionLine = MessageSubstitutionLine;
var ErrorLine = (function (_super) {
__extends(ErrorLine, _super);
function ErrorLine(startCol) {
var _this = _super.call(this) || this;
_this.startCol = startCol;
return _this;
}
return ErrorLine;
}(Line));
exports.ErrorLine = ErrorLine;
var MultilineErrorLine = (function (_super) {
__extends(MultilineErrorLine, _super);
function MultilineErrorLine(startCol) {
return _super.call(this, startCol) || this;
}
return MultilineErrorLine;
}(ErrorLine));
exports.MultilineErrorLine = MultilineErrorLine;
var EndErrorLine = (function (_super) {
__extends(EndErrorLine, _super);
function EndErrorLine(startCol, endCol, message) {
var _this = _super.call(this, startCol) || this;
_this.endCol = endCol;
_this.message = message;
return _this;
}
return EndErrorLine;
}(ErrorLine));
exports.EndErrorLine = EndErrorLine;
// example matches (between the quotes):
// " ~~~~~~~~"
var multilineErrorRegex = /^\s*(~+|~nil)$/;
// " ~~~~~~~~~ [some error message]"
var endErrorRegex = /^\s*(~+|~nil)\s*\[(.+)\]\s*$/;
// "[shortcut]: full messages goes here!! "
var messageSubstitutionRegex = /^\[([\w\-\_]+?)]: \s*(.+?)\s*$/;
exports.ZERO_LENGTH_ERROR = "~nil";
/**
* Maps a line of text from a .lint file to an appropriate Line object
*/
function parseLine(text) {
var multilineErrorMatch = text.match(multilineErrorRegex);
if (multilineErrorMatch != null) {
var startErrorCol = text.indexOf("~");
return new MultilineErrorLine(startErrorCol);
}
var endErrorMatch = text.match(endErrorRegex);
if (endErrorMatch != null) {
var squiggles = endErrorMatch[1], message = endErrorMatch[2];
var startErrorCol = text.indexOf("~");
var zeroLengthError = (squiggles === exports.ZERO_LENGTH_ERROR);
var endErrorCol = zeroLengthError ? startErrorCol : text.lastIndexOf("~") + 1;
return new EndErrorLine(startErrorCol, endErrorCol, message);
}
var messageSubstitutionMatch = text.match(messageSubstitutionRegex);
if (messageSubstitutionMatch != null) {
var key = messageSubstitutionMatch[1], message = messageSubstitutionMatch[2];
return new MessageSubstitutionLine(key, message);
}
// line doesn't match any syntax for error markup, so it's a line of code to be linted
return new CodeLine(text);
}
exports.parseLine = parseLine;
/**
* Maps a Line object to a matching line of text that could be in a .lint file.
* This is almost the inverse of parseLine.
* If you ran `printLine(parseLine(someText), code)`, the whitespace in the result may be different than in someText
* @param line - A Line object to convert to text
* @param code - If line represents error markup, this is the line of code preceding the markup.
* Otherwise, this parameter is not required.
*/
function printLine(line, code) {
if (line instanceof ErrorLine) {
if (code == null) {
throw new Error("Must supply argument for code parameter when line is an ErrorLine");
}
var leadingSpaces = " ".repeat(line.startCol);
if (line instanceof MultilineErrorLine) {
// special case for when the line of code is simply a newline.
// use "~nil" to indicate the error continues on that line
if (code.length === 0 && line.startCol === 0) {
return exports.ZERO_LENGTH_ERROR;
}
var tildes = "~".repeat(code.length - leadingSpaces.length);
return "" + leadingSpaces + tildes;
}
else if (line instanceof EndErrorLine) {
var tildes = "~".repeat(line.endCol - line.startCol);
if (code.length < line.endCol) {
// Better than crashing in String.repeat
throw new Error("Bad error marker at " + JSON.stringify(line));
}
var endSpaces = " ".repeat(code.length - line.endCol);
if (tildes.length === 0) {
tildes = exports.ZERO_LENGTH_ERROR;
// because we add "~nil" we need four less spaces than normal at the end
// always make sure we have at least one space though
endSpaces = endSpaces.substring(0, Math.max(endSpaces.length - 4, 1));
}
return "" + leadingSpaces + tildes + endSpaces + " [" + line.message + "]";
}
}
else if (line instanceof MessageSubstitutionLine) {
return "[" + line.key + "]: " + line.message;
}
else if (line instanceof CodeLine) {
return line.contents;
}
return null;
}
exports.printLine = printLine;
| adityashukla74/amcharts-with-angular2 | node_modules/tslint/lib/test/lines.js | JavaScript | mit | 6,702 |
namespace Santase.Tests
{
using System;
using System.Collections.Generic;
using NUnit.Framework;
using Santase.Logic.Cards;
using Logic;
[TestFixture]
public class DeckTests
{
[Test]
public void NewDeckShouldContain24cards()
{
IDeck testDeck = new Deck();
Assert.AreEqual(24, testDeck.CardsLeft);
}
[Test]
[TestCase(25)]
public void GetNextCardShouldThrowInternalGameExceptionIfDeckIsEmpty(int cardsToBeDrawn)
{
IDeck testDeck = new Deck();
try
{
for (int i = 0; i < cardsToBeDrawn; i++)
{
testDeck.GetNextCard();
}
Assert.Fail();
}
catch(InternalGameException)
{
}
}
[Test]
public void GetNextCardShouldReturnAValidCardSuit()
{
IDeck testDeck = new Deck();
Assert.IsTrue(Enum.IsDefined(typeof(CardSuit), testDeck.GetNextCard().Suit));
}
[Test]
public void GetNextCardShouldReturnAValidCardType()
{
IDeck testDeck = new Deck();
Assert.IsTrue(Enum.IsDefined(typeof(CardType), testDeck.GetNextCard().Type));
}
[Test]
public void GetNextCardShouldRemoveACardFromTheDeck()
{
IDeck testDeck = new Deck();
int initialCardsCount = testDeck.CardsLeft;
testDeck.GetNextCard();
Assert.AreEqual(initialCardsCount - 1, testDeck.CardsLeft);
}
[Test]
[TestCase(5)]
[TestCase(12)]
[TestCase(17)]
[TestCase(21)]
[TestCase(23)]
public void GetNextCardShouldGenerateCardAndAddintItToAListShouldReturnTheCorrectCount(int count)
{
IDeck testDeck = new Deck();
var cards = new List<Card>();
for (int i = 0; i < count; i++)
{
cards.Add(testDeck.GetNextCard());
}
Assert.AreEqual(count, cards.Count);
}
[Test]
public void ChangeTrumpCardShouldReturnAValidCardSuit()
{
IDeck testDeck = new Deck();
Assert.IsTrue(Enum.IsDefined(typeof(CardSuit), testDeck.TrumpCard.Suit));
}
[Test]
public void ChangeTrumpCardShouldReturnAValidCardType()
{
IDeck testDeck = new Deck();
Assert.IsTrue(Enum.IsDefined(typeof(CardType), testDeck.TrumpCard.Type));
}
[Test]
public void ChangeTrumpCardShouldChangeTheTrumpCardInTheDeckIfThereAreLeftCards()
{
IDeck testDeck = new Deck();
Card initialTrumpcard = testDeck.TrumpCard;
Card newcard = testDeck.GetNextCard();
testDeck.ChangeTrumpCard(newcard);
Assert.AreNotSame(initialTrumpcard, testDeck.TrumpCard);
}
}
}
| MilStancheva/Telerik-Academy-Homework-Assignments | Unit Testing/UnitTestingHomework/Santase.Tests/DeckTests.cs | C# | mit | 3,002 |
if("undefined"==typeof jQuery)throw new Error("Bootstrap's JavaScript requires jQuery");+function($){"use strict";var t=$.fn.jquery.split(" ")[0].split(".");if(t[0]<2&&t[1]<9||1==t[0]&&9==t[1]&&t[2]<1)throw new Error("Bootstrap's JavaScript requires jQuery version 1.9.1 or higher")}(jQuery),+function($){"use strict";function t(){var t=document.createElement("bootstrap"),e={WebkitTransition:"webkitTransitionEnd",MozTransition:"transitionend",OTransition:"oTransitionEnd otransitionend",transition:"transitionend"};for(var i in e)if(void 0!==t.style[i])return{end:e[i]};return!1}$.fn.emulateTransitionEnd=function(t){var e=!1,i=this;$(this).one("bsTransitionEnd",function(){e=!0});var o=function(){e||$(i).trigger($.support.transition.end)};return setTimeout(o,t),this},$(function(){$.support.transition=t(),$.support.transition&&($.event.special.bsTransitionEnd={bindType:$.support.transition.end,delegateType:$.support.transition.end,handle:function(t){return $(t.target).is(this)?t.handleObj.handler.apply(this,arguments):void 0}})})}(jQuery),+function($){"use strict";function t(t){return this.each(function(){var e=$(this),o=e.data("bs.alert");o||e.data("bs.alert",o=new i(this)),"string"==typeof t&&o[t].call(e)})}var e='[data-dismiss="alert"]',i=function(t){$(t).on("click",e,this.close)};i.VERSION="3.3.5",i.TRANSITION_DURATION=150,i.prototype.close=function(t){function e(){s.detach().trigger("closed.bs.alert").remove()}var o=$(this),n=o.attr("data-target");n||(n=o.attr("href"),n=n&&n.replace(/.*(?=#[^\s]*$)/,""));var s=$(n);t&&t.preventDefault(),s.length||(s=o.closest(".alert")),s.trigger(t=$.Event("close.bs.alert")),t.isDefaultPrevented()||(s.removeClass("in"),$.support.transition&&s.hasClass("fade")?s.one("bsTransitionEnd",e).emulateTransitionEnd(i.TRANSITION_DURATION):e())};var o=$.fn.alert;$.fn.alert=t,$.fn.alert.Constructor=i,$.fn.alert.noConflict=function(){return $.fn.alert=o,this},$(document).on("click.bs.alert.data-api",e,i.prototype.close)}(jQuery),+function($){"use strict";function t(t){return this.each(function(){var i=$(this),o=i.data("bs.button"),n="object"==typeof t&&t;o||i.data("bs.button",o=new e(this,n)),"toggle"==t?o.toggle():t&&o.setState(t)})}var e=function(t,i){this.$element=$(t),this.options=$.extend({},e.DEFAULTS,i),this.isLoading=!1};e.VERSION="3.3.5",e.DEFAULTS={loadingText:"loading..."},e.prototype.setState=function(t){var e="disabled",i=this.$element,o=i.is("input")?"val":"html",n=i.data();t+="Text",null==n.resetText&&i.data("resetText",i[o]()),setTimeout($.proxy(function(){i[o](null==n[t]?this.options[t]:n[t]),"loadingText"==t?(this.isLoading=!0,i.addClass(e).attr(e,e)):this.isLoading&&(this.isLoading=!1,i.removeClass(e).removeAttr(e))},this),0)},e.prototype.toggle=function(){var t=!0,e=this.$element.closest('[data-toggle="buttons"]');if(e.length){var i=this.$element.find("input");"radio"==i.prop("type")?(i.prop("checked")&&(t=!1),e.find(".active").removeClass("active"),this.$element.addClass("active")):"checkbox"==i.prop("type")&&(i.prop("checked")!==this.$element.hasClass("active")&&(t=!1),this.$element.toggleClass("active")),i.prop("checked",this.$element.hasClass("active")),t&&i.trigger("change")}else this.$element.attr("aria-pressed",!this.$element.hasClass("active")),this.$element.toggleClass("active")};var i=$.fn.button;$.fn.button=t,$.fn.button.Constructor=e,$.fn.button.noConflict=function(){return $.fn.button=i,this},$(document).on("click.bs.button.data-api",'[data-toggle^="button"]',function(e){var i=$(e.target);i.hasClass("btn")||(i=i.closest(".btn")),t.call(i,"toggle"),$(e.target).is('input[type="radio"]')||$(e.target).is('input[type="checkbox"]')||e.preventDefault()}).on("focus.bs.button.data-api blur.bs.button.data-api",'[data-toggle^="button"]',function(t){$(t.target).closest(".btn").toggleClass("focus",/^focus(in)?$/.test(t.type))})}(jQuery),+function($){"use strict";function t(t){return this.each(function(){var i=$(this),o=i.data("bs.carousel"),n=$.extend({},e.DEFAULTS,i.data(),"object"==typeof t&&t),s="string"==typeof t?t:n.slide;o||i.data("bs.carousel",o=new e(this,n)),"number"==typeof t?o.to(t):s?o[s]():n.interval&&o.pause().cycle()})}var e=function(t,e){this.$element=$(t),this.$indicators=this.$element.find(".carousel-indicators"),this.options=e,this.paused=null,this.sliding=null,this.interval=null,this.$active=null,this.$items=null,this.options.keyboard&&this.$element.on("keydown.bs.carousel",$.proxy(this.keydown,this)),"hover"==this.options.pause&&!("ontouchstart"in document.documentElement)&&this.$element.on("mouseenter.bs.carousel",$.proxy(this.pause,this)).on("mouseleave.bs.carousel",$.proxy(this.cycle,this))};e.VERSION="3.3.5",e.TRANSITION_DURATION=600,e.DEFAULTS={interval:5e3,pause:"hover",wrap:!0,keyboard:!0},e.prototype.keydown=function(t){if(!/input|textarea/i.test(t.target.tagName)){switch(t.which){case 37:this.prev();break;case 39:this.next();break;default:return}t.preventDefault()}},e.prototype.cycle=function(t){return t||(this.paused=!1),this.interval&&clearInterval(this.interval),this.options.interval&&!this.paused&&(this.interval=setInterval($.proxy(this.next,this),this.options.interval)),this},e.prototype.getItemIndex=function(t){return this.$items=t.parent().children(".item"),this.$items.index(t||this.$active)},e.prototype.getItemForDirection=function(t,e){var i=this.getItemIndex(e),o="prev"==t&&0===i||"next"==t&&i==this.$items.length-1;if(o&&!this.options.wrap)return e;var n="prev"==t?-1:1,s=(i+n)%this.$items.length;return this.$items.eq(s)},e.prototype.to=function(t){var e=this,i=this.getItemIndex(this.$active=this.$element.find(".item.active"));return t>this.$items.length-1||0>t?void 0:this.sliding?this.$element.one("slid.bs.carousel",function(){e.to(t)}):i==t?this.pause().cycle():this.slide(t>i?"next":"prev",this.$items.eq(t))},e.prototype.pause=function(t){return t||(this.paused=!0),this.$element.find(".next, .prev").length&&$.support.transition&&(this.$element.trigger($.support.transition.end),this.cycle(!0)),this.interval=clearInterval(this.interval),this},e.prototype.next=function(){return this.sliding?void 0:this.slide("next")},e.prototype.prev=function(){return this.sliding?void 0:this.slide("prev")},e.prototype.slide=function(t,i){var o=this.$element.find(".item.active"),n=i||this.getItemForDirection(t,o),s=this.interval,a="next"==t?"left":"right",r=this;if(n.hasClass("active"))return this.sliding=!1;var l=n[0],h=$.Event("slide.bs.carousel",{relatedTarget:l,direction:a});if(this.$element.trigger(h),!h.isDefaultPrevented()){if(this.sliding=!0,s&&this.pause(),this.$indicators.length){this.$indicators.find(".active").removeClass("active");var d=$(this.$indicators.children()[this.getItemIndex(n)]);d&&d.addClass("active")}var p=$.Event("slid.bs.carousel",{relatedTarget:l,direction:a});return $.support.transition&&this.$element.hasClass("slide")?(n.addClass(t),n[0].offsetWidth,o.addClass(a),n.addClass(a),o.one("bsTransitionEnd",function(){n.removeClass([t,a].join(" ")).addClass("active"),o.removeClass(["active",a].join(" ")),r.sliding=!1,setTimeout(function(){r.$element.trigger(p)},0)}).emulateTransitionEnd(e.TRANSITION_DURATION)):(o.removeClass("active"),n.addClass("active"),this.sliding=!1,this.$element.trigger(p)),s&&this.cycle(),this}};var i=$.fn.carousel;$.fn.carousel=t,$.fn.carousel.Constructor=e,$.fn.carousel.noConflict=function(){return $.fn.carousel=i,this};var o=function(e){var i,o=$(this),n=$(o.attr("data-target")||(i=o.attr("href"))&&i.replace(/.*(?=#[^\s]+$)/,""));if(n.hasClass("carousel")){var s=$.extend({},n.data(),o.data()),a=o.attr("data-slide-to");a&&(s.interval=!1),t.call(n,s),a&&n.data("bs.carousel").to(a),e.preventDefault()}};$(document).on("click.bs.carousel.data-api","[data-slide]",o).on("click.bs.carousel.data-api","[data-slide-to]",o),$(window).on("load",function(){$('[data-ride="carousel"]').each(function(){var e=$(this);t.call(e,e.data())})})}(jQuery),+function($){"use strict";function t(t){var e,i=t.attr("data-target")||(e=t.attr("href"))&&e.replace(/.*(?=#[^\s]+$)/,"");return $(i)}function e(t){return this.each(function(){var e=$(this),o=e.data("bs.collapse"),n=$.extend({},i.DEFAULTS,e.data(),"object"==typeof t&&t);!o&&n.toggle&&/show|hide/.test(t)&&(n.toggle=!1),o||e.data("bs.collapse",o=new i(this,n)),"string"==typeof t&&o[t]()})}var i=function(t,e){this.$element=$(t),this.options=$.extend({},i.DEFAULTS,e),this.$trigger=$('[data-toggle="collapse"][href="#'+t.id+'"],[data-toggle="collapse"][data-target="#'+t.id+'"]'),this.transitioning=null,this.options.parent?this.$parent=this.getParent():this.addAriaAndCollapsedClass(this.$element,this.$trigger),this.options.toggle&&this.toggle()};i.VERSION="3.3.5",i.TRANSITION_DURATION=350,i.DEFAULTS={toggle:!0},i.prototype.dimension=function(){var t=this.$element.hasClass("width");return t?"width":"height"},i.prototype.show=function(){if(!this.transitioning&&!this.$element.hasClass("in")){var t,o=this.$parent&&this.$parent.children(".panel").children(".in, .collapsing");if(!(o&&o.length&&(t=o.data("bs.collapse"),t&&t.transitioning))){var n=$.Event("show.bs.collapse");if(this.$element.trigger(n),!n.isDefaultPrevented()){o&&o.length&&(e.call(o,"hide"),t||o.data("bs.collapse",null));var s=this.dimension();this.$element.removeClass("collapse").addClass("collapsing")[s](0).attr("aria-expanded",!0),this.$trigger.removeClass("collapsed").attr("aria-expanded",!0),this.transitioning=1;var a=function(){this.$element.removeClass("collapsing").addClass("collapse in")[s](""),this.transitioning=0,this.$element.trigger("shown.bs.collapse")};if(!$.support.transition)return a.call(this);var r=$.camelCase(["scroll",s].join("-"));this.$element.one("bsTransitionEnd",$.proxy(a,this)).emulateTransitionEnd(i.TRANSITION_DURATION)[s](this.$element[0][r])}}}},i.prototype.hide=function(){if(!this.transitioning&&this.$element.hasClass("in")){var t=$.Event("hide.bs.collapse");if(this.$element.trigger(t),!t.isDefaultPrevented()){var e=this.dimension();this.$element[e](this.$element[e]())[0].offsetHeight,this.$element.addClass("collapsing").removeClass("collapse in").attr("aria-expanded",!1),this.$trigger.addClass("collapsed").attr("aria-expanded",!1),this.transitioning=1;var o=function(){this.transitioning=0,this.$element.removeClass("collapsing").addClass("collapse").trigger("hidden.bs.collapse")};return $.support.transition?void this.$element[e](0).one("bsTransitionEnd",$.proxy(o,this)).emulateTransitionEnd(i.TRANSITION_DURATION):o.call(this)}}},i.prototype.toggle=function(){this[this.$element.hasClass("in")?"hide":"show"]()},i.prototype.getParent=function(){return $(this.options.parent).find('[data-toggle="collapse"][data-parent="'+this.options.parent+'"]').each($.proxy(function(e,i){var o=$(i);this.addAriaAndCollapsedClass(t(o),o)},this)).end()},i.prototype.addAriaAndCollapsedClass=function(t,e){var i=t.hasClass("in");t.attr("aria-expanded",i),e.toggleClass("collapsed",!i).attr("aria-expanded",i)};var o=$.fn.collapse;$.fn.collapse=e,$.fn.collapse.Constructor=i,$.fn.collapse.noConflict=function(){return $.fn.collapse=o,this},$(document).on("click.bs.collapse.data-api",'[data-toggle="collapse"]',function(i){var o=$(this);o.attr("data-target")||i.preventDefault();var n=t(o),s=n.data("bs.collapse"),a=s?"toggle":o.data();e.call(n,a)})}(jQuery),+function($){"use strict";function t(t){var e=t.attr("data-target");e||(e=t.attr("href"),e=e&&/#[A-Za-z]/.test(e)&&e.replace(/.*(?=#[^\s]*$)/,""));var i=e&&$(e);return i&&i.length?i:t.parent()}function e(e){e&&3===e.which||($(o).remove(),$(n).each(function(){var i=$(this),o=t(i),n={relatedTarget:this};o.hasClass("open")&&(e&&"click"==e.type&&/input|textarea/i.test(e.target.tagName)&&$.contains(o[0],e.target)||(o.trigger(e=$.Event("hide.bs.dropdown",n)),e.isDefaultPrevented()||(i.attr("aria-expanded","false"),o.removeClass("open").trigger("hidden.bs.dropdown",n))))}))}function i(t){return this.each(function(){var e=$(this),i=e.data("bs.dropdown");i||e.data("bs.dropdown",i=new s(this)),"string"==typeof t&&i[t].call(e)})}var o=".dropdown-backdrop",n='[data-toggle="dropdown"]',s=function(t){$(t).on("click.bs.dropdown",this.toggle)};s.VERSION="3.3.5",s.prototype.toggle=function(i){var o=$(this);if(!o.is(".disabled, :disabled")){var n=t(o),s=n.hasClass("open");if(e(),!s){"ontouchstart"in document.documentElement&&!n.closest(".navbar-nav").length&&$(document.createElement("div")).addClass("dropdown-backdrop").insertAfter($(this)).on("click",e);var a={relatedTarget:this};if(n.trigger(i=$.Event("show.bs.dropdown",a)),i.isDefaultPrevented())return;o.trigger("focus").attr("aria-expanded","true"),n.toggleClass("open").trigger("shown.bs.dropdown",a)}return!1}},s.prototype.keydown=function(e){if(/(38|40|27|32)/.test(e.which)&&!/input|textarea/i.test(e.target.tagName)){var i=$(this);if(e.preventDefault(),e.stopPropagation(),!i.is(".disabled, :disabled")){var o=t(i),s=o.hasClass("open");if(!s&&27!=e.which||s&&27==e.which)return 27==e.which&&o.find(n).trigger("focus"),i.trigger("click");var a=" li:not(.disabled):visible a",r=o.find(".dropdown-menu"+a);if(r.length){var l=r.index(e.target);38==e.which&&l>0&&l--,40==e.which&&l<r.length-1&&l++,~l||(l=0),r.eq(l).trigger("focus")}}}};var a=$.fn.dropdown;$.fn.dropdown=i,$.fn.dropdown.Constructor=s,$.fn.dropdown.noConflict=function(){return $.fn.dropdown=a,this},$(document).on("click.bs.dropdown.data-api",e).on("click.bs.dropdown.data-api",".dropdown form",function(t){t.stopPropagation()}).on("click.bs.dropdown.data-api",n,s.prototype.toggle).on("keydown.bs.dropdown.data-api",n,s.prototype.keydown).on("keydown.bs.dropdown.data-api",".dropdown-menu",s.prototype.keydown)}(jQuery),+function($){"use strict";function t(t,i){return this.each(function(){var o=$(this),n=o.data("bs.modal"),s=$.extend({},e.DEFAULTS,o.data(),"object"==typeof t&&t);n||o.data("bs.modal",n=new e(this,s)),"string"==typeof t?n[t](i):s.show&&n.show(i)})}var e=function(t,e){this.options=e,this.$body=$(document.body),this.$element=$(t),this.$dialog=this.$element.find(".modal-dialog"),this.$backdrop=null,this.isShown=null,this.originalBodyPad=null,this.scrollbarWidth=0,this.ignoreBackdropClick=!1,this.options.remote&&this.$element.find(".modal-content").load(this.options.remote,$.proxy(function(){this.$element.trigger("loaded.bs.modal")},this))};e.VERSION="3.3.5",e.TRANSITION_DURATION=300,e.BACKDROP_TRANSITION_DURATION=150,e.DEFAULTS={backdrop:!0,keyboard:!0,show:!0},e.prototype.toggle=function(t){return this.isShown?this.hide():this.show(t)},e.prototype.show=function(t){var i=this,o=$.Event("show.bs.modal",{relatedTarget:t});this.$element.trigger(o),this.isShown||o.isDefaultPrevented()||(this.isShown=!0,this.checkScrollbar(),this.setScrollbar(),this.$body.addClass("modal-open"),this.escape(),this.resize(),this.$element.on("click.dismiss.bs.modal",'[data-dismiss="modal"]',$.proxy(this.hide,this)),this.$dialog.on("mousedown.dismiss.bs.modal",function(){i.$element.one("mouseup.dismiss.bs.modal",function(t){$(t.target).is(i.$element)&&(i.ignoreBackdropClick=!0)})}),this.backdrop(function(){var o=$.support.transition&&i.$element.hasClass("fade");i.$element.parent().length||i.$element.appendTo(i.$body),i.$element.show().scrollTop(0),i.adjustDialog(),o&&i.$element[0].offsetWidth,i.$element.addClass("in"),i.enforceFocus();var n=$.Event("shown.bs.modal",{relatedTarget:t});o?i.$dialog.one("bsTransitionEnd",function(){i.$element.trigger("focus").trigger(n)}).emulateTransitionEnd(e.TRANSITION_DURATION):i.$element.trigger("focus").trigger(n)}))},e.prototype.hide=function(t){t&&t.preventDefault(),t=$.Event("hide.bs.modal"),this.$element.trigger(t),this.isShown&&!t.isDefaultPrevented()&&(this.isShown=!1,this.escape(),this.resize(),$(document).off("focusin.bs.modal"),this.$element.removeClass("in").off("click.dismiss.bs.modal").off("mouseup.dismiss.bs.modal"),this.$dialog.off("mousedown.dismiss.bs.modal"),$.support.transition&&this.$element.hasClass("fade")?this.$element.one("bsTransitionEnd",$.proxy(this.hideModal,this)).emulateTransitionEnd(e.TRANSITION_DURATION):this.hideModal())},e.prototype.enforceFocus=function(){$(document).off("focusin.bs.modal").on("focusin.bs.modal",$.proxy(function(t){this.$element[0]===t.target||this.$element.has(t.target).length||this.$element.trigger("focus")},this))},e.prototype.escape=function(){this.isShown&&this.options.keyboard?this.$element.on("keydown.dismiss.bs.modal",$.proxy(function(t){27==t.which&&this.hide()},this)):this.isShown||this.$element.off("keydown.dismiss.bs.modal")},e.prototype.resize=function(){this.isShown?$(window).on("resize.bs.modal",$.proxy(this.handleUpdate,this)):$(window).off("resize.bs.modal")},e.prototype.hideModal=function(){var t=this;this.$element.hide(),this.backdrop(function(){t.$body.removeClass("modal-open"),t.resetAdjustments(),t.resetScrollbar(),t.$element.trigger("hidden.bs.modal")})},e.prototype.removeBackdrop=function(){this.$backdrop&&this.$backdrop.remove(),this.$backdrop=null},e.prototype.backdrop=function(t){var i=this,o=this.$element.hasClass("fade")?"fade":"";if(this.isShown&&this.options.backdrop){var n=$.support.transition&&o;if(this.$backdrop=$(document.createElement("div")).addClass("modal-backdrop "+o).appendTo(this.$body),this.$element.on("click.dismiss.bs.modal",$.proxy(function(t){return this.ignoreBackdropClick?void(this.ignoreBackdropClick=!1):void(t.target===t.currentTarget&&("static"==this.options.backdrop?this.$element[0].focus():this.hide()))},this)),n&&this.$backdrop[0].offsetWidth,this.$backdrop.addClass("in"),!t)return;n?this.$backdrop.one("bsTransitionEnd",t).emulateTransitionEnd(e.BACKDROP_TRANSITION_DURATION):t()}else if(!this.isShown&&this.$backdrop){this.$backdrop.removeClass("in");var s=function(){i.removeBackdrop(),t&&t()};$.support.transition&&this.$element.hasClass("fade")?this.$backdrop.one("bsTransitionEnd",s).emulateTransitionEnd(e.BACKDROP_TRANSITION_DURATION):s()}else t&&t()},e.prototype.handleUpdate=function(){this.adjustDialog()},e.prototype.adjustDialog=function(){var t=this.$element[0].scrollHeight>document.documentElement.clientHeight;this.$element.css({paddingLeft:!this.bodyIsOverflowing&&t?this.scrollbarWidth:"",paddingRight:this.bodyIsOverflowing&&!t?this.scrollbarWidth:""})},e.prototype.resetAdjustments=function(){this.$element.css({paddingLeft:"",paddingRight:""})},e.prototype.checkScrollbar=function(){var t=window.innerWidth;if(!t){var e=document.documentElement.getBoundingClientRect();t=e.right-Math.abs(e.left)}this.bodyIsOverflowing=document.body.clientWidth<t,this.scrollbarWidth=this.measureScrollbar()},e.prototype.setScrollbar=function(){var t=parseInt(this.$body.css("padding-right")||0,10);this.originalBodyPad=document.body.style.paddingRight||"",this.bodyIsOverflowing&&this.$body.css("padding-right",t+this.scrollbarWidth)},e.prototype.resetScrollbar=function(){this.$body.css("padding-right",this.originalBodyPad)},e.prototype.measureScrollbar=function(){var t=document.createElement("div");t.className="modal-scrollbar-measure",this.$body.append(t);var e=t.offsetWidth-t.clientWidth;return this.$body[0].removeChild(t),e};var i=$.fn.modal;$.fn.modal=t,$.fn.modal.Constructor=e,$.fn.modal.noConflict=function(){return $.fn.modal=i,this},$(document).on("click.bs.modal.data-api",'[data-toggle="modal"]',function(e){var i=$(this),o=i.attr("href"),n=$(i.attr("data-target")||o&&o.replace(/.*(?=#[^\s]+$)/,"")),s=n.data("bs.modal")?"toggle":$.extend({remote:!/#/.test(o)&&o},n.data(),i.data());i.is("a")&&e.preventDefault(),n.one("show.bs.modal",function(t){t.isDefaultPrevented()||n.one("hidden.bs.modal",function(){i.is(":visible")&&i.trigger("focus")})}),t.call(n,s,this)})}(jQuery),+function($){"use strict";function t(t){return this.each(function(){var i=$(this),o=i.data("bs.tooltip"),n="object"==typeof t&&t;(o||!/destroy|hide/.test(t))&&(o||i.data("bs.tooltip",o=new e(this,n)),"string"==typeof t&&o[t]())})}var e=function(t,e){this.type=null,this.options=null,this.enabled=null,this.timeout=null,this.hoverState=null,this.$element=null,this.inState=null,this.init("tooltip",t,e)};e.VERSION="3.3.5",e.TRANSITION_DURATION=150,e.DEFAULTS={animation:!0,placement:"top",selector:!1,template:'<div class="tooltip" role="tooltip"><div class="tooltip-arrow"></div><div class="tooltip-inner"></div></div>',trigger:"hover focus",title:"",delay:0,html:!1,container:!1,viewport:{selector:"body",padding:0}},e.prototype.init=function(t,e,i){if(this.enabled=!0,this.type=t,this.$element=$(e),this.options=this.getOptions(i),this.$viewport=this.options.viewport&&$($.isFunction(this.options.viewport)?this.options.viewport.call(this,this.$element):this.options.viewport.selector||this.options.viewport),this.inState={click:!1,hover:!1,focus:!1},this.$element[0]instanceof document.constructor&&!this.options.selector)throw new Error("`selector` option must be specified when initializing "+this.type+" on the window.document object!");for(var o=this.options.trigger.split(" "),n=o.length;n--;){var s=o[n];if("click"==s)this.$element.on("click."+this.type,this.options.selector,$.proxy(this.toggle,this));else if("manual"!=s){var a="hover"==s?"mouseenter":"focusin",r="hover"==s?"mouseleave":"focusout";this.$element.on(a+"."+this.type,this.options.selector,$.proxy(this.enter,this)),this.$element.on(r+"."+this.type,this.options.selector,$.proxy(this.leave,this))}}this.options.selector?this._options=$.extend({},this.options,{trigger:"manual",selector:""}):this.fixTitle()},e.prototype.getDefaults=function(){return e.DEFAULTS},e.prototype.getOptions=function(t){return t=$.extend({},this.getDefaults(),this.$element.data(),t),t.delay&&"number"==typeof t.delay&&(t.delay={show:t.delay,hide:t.delay}),t},e.prototype.getDelegateOptions=function(){var t={},e=this.getDefaults();return this._options&&$.each(this._options,function(i,o){e[i]!=o&&(t[i]=o)}),t},e.prototype.enter=function(t){var e=t instanceof this.constructor?t:$(t.currentTarget).data("bs."+this.type);return e||(e=new this.constructor(t.currentTarget,this.getDelegateOptions()),$(t.currentTarget).data("bs."+this.type,e)),t instanceof $.Event&&(e.inState["focusin"==t.type?"focus":"hover"]=!0),e.tip().hasClass("in")||"in"==e.hoverState?void(e.hoverState="in"):(clearTimeout(e.timeout),e.hoverState="in",e.options.delay&&e.options.delay.show?void(e.timeout=setTimeout(function(){"in"==e.hoverState&&e.show()},e.options.delay.show)):e.show())},e.prototype.isInStateTrue=function(){for(var t in this.inState)if(this.inState[t])return!0;return!1},e.prototype.leave=function(t){var e=t instanceof this.constructor?t:$(t.currentTarget).data("bs."+this.type);return e||(e=new this.constructor(t.currentTarget,this.getDelegateOptions()),$(t.currentTarget).data("bs."+this.type,e)),t instanceof $.Event&&(e.inState["focusout"==t.type?"focus":"hover"]=!1),e.isInStateTrue()?void 0:(clearTimeout(e.timeout),e.hoverState="out",e.options.delay&&e.options.delay.hide?void(e.timeout=setTimeout(function(){"out"==e.hoverState&&e.hide()},e.options.delay.hide)):e.hide())},e.prototype.show=function(){var t=$.Event("show.bs."+this.type);if(this.hasContent()&&this.enabled){this.$element.trigger(t);var i=$.contains(this.$element[0].ownerDocument.documentElement,this.$element[0]);if(t.isDefaultPrevented()||!i)return;var o=this,n=this.tip(),s=this.getUID(this.type);this.setContent(),n.attr("id",s),this.$element.attr("aria-describedby",s),this.options.animation&&n.addClass("fade");var a="function"==typeof this.options.placement?this.options.placement.call(this,n[0],this.$element[0]):this.options.placement,r=/\s?auto?\s?/i,l=r.test(a);l&&(a=a.replace(r,"")||"top"),n.detach().css({top:0,left:0,display:"block"}).addClass(a).data("bs."+this.type,this),this.options.container?n.appendTo(this.options.container):n.insertAfter(this.$element),this.$element.trigger("inserted.bs."+this.type);var h=this.getPosition(),d=n[0].offsetWidth,p=n[0].offsetHeight;if(l){var c=a,f=this.getPosition(this.$viewport);a="bottom"==a&&h.bottom+p>f.bottom?"top":"top"==a&&h.top-p<f.top?"bottom":"right"==a&&h.right+d>f.width?"left":"left"==a&&h.left-d<f.left?"right":a,n.removeClass(c).addClass(a)}var u=this.getCalculatedOffset(a,h,d,p);this.applyPlacement(u,a);var g=function(){var t=o.hoverState;o.$element.trigger("shown.bs."+o.type),o.hoverState=null,"out"==t&&o.leave(o)};$.support.transition&&this.$tip.hasClass("fade")?n.one("bsTransitionEnd",g).emulateTransitionEnd(e.TRANSITION_DURATION):g()}},e.prototype.applyPlacement=function(t,e){var i=this.tip(),o=i[0].offsetWidth,n=i[0].offsetHeight,s=parseInt(i.css("margin-top"),10),a=parseInt(i.css("margin-left"),10);isNaN(s)&&(s=0),isNaN(a)&&(a=0),t.top+=s,t.left+=a,$.offset.setOffset(i[0],$.extend({using:function(t){i.css({top:Math.round(t.top),left:Math.round(t.left)})}},t),0),i.addClass("in");var r=i[0].offsetWidth,l=i[0].offsetHeight;"top"==e&&l!=n&&(t.top=t.top+n-l);var h=this.getViewportAdjustedDelta(e,t,r,l);h.left?t.left+=h.left:t.top+=h.top;var d=/top|bottom/.test(e),p=d?2*h.left-o+r:2*h.top-n+l,c=d?"offsetWidth":"offsetHeight";i.offset(t),this.replaceArrow(p,i[0][c],d)},e.prototype.replaceArrow=function(t,e,i){this.arrow().css(i?"left":"top",50*(1-t/e)+"%").css(i?"top":"left","")},e.prototype.setContent=function(){var t=this.tip(),e=this.getTitle();t.find(".tooltip-inner")[this.options.html?"html":"text"](e),t.removeClass("fade in top bottom left right")},e.prototype.hide=function(t){function i(){"in"!=o.hoverState&&n.detach(),o.$element.removeAttr("aria-describedby").trigger("hidden.bs."+o.type),t&&t()}var o=this,n=$(this.$tip),s=$.Event("hide.bs."+this.type);return this.$element.trigger(s),s.isDefaultPrevented()?void 0:(n.removeClass("in"),$.support.transition&&n.hasClass("fade")?n.one("bsTransitionEnd",i).emulateTransitionEnd(e.TRANSITION_DURATION):i(),this.hoverState=null,this)},e.prototype.fixTitle=function(){var t=this.$element;(t.attr("title")||"string"!=typeof t.attr("data-original-title"))&&t.attr("data-original-title",t.attr("title")||"").attr("title","")},e.prototype.hasContent=function(){return this.getTitle()},e.prototype.getPosition=function(t){t=t||this.$element;var e=t[0],i="BODY"==e.tagName,o=e.getBoundingClientRect();null==o.width&&(o=$.extend({},o,{width:o.right-o.left,height:o.bottom-o.top}));var n=i?{top:0,left:0}:t.offset(),s={scroll:i?document.documentElement.scrollTop||document.body.scrollTop:t.scrollTop()},a=i?{width:$(window).width(),height:$(window).height()}:null;return $.extend({},o,s,a,n)},e.prototype.getCalculatedOffset=function(t,e,i,o){return"bottom"==t?{top:e.top+e.height,left:e.left+e.width/2-i/2}:"top"==t?{top:e.top-o,left:e.left+e.width/2-i/2}:"left"==t?{top:e.top+e.height/2-o/2,left:e.left-i}:{top:e.top+e.height/2-o/2,left:e.left+e.width}},e.prototype.getViewportAdjustedDelta=function(t,e,i,o){var n={top:0,left:0};if(!this.$viewport)return n;var s=this.options.viewport&&this.options.viewport.padding||0,a=this.getPosition(this.$viewport);if(/right|left/.test(t)){var r=e.top-s-a.scroll,l=e.top+s-a.scroll+o;r<a.top?n.top=a.top-r:l>a.top+a.height&&(n.top=a.top+a.height-l)}else{var h=e.left-s,d=e.left+s+i;h<a.left?n.left=a.left-h:d>a.right&&(n.left=a.left+a.width-d)}return n},e.prototype.getTitle=function(){var t,e=this.$element,i=this.options;return t=e.attr("data-original-title")||("function"==typeof i.title?i.title.call(e[0]):i.title)},e.prototype.getUID=function(t){do t+=~~(1e6*Math.random());while(document.getElementById(t));return t},e.prototype.tip=function(){if(!this.$tip&&(this.$tip=$(this.options.template),1!=this.$tip.length))throw new Error(this.type+" `template` option must consist of exactly 1 top-level element!");return this.$tip},e.prototype.arrow=function(){return this.$arrow=this.$arrow||this.tip().find(".tooltip-arrow")},e.prototype.enable=function(){this.enabled=!0},e.prototype.disable=function(){this.enabled=!1},e.prototype.toggleEnabled=function(){this.enabled=!this.enabled},e.prototype.toggle=function(t){var e=this;t&&(e=$(t.currentTarget).data("bs."+this.type),e||(e=new this.constructor(t.currentTarget,this.getDelegateOptions()),$(t.currentTarget).data("bs."+this.type,e))),t?(e.inState.click=!e.inState.click,e.isInStateTrue()?e.enter(e):e.leave(e)):e.tip().hasClass("in")?e.leave(e):e.enter(e)},e.prototype.destroy=function(){var t=this;clearTimeout(this.timeout),this.hide(function(){t.$element.off("."+t.type).removeData("bs."+t.type),t.$tip&&t.$tip.detach(),t.$tip=null,t.$arrow=null,t.$viewport=null})};var i=$.fn.tooltip;$.fn.tooltip=t,$.fn.tooltip.Constructor=e,$.fn.tooltip.noConflict=function(){return $.fn.tooltip=i,this}}(jQuery),+function($){"use strict";function t(t){return this.each(function(){var i=$(this),o=i.data("bs.popover"),n="object"==typeof t&&t;(o||!/destroy|hide/.test(t))&&(o||i.data("bs.popover",o=new e(this,n)),"string"==typeof t&&o[t]())})}var e=function(t,e){this.init("popover",t,e)};if(!$.fn.tooltip)throw new Error("Popover requires tooltip.js");e.VERSION="3.3.5",e.DEFAULTS=$.extend({},$.fn.tooltip.Constructor.DEFAULTS,{placement:"right",trigger:"click",content:"",template:'<div class="popover" role="tooltip"><div class="arrow"></div><h3 class="popover-title"></h3><div class="popover-content"></div></div>'}),e.prototype=$.extend({},$.fn.tooltip.Constructor.prototype),e.prototype.constructor=e,e.prototype.getDefaults=function(){return e.DEFAULTS},e.prototype.setContent=function(){var t=this.tip(),e=this.getTitle(),i=this.getContent();t.find(".popover-title")[this.options.html?"html":"text"](e),t.find(".popover-content").children().detach().end()[this.options.html?"string"==typeof i?"html":"append":"text"](i),t.removeClass("fade top bottom left right in"),t.find(".popover-title").html()||t.find(".popover-title").hide()},e.prototype.hasContent=function(){return this.getTitle()||this.getContent()},e.prototype.getContent=function(){var t=this.$element,e=this.options;return t.attr("data-content")||("function"==typeof e.content?e.content.call(t[0]):e.content)},e.prototype.arrow=function(){return this.$arrow=this.$arrow||this.tip().find(".arrow")};var i=$.fn.popover;$.fn.popover=t,$.fn.popover.Constructor=e,$.fn.popover.noConflict=function(){return $.fn.popover=i,this}}(jQuery),+function($){"use strict";function t(e,i){this.$body=$(document.body),this.$scrollElement=$($(e).is(document.body)?window:e),this.options=$.extend({},t.DEFAULTS,i),this.selector=(this.options.target||"")+" .nav li > a",this.offsets=[],this.targets=[],this.activeTarget=null,this.scrollHeight=0,this.$scrollElement.on("scroll.bs.scrollspy",$.proxy(this.process,this)),this.refresh(),this.process()}function e(e){return this.each(function(){var i=$(this),o=i.data("bs.scrollspy"),n="object"==typeof e&&e;o||i.data("bs.scrollspy",o=new t(this,n)),"string"==typeof e&&o[e]()})}t.VERSION="3.3.5",t.DEFAULTS={offset:10},t.prototype.getScrollHeight=function(){return this.$scrollElement[0].scrollHeight||Math.max(this.$body[0].scrollHeight,document.documentElement.scrollHeight)},t.prototype.refresh=function(){var t=this,e="offset",i=0;this.offsets=[],this.targets=[],this.scrollHeight=this.getScrollHeight(),$.isWindow(this.$scrollElement[0])||(e="position",i=this.$scrollElement.scrollTop()),this.$body.find(this.selector).map(function(){var t=$(this),o=t.data("target")||t.attr("href"),n=/^#./.test(o)&&$(o);return n&&n.length&&n.is(":visible")&&[[n[e]().top+i,o]]||null}).sort(function(t,e){return t[0]-e[0]}).each(function(){t.offsets.push(this[0]),t.targets.push(this[1])})},t.prototype.process=function(){var t=this.$scrollElement.scrollTop()+this.options.offset,e=this.getScrollHeight(),i=this.options.offset+e-this.$scrollElement.height(),o=this.offsets,n=this.targets,s=this.activeTarget,a;if(this.scrollHeight!=e&&this.refresh(),t>=i)return s!=(a=n[n.length-1])&&this.activate(a);if(s&&t<o[0])return this.activeTarget=null,this.clear();for(a=o.length;a--;)s!=n[a]&&t>=o[a]&&(void 0===o[a+1]||t<o[a+1])&&this.activate(n[a])},t.prototype.activate=function(t){this.activeTarget=t,this.clear();var e=this.selector+'[data-target="'+t+'"],'+this.selector+'[href="'+t+'"]',i=$(e).parents("li").addClass("active");i.parent(".dropdown-menu").length&&(i=i.closest("li.dropdown").addClass("active")),
i.trigger("activate.bs.scrollspy")},t.prototype.clear=function(){$(this.selector).parentsUntil(this.options.target,".active").removeClass("active")};var i=$.fn.scrollspy;$.fn.scrollspy=e,$.fn.scrollspy.Constructor=t,$.fn.scrollspy.noConflict=function(){return $.fn.scrollspy=i,this},$(window).on("load.bs.scrollspy.data-api",function(){$('[data-spy="scroll"]').each(function(){var t=$(this);e.call(t,t.data())})})}(jQuery),+function($){"use strict";function t(t){return this.each(function(){var i=$(this),o=i.data("bs.tab");o||i.data("bs.tab",o=new e(this)),"string"==typeof t&&o[t]()})}var e=function(t){this.element=$(t)};e.VERSION="3.3.5",e.TRANSITION_DURATION=150,e.prototype.show=function(){var t=this.element,e=t.closest("ul:not(.dropdown-menu)"),i=t.data("target");if(i||(i=t.attr("href"),i=i&&i.replace(/.*(?=#[^\s]*$)/,"")),!t.parent("li").hasClass("active")){var o=e.find(".active:last a"),n=$.Event("hide.bs.tab",{relatedTarget:t[0]}),s=$.Event("show.bs.tab",{relatedTarget:o[0]});if(o.trigger(n),t.trigger(s),!s.isDefaultPrevented()&&!n.isDefaultPrevented()){var a=$(i);this.activate(t.closest("li"),e),this.activate(a,a.parent(),function(){o.trigger({type:"hidden.bs.tab",relatedTarget:t[0]}),t.trigger({type:"shown.bs.tab",relatedTarget:o[0]})})}}},e.prototype.activate=function(t,i,o){function n(){s.removeClass("active").find("> .dropdown-menu > .active").removeClass("active").end().find('[data-toggle="tab"]').attr("aria-expanded",!1),t.addClass("active").find('[data-toggle="tab"]').attr("aria-expanded",!0),a?(t[0].offsetWidth,t.addClass("in")):t.removeClass("fade"),t.parent(".dropdown-menu").length&&t.closest("li.dropdown").addClass("active").end().find('[data-toggle="tab"]').attr("aria-expanded",!0),o&&o()}var s=i.find("> .active"),a=o&&$.support.transition&&(s.length&&s.hasClass("fade")||!!i.find("> .fade").length);s.length&&a?s.one("bsTransitionEnd",n).emulateTransitionEnd(e.TRANSITION_DURATION):n(),s.removeClass("in")};var i=$.fn.tab;$.fn.tab=t,$.fn.tab.Constructor=e,$.fn.tab.noConflict=function(){return $.fn.tab=i,this};var o=function(e){e.preventDefault(),t.call($(this),"show")};$(document).on("click.bs.tab.data-api",'[data-toggle="tab"]',o).on("click.bs.tab.data-api",'[data-toggle="pill"]',o)}(jQuery),+function($){"use strict";function t(t){return this.each(function(){var i=$(this),o=i.data("bs.affix"),n="object"==typeof t&&t;o||i.data("bs.affix",o=new e(this,n)),"string"==typeof t&&o[t]()})}var e=function(t,i){this.options=$.extend({},e.DEFAULTS,i),this.$target=$(this.options.target).on("scroll.bs.affix.data-api",$.proxy(this.checkPosition,this)).on("click.bs.affix.data-api",$.proxy(this.checkPositionWithEventLoop,this)),this.$element=$(t),this.affixed=null,this.unpin=null,this.pinnedOffset=null,this.checkPosition()};e.VERSION="3.3.5",e.RESET="affix affix-top affix-bottom",e.DEFAULTS={offset:0,target:window},e.prototype.getState=function(t,e,i,o){var n=this.$target.scrollTop(),s=this.$element.offset(),a=this.$target.height();if(null!=i&&"top"==this.affixed)return i>n?"top":!1;if("bottom"==this.affixed)return null!=i?n+this.unpin<=s.top?!1:"bottom":t-o>=n+a?!1:"bottom";var r=null==this.affixed,l=r?n:s.top,h=r?a:e;return null!=i&&i>=n?"top":null!=o&&l+h>=t-o?"bottom":!1},e.prototype.getPinnedOffset=function(){if(this.pinnedOffset)return this.pinnedOffset;this.$element.removeClass(e.RESET).addClass("affix");var t=this.$target.scrollTop(),i=this.$element.offset();return this.pinnedOffset=i.top-t},e.prototype.checkPositionWithEventLoop=function(){setTimeout($.proxy(this.checkPosition,this),1)},e.prototype.checkPosition=function(){if(this.$element.is(":visible")){var t=this.$element.height(),i=this.options.offset,o=i.top,n=i.bottom,s=Math.max($(document).height(),$(document.body).height());"object"!=typeof i&&(n=o=i),"function"==typeof o&&(o=i.top(this.$element)),"function"==typeof n&&(n=i.bottom(this.$element));var a=this.getState(s,t,o,n);if(this.affixed!=a){null!=this.unpin&&this.$element.css("top","");var r="affix"+(a?"-"+a:""),l=$.Event(r+".bs.affix");if(this.$element.trigger(l),l.isDefaultPrevented())return;this.affixed=a,this.unpin="bottom"==a?this.getPinnedOffset():null,this.$element.removeClass(e.RESET).addClass(r).trigger(r.replace("affix","affixed")+".bs.affix")}"bottom"==a&&this.$element.offset({top:s-t-n})}},$(".nav li a").click(function(t){var e=$(this);e.hasClass("active")||e.addClass("active"),t.preventDefault()});var i=$.fn.affix;$.fn.affix=t,$.fn.affix.Constructor=e,$.fn.affix.noConflict=function(){return $.fn.affix=i,this},$(window).on("load",function(){$('[data-spy="affix"]').each(function(){var e=$(this),i=e.data();i.offset=i.offset||{},null!=i.offsetBottom&&(i.offset.bottom=i.offsetBottom),null!=i.offsetTop&&(i.offset.top=i.offsetTop),t.call(e,i)})})}(jQuery); | storlihoel/tomteportalen | httpdocs/js/min/bootstrap-min.js | JavaScript | mit | 36,802 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.