diff --git a/app/Http/Controllers/Admin/helpdesk/LanguageController.php b/app/Http/Controllers/Admin/helpdesk/LanguageController.php new file mode 100644 index 000000000..27b602574 --- /dev/null +++ b/app/Http/Controllers/Admin/helpdesk/LanguageController.php @@ -0,0 +1,249 @@ + + */ +class LanguageController extends Controller { + + /** + * Create a new controller instance. + * @return type void + */ + public function __construct() { + $this->middleware('auth'); + $this->middleware('roles'); + } + + /** + * Switch language at runtime + * @param type "" $lang + * @return type response + */ + public function switchLanguage($lang) { + //if(Cache::has('language')) + //{ + // return Cache::get('language'); + //} else return 'false'; + // Cache::put('language',$) + + if(array_key_exists($lang, Config::get('languages'))) { + // dd(array_key_exists($lang, Config::get('languages'))); + // app()->setLocale($lang); + + Cache::forever('language', $lang); + // dd(Cache::get('language')); + // dd() + } else { + return Redirect::back()->with('message', 'Language package not found in your lang directroy.'); + } + return Redirect::back(); + } + + + + /** + *Shows language page + *@return type response + */ + public function index(){ + return view('themes.default1.admin.helpdesk.language.index'); + } + + + /** + *Shows Language upload form + *@return type response + */ + public function getForm(){ + return view('themes.default1.admin.helpdesk.language.create'); + } + + + /** + *Provide language datatable to language page + *@return type + */ + public function getLanguages() + { + $path = 'code/resources/lang'; + $values = scandir($path); //Extracts names of directories present in lang directory + $values = array_slice($values, 2); // skips array element $value[0] = '.' & $value[1] = '..' + return \Datatable::collection(new Collection($values)) + + ->addColumn('language', function($model){ + return Config::get('languages.'.$model); + }) + + ->addColumn('id', function($model){ + return $model; + }) + + ->addColumn('status',function($model){ + if(Lang::getLocale()===$model){return "".Lang::trans("lang.active").""; } else return "".Lang::trans("lang.inactive").""; + }) + + ->addColumn('Action', function($model){ + if(Lang::getLocale()===$model){ + return " + ". Lang::trans("lang.delete").""; + } else { + return " + ". Lang::trans("lang.delete").""; + } + }) + ->searchColumns('language','id') + + ->make(); + } + + + /** + *handle language file uploading + *@return response + */ + public function postForm() { + // getting all of the post data + $file = array( + 'File' => Input::file('File'), + 'language-name' => Input::input('language-name'), + 'iso-code' => Input::input('iso-code') + ); + + // setting up rules + $rules = array( + 'File' => 'required|mimes:zip|max:30000', + 'language-name' => 'required', + 'iso-code' => 'required|max:2' + ); // and for max size + + // doing the validation, passing post data, rules and the messages + $validator = Validator::make($file, $rules); + if ($validator->fails()) { + + // send back to the page with the input data and errors + return Redirect::back()->withInput()->withErrors($validator); + + } else { + + + //Checking if package already exists or not in lang folder + $path = 'code/resources/lang'; + if (in_array(Input::get('iso-code'), scandir($path))) { + + //sending back with error message + Session::flash('fails', "Language package already exists."); + Session::flash('link',"change-language/".Input::get('iso-code')); + return Redirect::back()->withInput(); + + } elseif (!array_key_exists(Input::get('iso-code'), Config::get('languages'))){//Checking Valid ISO code form Languages.php + + //sending back with error message + Session::flash('fails', "Enter correct ISO-code"); + return Redirect::back()->withInput(); + + } else { + + // checking file is valid. + if (Input::file('File')->isValid()) { + + $name = Input::file('File')->getClientOriginalName(); //uploaded file's original name + $destinationPath = 'code/public/uploads/'; // defining uploading path + $extractpath = 'code/resources/lang/'.Input::get('iso-code');//defining extracting path + mkdir($extractpath); //creating directroy for extracting uploadd file + //mkdir($destinationPath); + Input::file('File')->move($destinationPath, $name); // uploading file to given path + \Zipper::make($destinationPath.'/'.$name)->extractTo($extractpath);//extracting file to give path + + //check if Zip extract foldercontains any subfolder + $directories = File::directories($extractpath); + //$directories = glob($extractpath. '/*' , GLOB_ONLYDIR); + if(!empty($directories)){ //if extract folder contains subfolder + $success = File::deleteDirectory($extractpath); //remove extracted folder and it's subfolder from lang + //$success2 = File::delete($destinationPath.'/'.$name); + + if($success){ + //sending back with error message + Session::flash('fails', 'Error in directory structure. Zip file must contain language php files only. Try Again.'); + return Redirect::back()->withInput(); + } + + } else { + + // sending back with success message + Session::flash('success', "uploaded successfully."); + Session::flash('link',"change-language/".Input::get('iso-code')); + return Redirect::route('LanguageController'); + + } + + } else { + + // sending back with error message. + Session::flash('fails', 'uploaded file is not valid'); + return Redirect::route('form'); + + } + + } + } + } + + + /** + *allow user to download language template file + *@return type + */ + Public function download() + { + return response()->download('code/public/downloads/en.zip'); + } + + /** + * This function is used to delete languages + * @param type $lang + * @return type response + */ + public function deleteLanguage($lang){ + if($lang !== App::getLocale()){ + $deletePath = 'code/resources/lang/'.$lang; //define file path to delete + $success = File::deleteDirectory($deletePath); //remove extracted folder and it's subfolder from lang + if($success){ + //sending back with success message + Session::flash('success', 'Language package deleted successfully.'); + return Redirect::back(); + } else { + //sending back with error message + Session::flash('fails', 'Language package does not exist.'); + return Redirect::back(); + } + } else { + //sending back with error message + Session::flash('fails', 'Language package can not be deleted when it is active.'); + return redirect('languages'); + } + } + + +} diff --git a/app/Http/Controllers/Admin/helpdesk/SettingsController.php b/app/Http/Controllers/Admin/helpdesk/SettingsController.php index 518098f65..e95524ac0 100644 --- a/app/Http/Controllers/Admin/helpdesk/SettingsController.php +++ b/app/Http/Controllers/Admin/helpdesk/SettingsController.php @@ -47,6 +47,14 @@ class SettingsController extends Controller { $this->middleware('roles'); } + /** + * Main Settings Page + * @return type view + */ + public function settings() { + return view('themes.default1.admin.helpdesk.setting'); + } + /** * @param int $id * @return Response diff --git a/app/Http/Controllers/Agent/helpdesk/MailController.php b/app/Http/Controllers/Agent/helpdesk/MailController.php index 80b97bb3e..831577d04 100644 --- a/app/Http/Controllers/Agent/helpdesk/MailController.php +++ b/app/Http/Controllers/Agent/helpdesk/MailController.php @@ -111,11 +111,12 @@ class MailController extends Controller { $thread_id = $thread_id->id; foreach($mail->getAttachments() as $attachment) { + // dd($attachment); $support = "support"; // echo $_SERVER['DOCUMENT_ROOT']; $dir_img_paths = __DIR__; $dir_img_path = explode('/code', $dir_img_paths); - $filepath = explode('../../../../../../public/',$attachment->filePath); + $filepath = explode('../../../../../../public',$attachment->filePath); // dd($filepath); // $path = $dir_img_path[0]."/public/".$filepath[1]; $path = public_path().'/'.$filepath[1]; diff --git a/app/Http/Controllers/Auth/AuthController.php b/app/Http/Controllers/Auth/AuthController.php index 18a1cc5f6..9b023a135 100644 --- a/app/Http/Controllers/Auth/AuthController.php +++ b/app/Http/Controllers/Auth/AuthController.php @@ -17,6 +17,8 @@ use Illuminate\Foundation\Auth\AuthenticatesAndRegistersUsers; /* Include login validator */ use Mail; use Auth; +// Model +// use App\Model\helpdesk\Utility\Limit_Login; /** * --------------------------------------------------- @@ -146,14 +148,45 @@ class AuthController extends Controller { * @return type Response */ public function postLogin(LoginRequest $request) { - // $email = $request->input('email'); - // $password = Hash::make($request->input('password')); - // $remember = $request->input('remember'); - // dd([$email,$password,$remember]); + + // Set login attempts and login time + $loginAttempts = 1; $credentials = $request->only('email', 'password'); - if ($this->auth->attempt($credentials, $request->has('remember'))) { + + $email = $request->email; + // $ip_address = $_SERVER['REMOTE_ADDR']; + + // $limit_login = Limit_Login::where('email' , '=' , $email)->where('ip_address', '=', $ip_address)->first(); + // if(isset($limit_login)) { + + // } + + + + // If session has login attempts, retrieve attempts counter and attempts time + if (\Session::has('loginAttempts')) { + $loginAttempts = \Session::get('loginAttempts'); + $loginAttemptTime = \Session::get('loginAttemptTime'); + $credentials = $request->only('email', 'password'); + // If attempts > 3 and time < 10 minutes + if ($loginAttempts > 4 && (time() - $loginAttemptTime <= 600)) { + return redirect()->back()->with('error', 'Maximum login attempts reached. Try again in a while'); + } + // If time > 10 minutes, reset attempts counter and time in session + if (time() - $loginAttemptTime > 600) { + \Session::put('loginAttempts', 1); + \Session::put('loginAttemptTime', time()); + } + } else // If no login attempts stored, init login attempts and time + { + \Session::put('loginAttempts', $loginAttempts); + \Session::put('loginAttemptTime', time()); + } + // If auth ok, redirect to restricted area + \Session::put('loginAttempts', $loginAttempts + 1); + if ($this->auth->attempt($credentials, $request->has('remember'))) { if(Auth::user()->role == 'user') { - return \Redirect::route('home'); + return \Redirect::route('/'); } else { return redirect()->intended($this->redirectPath()); } @@ -164,6 +197,7 @@ class AuthController extends Controller { 'email' => $this->getFailedLoginMessage(), 'password' => $this->getFailedLoginMessage(), ]); + // Increment login attempts } /** @@ -173,4 +207,101 @@ class AuthController extends Controller { protected function getFailedLoginMessage() { return 'This Field do not match our records.'; } -} + + + // public function postLogin(LoginRequest $request) { + // $email = $request->input('email'); + // $counter = 0; + // $user = User::where('email','=',$email)->first(); + // if($user) { + // if($user->active == 1) { + // $credentials = $request->only('email', 'password'); + + // while($counter < 10) { + // if($this->auth->attempt($credentials) === false) { + // $counter++; + // } + // } + // if ($this->auth->attempt($credentials, $request->has('remember'))) { + // if(Auth::user()) { + // if(Auth::user()->role == 'vendor') { + // return \Redirect::route('vendors.index'); + // } elseif(Auth::user()->role == 'admin') { + // return \Redirect::route('admin.dashboard'); + // } elseif(Auth::user()->role == 'sadmin') { + // return \Redirect::route('sadmin.dashboard'); + // } else { + // return redirect()->intended($this->redirectPath()); + // } + // } else { + // return redirect()->back()->with('message','Account Inactive, Please wait for Admin to approve.'); + // } + // } + // } else { + // return redirect()->back()->with('message','Account Inactive, Please wait for Admin to approve.'); + // } + // } + // return redirect($this->loginPath()) + // ->withInput($request->only('email', 'remember')) + // ->withErrors(['email' => $this->getFailedLoginMessage(), 'password' => $this->getFailedLoginMessage(), ]); + + // } + + + + + // public function authenticate() { + // // Set login attempts and login time + // $loginAttempts = 1; + // // If session has login attempts, retrieve attempts counter and attempts time + // if (Session::has('loginAttempts')) { + // $loginAttempts = Session::get('loginAttempts'); + // $loginAttemptTime = Session::get('loginAttemptTime'); + // // If attempts > 3 and time < 10 minutes + // if ($loginAttempts > 3 && (time() - $loginAttemptTime <= 600)) { + // return redirect()-back()->with('error', 'maximum login attempts reached. Try again in a while'); + // } + // // If time > 10 minutes, reset attempts counter and time in session + // if (time() - $loginAttemptTime > 600) { + // Session::put('loginAttempts', 1); + // Session::put('loginAttemptTime', time()); + // } + // } else // If no login attempts stored, init login attempts and time + // { + // Session::put('loginAttempts', $loginAttempts); + // Session::put('loginAttemptTime', time()); + // } + // // If auth ok, redirect to restricted area + // if (Auth::attempt(['email' => 'someone@example.com'])) { + // return redirect()->intended('dashboard'); + // } + // // Increment login attempts + // Session::put('loginAttempts', $loginAttempts + 1); + // } + + + + // public function postLogin(LoginRequest $request) { + // // $email = $request->input('email'); + // // $password = Hash::make($request->input('password')); + // // $remember = $request->input('remember'); + // // dd([$email,$password,$remember]); + // $credentials = $request->only('email', 'password'); + // if ($this->auth->attempt($credentials, $request->has('remember'))) { + // if(Auth::user()->role == 'user') { + // return \Redirect::route('home'); + // } else { + // return redirect()->intended($this->redirectPath()); + // } + // } + // return redirect($this->loginPath()) + // ->withInput($request->only('email', 'remember')) + // ->withErrors([ + // 'email' => $this->getFailedLoginMessage(), + // 'password' => $this->getFailedLoginMessage(), + // ]); + // } + + + +} \ No newline at end of file diff --git a/app/Http/Controllers/Installer/helpdesk/InstallController.php b/app/Http/Controllers/Installer/helpdesk/InstallController.php index 97548f79a..6beb9c0b6 100644 --- a/app/Http/Controllers/Installer/helpdesk/InstallController.php +++ b/app/Http/Controllers/Installer/helpdesk/InstallController.php @@ -145,7 +145,7 @@ class InstallController extends Controller { } if (Config::get('database.install') == '%0%') { if (Session::get('step2') == 'step2') { - return View::make('themes/default1/installer/helpdesk/view4'); + return View::make('themes/default1/installer/helpdesk/view3'); } else { return Redirect::route('prerequisites'); } @@ -281,7 +281,7 @@ class InstallController extends Controller { public function database() { if (Config::get('database.install') == '%0%') { if (Session::get('step4') == 'step4') { - return View::make('themes/default1/installer/helpdesk/view5'); + return View::make('themes/default1/installer/helpdesk/view4'); } else { return Redirect::route('configuration'); } @@ -302,7 +302,7 @@ class InstallController extends Controller { Session::forget('step1'); Session::forget('step2'); Session::forget('step3'); - return View::make('themes/default1/installer/helpdesk/view6'); + return View::make('themes/default1/installer/helpdesk/view5'); } else { return Redirect::route('configuration'); } @@ -420,7 +420,7 @@ class InstallController extends Controller { File::put($path22, $content23); try { - return View::make('themes/default1/installer/helpdesk/view7'); + return View::make('themes/default1/installer/helpdesk/view6'); } catch (Exception $e) { return Redirect::route('npl'); } diff --git a/app/Http/Middleware/LanguageMiddleware.php b/app/Http/Middleware/LanguageMiddleware.php new file mode 100644 index 000000000..bb490eb78 --- /dev/null +++ b/app/Http/Middleware/LanguageMiddleware.php @@ -0,0 +1,24 @@ + 'roles', 'middleware' => 'auth'], function () { Route::get('checkUpdate',['as'=>'checkupdate','uses'=>'Common\SettingsController@getupdate']); /* get Check update */ - Route::get('plugins',['as'=>'plugins','uses'=>'Common\SettingsController@Plugins']); + Route::get('admin', array('as'=>'setting', 'uses'=>'Admin\helpdesk\SettingsController@settings')); + + Route::get('plugins',['as'=>'plugins','uses'=>'Common\SettingsController@Plugins']); Route::get('getplugin', array('as'=>'get.plugin', 'uses'=>'Common\SettingsController@GetPlugin')); @@ -132,6 +134,27 @@ Route::group(['middleware' => 'roles', 'middleware' => 'auth'], function () { Route::get('plugin/delete/{slug}', array('as'=>'delete.plugin', 'uses'=>'Common\SettingsController@DeletePlugin')); Route::get('plugin/status/{slug}', array('as'=>'status.plugin', 'uses'=>'Common\SettingsController@StatusPlugin')); + + + + + //Routes for showing language table and switching language + Route::get('languages',['as'=>'LanguageController','uses'=>'Admin\helpdesk\LanguageController@index']); + + Route::get('get-languages', array('as'=>'getAllLanguages', 'uses'=>'Admin\helpdesk\LanguageController@getLanguages')); + + Route::get('change-language/{lang}', ['as'=>'lang.switch', 'uses'=>'Admin\helpdesk\LanguageController@switchLanguage']); + + //Route for download language template package + Route::get('/download-template', array('as' => 'download', 'uses' => 'Admin\helpdesk\LanguageController@download')); + + //Routes for language file upload form-----------You may want to use csrf protection for these route-------------- + Route::post('language/add', 'Admin\helpdesk\LanguageController@postForm'); + Route::get('language/add',array('as'=>'add-language','uses'=>'Admin\helpdesk\LanguageController@getForm')); + + //Routes for delete language package + Route::get('delete-language/{lang}', ['as'=>'lang.delete', 'uses'=>'Admin\helpdesk\LanguageController@deleteLanguage']); + }); /* @@ -447,7 +470,7 @@ $router->get('category/delete/{id}', 'Agent\kb\CategoryController@destroy'); $router->resource('article', 'Agent\kb\ArticleController'); $router->get('article/delete/{id}', 'Agent\kb\ArticleController@destroy'); /* get settings */ -$router->get('settings', ['as'=>'settings' , 'uses'=> 'Agent\kb\SettingsController@settings']); +$router->get('kb/settings', ['as'=>'settings' , 'uses'=> 'Agent\kb\SettingsController@settings']); /* post settings */ $router->patch('postsettings/{id}', 'Agent\kb\SettingsController@postSettings'); /* get the create faq page */ diff --git a/app/Model/helpdesk/Utility/Limit_Login.php b/app/Model/helpdesk/Utility/Limit_Login.php new file mode 100644 index 000000000..29169737c --- /dev/null +++ b/app/Model/helpdesk/Utility/Limit_Login.php @@ -0,0 +1,11 @@ + '%0%', @@ -38,7 +38,7 @@ return [ | */ - 'version' => 'COMMUNITY 1.0.3.5', + 'version' => 'COMMUNITY 1.0.4', /* |-------------------------------------------------------------------------- @@ -142,7 +142,9 @@ return [ +// + // // @@ -202,6 +204,8 @@ return [ 'Vsmoraes\Pdf\PdfServiceProvider', 'Thomaswelton\LaravelGravatar\LaravelGravatarServiceProvider', 'Chumper\Datatable\DatatableServiceProvider', + 'Chumper\Zipper\ZipperServiceProvider' + ], /* @@ -258,6 +262,8 @@ return [ 'UTC' => 'App\Http\Controllers\Agent\helpdesk\TicketController', 'SMTPS' => 'App\Http\Controllers\HomeController', 'Datatable' => 'Chumper\Datatable\Facades\DatatableFacade', + 'Zipper' => 'Chumper\Zipper\Zipper', + ], ]; \ No newline at end of file diff --git a/config/database.php b/config/database.php index 9106cc06e..47460f80e 100644 --- a/config/database.php +++ b/config/database.php @@ -1,5 +1,4 @@ [ 'driver' => 'pgsql', - 'host' => '%host1%', - 'database' => '%database1%', + 'host' => 'localhost', + 'database' => 'fav', 'username' => '%username1%', 'password' => '%password1%', 'port' => '%port1%', diff --git a/config/languages.php b/config/languages.php new file mode 100644 index 000000000..35ae57d00 --- /dev/null +++ b/config/languages.php @@ -0,0 +1,140 @@ + "Afar", + 'ab' => "Abkhazian", + 'af' => "Afrikaans", + 'am' => "Amharic", + 'ar' => "Arabic", + 'as' => "Assamese", + 'ay' => "Aymara", + 'az' => "Azerbaijani", + 'ba' => "Bashkir", + 'be' => "Byelorussian", + 'bg' => "Bulgarian", + 'bh' => "Bihari", + 'bi' => "Bislama", + 'bn' => "Bengali", + 'bo' => "Tibetan", + 'br' => "Breton", + 'ca' => "Catalan", + 'co' => "Corsican", + 'cs' => "Czech", + 'cy' => "Welsh", + 'da' => "Danish", + 'de' => "German", + 'dz' => "Bhutani", + 'el' => "Greek", + 'en' => "English", + 'eo' => "Esperanto", + 'es' => "Spanish", + 'et' => "Estonian", + 'eu' => "Basque", + 'fa' => "Persian", + 'fi' => "Finnish", + 'fj' => "Fiji", + 'fo' => "Faeroese", + 'fr' => "French", + 'fy' => "Frisian", + 'ga' => "Irish", + 'gd' => "Gaelic", + 'gl' => "Galician", + 'gn' => "Guarani", + 'gu' => "Gujarati", + 'ha' => "Hausa", + 'hi' => "Hindi", + 'hr' => "Croatian", + 'hu' => "Hungarian", + 'hy' => "Armenian", + 'ia' => "Interlingua", + 'ie' => "Interlingue", + 'ik' => "Inupiak", + 'in' => "Indonesian", + 'is' => "Icelandic", + 'it' => "Italian", + 'iw' => "Hebrew", + 'ja' => "Japanese", + 'ji' => "Yiddish", + 'jw' => "Javanese", + 'ka' => "Georgian", + 'kk' => "Kazakh", + 'kl' => "Greenlandic", + 'km' => "Cambodian", + 'kn' => "Kannada", + 'ko' => "Korean", + 'ks' => "Kashmiri", + 'ku' => "Kurdish", + 'ky' => "Kirghiz", + 'la' => "Latin", + 'ln' => "Lingala", + 'lo' => "Laothian", + 'lt' => "Lithuanian", + 'lv' => "Latvian", + 'mg' => "Malagasy", + 'mi' => "Maori", + 'mk' => "Macedonian", + 'ml' => "Malayalam", + 'mn' => "Mongolian", + 'mo' => "Moldavian", + 'mr' => "Marathi", + 'ms' => "Malay", + 'mt' => "Maltese", + 'my' => "Burmese", + 'na' => "Nauru", + 'ne' => "Nepali", + 'nl' => "Dutch", + 'no' => "Norwegian", + 'oc' => "Occitan", + 'om' => "Oromo", + 'or' => "Oriya", + 'pa' => "Punjabi", + 'pl' => "Polish", + 'ps' => "Pashto", + 'pt' => "Portuguese", + 'qu' => "Quechua", + 'rm' => "Rhaeto-Romance", + 'rn' => "Kirundi", + 'ro' => "Romanian", + 'ru' => "Russian", + 'rw' => "Kinyarwanda", + 'sa' => "Sanskrit", + 'sd' => "Sindhi", + 'sg' => "Sangro", + 'sh' => "Serbo-Croatian", + 'si' => "Singhalese", + 'sk' => "Slovak", + 'sl' => "Slovenian", + 'sm' => "Samoan", + 'sn' => "Shona", + 'so' => "Somali", + 'sq' => "Albanian", + 'sr' => "Serbian", + 'ss' => "Siswati", + 'st' => "Sesotho", + 'su' => "Sudanese", + 'sv' => "Swedish", + 'sw' => "Swahili", + 'ta' => "Tamil", + 'te' => "Tegulu", + 'tg' => "Tajik", + 'th' => "Thai", + 'ti' => "Tigrinya", + 'tk' => "Turkmen", + 'tl' => "Tagalog", + 'tn' => "Setswana", + 'to' => "Tonga", + 'tr' => "Turkish", + 'ts' => "Tsonga", + 'tt' => "Tatar", + 'tw' => "Twi", + 'uk' => "Ukrainian", + 'ur' => "Urdu", + 'uz' => "Uzbek", + 'vi' => "Vietnamese", + 'vo' => "Volapuk", + 'wo' => "Wolof", + 'xh' => "Xhosa", + 'yo' => "Yoruba", + 'zh' => "Chinese", + 'zu' => "Zulu", +]; \ No newline at end of file diff --git a/public/downloads/en.zip b/public/downloads/en.zip new file mode 100644 index 000000000..0583c8be6 Binary files /dev/null and b/public/downloads/en.zip differ diff --git a/public/lb-faveo/Img/icon/faveokb.png b/public/lb-faveo/Img/icon/faveokb.png deleted file mode 100644 index dcffcbc26..000000000 Binary files a/public/lb-faveo/Img/icon/faveokb.png and /dev/null differ diff --git a/public/lb-faveo/dist/css/AdminLTE.css b/public/lb-faveo/dist/css/AdminLTE.css index 36901940b..85435d1b8 100644 --- a/public/lb-faveo/dist/css/AdminLTE.css +++ b/public/lb-faveo/dist/css/AdminLTE.css @@ -3558,4 +3558,39 @@ Gradient Background colors filter: alpha(opacity=100); } +blockquote{ + padding:10px 20px; +} +.error-message-padding{ + margin-left:20px; +} + + + .settingdivblue:hover { + border: 5px double #3C8DBC; + } + .settingdivblue a:hover { + /* color: #61C5FF;*/ + /* background-color: darkgrey;*/ + } + .settingdivblue a { + color: #3A83AD; + } + .settingiconblue p { + text-align: center; + font-size: 17px; + word-wrap: break-word; + font-variant: small-caps; + font-weight: bold; + line-height: 30px; + } + .settingdivblue { + width: 70px; + height: 70px; + margin: 0 auto; + text-align: center; + border: 5px solid #C4D8E4; + border-radius: 100%; + padding-top: 5px; + } diff --git a/public/lb-faveo/dist/css/AdminLTEsemi.css b/public/lb-faveo/dist/css/AdminLTEsemi.css index 478401bec..16d2ec32e 100644 --- a/public/lb-faveo/dist/css/AdminLTEsemi.css +++ b/public/lb-faveo/dist/css/AdminLTEsemi.css @@ -3509,3 +3509,11 @@ Gradient Background colors } +blockquote { + padding: 10px 20px; + margin: 0 0 20px; + font-size: 13px; + border-left: 5px solid #AFAFAF; + background-color:#EEEEEE; + border-radius:3px; +} \ No newline at end of file diff --git a/public/lb-faveo/dist/css/bootstrap.min.css b/public/lb-faveo/dist/css/bootstrap.min.css index 679272d25..388ab6460 100644 --- a/public/lb-faveo/dist/css/bootstrap.min.css +++ b/public/lb-faveo/dist/css/bootstrap.min.css @@ -4,4 +4,4 @@ * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE) */ -/*! normalize.css v3.0.0 | MIT License | git.io/normalize */html{font-family:sans-serif;-ms-text-size-adjust:100%;-webkit-text-size-adjust:100%}body{margin:0}article,aside,details,figcaption,figure,footer,header,hgroup,main,nav,section,summary{display:block}audio,canvas,progress,video{display:inline-block;vertical-align:baseline}audio:not([controls]){display:none;height:0}[hidden],template{display:none}a{background:0 0}a:active,a:hover{outline:0}abbr[title]{border-bottom:1px dotted}b,strong{font-weight:700}dfn{font-style:italic}h1{font-size:2em;margin:.67em 0}mark{background:#ff0;color:#000}small{font-size:80%}sub,sup{font-size:75%;line-height:0;position:relative;vertical-align:baseline}sup{top:-.5em}sub{bottom:-.25em}img{border:0}svg:not(:root){overflow:hidden}figure{margin:1em 40px}hr{-moz-box-sizing:content-box;box-sizing:content-box;height:0}pre{overflow:auto}code,kbd,pre,samp{font-family:monospace,monospace;font-size:1em}button,input,optgroup,select,textarea{color:inherit;font:inherit;margin:0}button{overflow:visible}button,select{text-transform:none}button,html input[type=button],input[type=reset],input[type=submit]{-webkit-appearance:button;cursor:pointer}button[disabled],html input[disabled]{cursor:default}button::-moz-focus-inner,input::-moz-focus-inner{border:0;padding:0}input{line-height:normal}input[type=checkbox],input[type=radio]{box-sizing:border-box;padding:0}input[type=number]::-webkit-inner-spin-button,input[type=number]::-webkit-outer-spin-button{height:auto}input[type=search]{-webkit-appearance:textfield;-moz-box-sizing:content-box;-webkit-box-sizing:content-box;box-sizing:content-box}input[type=search]::-webkit-search-cancel-button,input[type=search]::-webkit-search-decoration{-webkit-appearance:none}fieldset{border:1px solid silver;margin:0 2px;padding:.35em .625em .75em}legend{border:0;padding:0}textarea{overflow:auto}optgroup{font-weight:700}table{border-collapse:collapse;border-spacing:0}td,th{padding:0}@media print{*{text-shadow:none!important;color:#000!important;background:transparent!important;box-shadow:none!important}a,a:visited{text-decoration:underline}a[href]:after{content:" (" attr(href) ")"}abbr[title]:after{content:" (" attr(title) ")"}a[href^="javascript:"]:after,a[href^="#"]:after{content:""}pre,blockquote{border:1px solid #999;page-break-inside:avoid}thead{display:table-header-group}tr,img{page-break-inside:avoid}img{max-width:100%!important}p,h2,h3{orphans:3;widows:3}h2,h3{page-break-after:avoid}select{background:#fff!important}.navbar{display:none}.table td,.table th{background-color:#fff!important}.btn>.caret,.dropup>.btn>.caret{border-top-color:#000!important}.label{border:1px solid #000}.table{border-collapse:collapse!important}.table-bordered th,.table-bordered td{border:1px solid #ddd!important}}*{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}:before,:after{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}html{font-size:62.5%;-webkit-tap-highlight-color:rgba(0,0,0,0)}body{font-family:"Helvetica Neue",Helvetica,Arial,sans-serif;font-size:14px;line-height:1.42857143;color:#333;background-color:#fff}input,button,select,textarea{font-family:inherit;font-size:inherit;line-height:inherit}a{color:#428bca;text-decoration:none}a:hover,a:focus{color:#2a6496;text-decoration:underline}a:focus{outline:thin dotted;outline:5px auto -webkit-focus-ring-color;outline-offset:-2px}figure{margin:0}img{vertical-align:middle}.img-responsive,.thumbnail>img,.thumbnail a>img,.carousel-inner>.item>img,.carousel-inner>.item>a>img{display:block;max-width:100%;height:auto}.img-rounded{border-radius:6px}.img-thumbnail{padding:4px;line-height:1.42857143;background-color:#fff;border:1px solid #ddd;border-radius:4px;-webkit-transition:all .2s ease-in-out;transition:all .2s ease-in-out;display:inline-block;max-width:100%;height:auto}.img-circle{border-radius:50%}hr{margin-top:20px;margin-bottom:20px;border:0;border-top:1px solid #eee}.sr-only{position:absolute;width:1px;height:1px;margin:-1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);border:0}h1,h2,h3,h4,h5,h6,.h1,.h2,.h3,.h4,.h5,.h6{font-family:inherit;font-weight:500;line-height:1.1;color:inherit}h1 small,h2 small,h3 small,h4 small,h5 small,h6 small,.h1 small,.h2 small,.h3 small,.h4 small,.h5 small,.h6 small,h1 .small,h2 .small,h3 .small,h4 .small,h5 .small,h6 .small,.h1 .small,.h2 .small,.h3 .small,.h4 .small,.h5 .small,.h6 .small{font-weight:400;line-height:1;color:#999}h1,.h1,h2,.h2,h3,.h3{margin-top:20px;margin-bottom:10px}h1 small,.h1 small,h2 small,.h2 small,h3 small,.h3 small,h1 .small,.h1 .small,h2 .small,.h2 .small,h3 .small,.h3 .small{font-size:65%}h4,.h4,h5,.h5,h6,.h6{margin-top:10px;margin-bottom:10px}h4 small,.h4 small,h5 small,.h5 small,h6 small,.h6 small,h4 .small,.h4 .small,h5 .small,.h5 .small,h6 .small,.h6 .small{font-size:75%}h1,.h1{font-size:36px}h2,.h2{font-size:30px}h3,.h3{font-size:24px}h4,.h4{font-size:18px}h5,.h5{font-size:14px}h6,.h6{font-size:12px}p{margin:0 0 10px}.lead{margin-bottom:20px;font-size:16px;font-weight:200;line-height:1.4}@media (min-width:768px){.lead{font-size:21px}}small,.small{font-size:85%}cite{font-style:normal}.text-left{text-align:left}.text-right{text-align:right}.text-center{text-align:center}.text-justify{text-align:justify}.text-muted{color:#999}.text-primary{color:#428bca}a.text-primary:hover{color:#3071a9}.text-success{color:#3c763d}a.text-success:hover{color:#2b542c}.text-info{color:#31708f}a.text-info:hover{color:#245269}.text-warning{color:#8a6d3b}a.text-warning:hover{color:#66512c}.text-danger{color:#a94442}a.text-danger:hover{color:#843534}.bg-primary{color:#fff;background-color:#428bca}a.bg-primary:hover{background-color:#3071a9}.bg-success{background-color:#dff0d8}a.bg-success:hover{background-color:#c1e2b3}.bg-info{background-color:#d9edf7}a.bg-info:hover{background-color:#afd9ee}.bg-warning{background-color:#fcf8e3}a.bg-warning:hover{background-color:#f7ecb5}.bg-danger{background-color:#f2dede}a.bg-danger:hover{background-color:#e4b9b9}.page-header{padding-bottom:9px;margin:40px 0 20px;border-bottom:1px solid #eee}ul,ol{margin-top:0;margin-bottom:10px}ul ul,ol ul,ul ol,ol ol{margin-bottom:0}.list-unstyled{padding-left:0;list-style:none}.list-inline{padding-left:0;list-style:none;margin-left:-5px}.list-inline>li{display:inline-block;padding-left:5px;padding-right:5px}dl{margin-top:0;margin-bottom:20px}dt,dd{line-height:1.42857143}dt{font-weight:700}dd{margin-left:0}@media (min-width:768px){.dl-horizontal dt{float:left;width:160px;clear:left;text-align:right;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.dl-horizontal dd{margin-left:180px}}abbr[title],abbr[data-original-title]{cursor:help;border-bottom:1px dotted #999}.initialism{font-size:90%;text-transform:uppercase}blockquote{padding:10px 20px;margin:0 0 20px;font-size:17.5px;border-left:5px solid #eee}blockquote p:last-child,blockquote ul:last-child,blockquote ol:last-child{margin-bottom:0}blockquote footer,blockquote small,blockquote .small{display:block;font-size:80%;line-height:1.42857143;color:#999}blockquote footer:before,blockquote small:before,blockquote .small:before{content:'\2014 \00A0'}.blockquote-reverse,blockquote.pull-right{padding-right:15px;padding-left:0;border-right:5px solid #eee;border-left:0;text-align:right}.blockquote-reverse footer:before,blockquote.pull-right footer:before,.blockquote-reverse small:before,blockquote.pull-right small:before,.blockquote-reverse .small:before,blockquote.pull-right .small:before{content:''}.blockquote-reverse footer:after,blockquote.pull-right footer:after,.blockquote-reverse small:after,blockquote.pull-right small:after,.blockquote-reverse .small:after,blockquote.pull-right .small:after{content:'\00A0 \2014'}blockquote:before,blockquote:after{content:""}address{margin-bottom:20px;font-style:normal;line-height:1.42857143}code,kbd,pre,samp{font-family:Menlo,Monaco,Consolas,"Courier New",monospace}code{padding:2px 4px;font-size:90%;color:#c7254e;background-color:#f9f2f4;white-space:nowrap;border-radius:4px}kbd{padding:2px 4px;font-size:90%;color:#fff;background-color:#333;border-radius:3px;box-shadow:inset 0 -1px 0 rgba(0,0,0,.25)}pre{display:block;padding:9.5px;margin:0 0 10px;font-size:13px;line-height:1.42857143;word-break:break-all;word-wrap:break-word;color:#333;background-color:#f5f5f5;border:1px solid #ccc;border-radius:4px}pre code{padding:0;font-size:inherit;color:inherit;white-space:pre-wrap;background-color:transparent;border-radius:0}.pre-scrollable{max-height:340px;overflow-y:scroll}.container{margin-right:auto;margin-left:auto;padding-left:15px;padding-right:15px}@media (min-width:768px){.container{width:750px}}@media (min-width:992px){.container{width:970px}}@media (min-width:1200px){.container{width:1170px}}.container-fluid{margin-right:auto;margin-left:auto;padding-left:15px;padding-right:15px}.row{margin-left:-15px;margin-right:-15px}.col-xs-1,.col-sm-1,.col-md-1,.col-lg-1,.col-xs-2,.col-sm-2,.col-md-2,.col-lg-2,.col-xs-3,.col-sm-3,.col-md-3,.col-lg-3,.col-xs-4,.col-sm-4,.col-md-4,.col-lg-4,.col-xs-5,.col-sm-5,.col-md-5,.col-lg-5,.col-xs-6,.col-sm-6,.col-md-6,.col-lg-6,.col-xs-7,.col-sm-7,.col-md-7,.col-lg-7,.col-xs-8,.col-sm-8,.col-md-8,.col-lg-8,.col-xs-9,.col-sm-9,.col-md-9,.col-lg-9,.col-xs-10,.col-sm-10,.col-md-10,.col-lg-10,.col-xs-11,.col-sm-11,.col-md-11,.col-lg-11,.col-xs-12,.col-sm-12,.col-md-12,.col-lg-12{position:relative;min-height:1px;padding-left:15px;padding-right:15px}.col-xs-1,.col-xs-2,.col-xs-3,.col-xs-4,.col-xs-5,.col-xs-6,.col-xs-7,.col-xs-8,.col-xs-9,.col-xs-10,.col-xs-11,.col-xs-12{float:left}.col-xs-12{width:100%}.col-xs-11{width:91.66666667%}.col-xs-10{width:83.33333333%}.col-xs-9{width:75%}.col-xs-8{width:66.66666667%}.col-xs-7{width:58.33333333%}.col-xs-6{width:50%}.col-xs-5{width:41.66666667%}.col-xs-4{width:33.33333333%}.col-xs-3{width:25%}.col-xs-2{width:16.66666667%}.col-xs-1{width:8.33333333%}.col-xs-pull-12{right:100%}.col-xs-pull-11{right:91.66666667%}.col-xs-pull-10{right:83.33333333%}.col-xs-pull-9{right:75%}.col-xs-pull-8{right:66.66666667%}.col-xs-pull-7{right:58.33333333%}.col-xs-pull-6{right:50%}.col-xs-pull-5{right:41.66666667%}.col-xs-pull-4{right:33.33333333%}.col-xs-pull-3{right:25%}.col-xs-pull-2{right:16.66666667%}.col-xs-pull-1{right:8.33333333%}.col-xs-pull-0{right:0}.col-xs-push-12{left:100%}.col-xs-push-11{left:91.66666667%}.col-xs-push-10{left:83.33333333%}.col-xs-push-9{left:75%}.col-xs-push-8{left:66.66666667%}.col-xs-push-7{left:58.33333333%}.col-xs-push-6{left:50%}.col-xs-push-5{left:41.66666667%}.col-xs-push-4{left:33.33333333%}.col-xs-push-3{left:25%}.col-xs-push-2{left:16.66666667%}.col-xs-push-1{left:8.33333333%}.col-xs-push-0{left:0}.col-xs-offset-12{margin-left:100%}.col-xs-offset-11{margin-left:91.66666667%}.col-xs-offset-10{margin-left:83.33333333%}.col-xs-offset-9{margin-left:75%}.col-xs-offset-8{margin-left:66.66666667%}.col-xs-offset-7{margin-left:58.33333333%}.col-xs-offset-6{margin-left:50%}.col-xs-offset-5{margin-left:41.66666667%}.col-xs-offset-4{margin-left:33.33333333%}.col-xs-offset-3{margin-left:25%}.col-xs-offset-2{margin-left:16.66666667%}.col-xs-offset-1{margin-left:8.33333333%}.col-xs-offset-0{margin-left:0}@media (min-width:768px){.col-sm-1,.col-sm-2,.col-sm-3,.col-sm-4,.col-sm-5,.col-sm-6,.col-sm-7,.col-sm-8,.col-sm-9,.col-sm-10,.col-sm-11,.col-sm-12{float:left}.col-sm-12{width:100%}.col-sm-11{width:91.66666667%}.col-sm-10{width:83.33333333%}.col-sm-9{width:75%}.col-sm-8{width:66.66666667%}.col-sm-7{width:58.33333333%}.col-sm-6{width:50%}.col-sm-5{width:41.66666667%}.col-sm-4{width:33.33333333%}.col-sm-3{width:25%}.col-sm-2{width:16.66666667%}.col-sm-1{width:8.33333333%}.col-sm-pull-12{right:100%}.col-sm-pull-11{right:91.66666667%}.col-sm-pull-10{right:83.33333333%}.col-sm-pull-9{right:75%}.col-sm-pull-8{right:66.66666667%}.col-sm-pull-7{right:58.33333333%}.col-sm-pull-6{right:50%}.col-sm-pull-5{right:41.66666667%}.col-sm-pull-4{right:33.33333333%}.col-sm-pull-3{right:25%}.col-sm-pull-2{right:16.66666667%}.col-sm-pull-1{right:8.33333333%}.col-sm-pull-0{right:0}.col-sm-push-12{left:100%}.col-sm-push-11{left:91.66666667%}.col-sm-push-10{left:83.33333333%}.col-sm-push-9{left:75%}.col-sm-push-8{left:66.66666667%}.col-sm-push-7{left:58.33333333%}.col-sm-push-6{left:50%}.col-sm-push-5{left:41.66666667%}.col-sm-push-4{left:33.33333333%}.col-sm-push-3{left:25%}.col-sm-push-2{left:16.66666667%}.col-sm-push-1{left:8.33333333%}.col-sm-push-0{left:0}.col-sm-offset-12{margin-left:100%}.col-sm-offset-11{margin-left:91.66666667%}.col-sm-offset-10{margin-left:83.33333333%}.col-sm-offset-9{margin-left:75%}.col-sm-offset-8{margin-left:66.66666667%}.col-sm-offset-7{margin-left:58.33333333%}.col-sm-offset-6{margin-left:50%}.col-sm-offset-5{margin-left:41.66666667%}.col-sm-offset-4{margin-left:33.33333333%}.col-sm-offset-3{margin-left:25%}.col-sm-offset-2{margin-left:16.66666667%}.col-sm-offset-1{margin-left:8.33333333%}.col-sm-offset-0{margin-left:0}}@media (min-width:992px){.col-md-1,.col-md-2,.col-md-3,.col-md-4,.col-md-5,.col-md-6,.col-md-7,.col-md-8,.col-md-9,.col-md-10,.col-md-11,.col-md-12{float:left}.col-md-12{width:100%}.col-md-11{width:91.66666667%}.col-md-10{width:83.33333333%}.col-md-9{width:75%}.col-md-8{width:66.66666667%}.col-md-7{width:58.33333333%}.col-md-6{width:50%}.col-md-5{width:41.66666667%}.col-md-4{width:33.33333333%}.col-md-3{width:25%}.col-md-2{width:16.66666667%}.col-md-1{width:8.33333333%}.col-md-pull-12{right:100%}.col-md-pull-11{right:91.66666667%}.col-md-pull-10{right:83.33333333%}.col-md-pull-9{right:75%}.col-md-pull-8{right:66.66666667%}.col-md-pull-7{right:58.33333333%}.col-md-pull-6{right:50%}.col-md-pull-5{right:41.66666667%}.col-md-pull-4{right:33.33333333%}.col-md-pull-3{right:25%}.col-md-pull-2{right:16.66666667%}.col-md-pull-1{right:8.33333333%}.col-md-pull-0{right:0}.col-md-push-12{left:100%}.col-md-push-11{left:91.66666667%}.col-md-push-10{left:83.33333333%}.col-md-push-9{left:75%}.col-md-push-8{left:66.66666667%}.col-md-push-7{left:58.33333333%}.col-md-push-6{left:50%}.col-md-push-5{left:41.66666667%}.col-md-push-4{left:33.33333333%}.col-md-push-3{left:25%}.col-md-push-2{left:16.66666667%}.col-md-push-1{left:8.33333333%}.col-md-push-0{left:0}.col-md-offset-12{margin-left:100%}.col-md-offset-11{margin-left:91.66666667%}.col-md-offset-10{margin-left:83.33333333%}.col-md-offset-9{margin-left:75%}.col-md-offset-8{margin-left:66.66666667%}.col-md-offset-7{margin-left:58.33333333%}.col-md-offset-6{margin-left:50%}.col-md-offset-5{margin-left:41.66666667%}.col-md-offset-4{margin-left:33.33333333%}.col-md-offset-3{margin-left:25%}.col-md-offset-2{margin-left:16.66666667%}.col-md-offset-1{margin-left:8.33333333%}.col-md-offset-0{margin-left:0}}@media (min-width:1200px){.col-lg-1,.col-lg-2,.col-lg-3,.col-lg-4,.col-lg-5,.col-lg-6,.col-lg-7,.col-lg-8,.col-lg-9,.col-lg-10,.col-lg-11,.col-lg-12{float:left}.col-lg-12{width:100%}.col-lg-11{width:91.66666667%}.col-lg-10{width:83.33333333%}.col-lg-9{width:75%}.col-lg-8{width:66.66666667%}.col-lg-7{width:58.33333333%}.col-lg-6{width:50%}.col-lg-5{width:41.66666667%}.col-lg-4{width:33.33333333%}.col-lg-3{width:25%}.col-lg-2{width:16.66666667%}.col-lg-1{width:8.33333333%}.col-lg-pull-12{right:100%}.col-lg-pull-11{right:91.66666667%}.col-lg-pull-10{right:83.33333333%}.col-lg-pull-9{right:75%}.col-lg-pull-8{right:66.66666667%}.col-lg-pull-7{right:58.33333333%}.col-lg-pull-6{right:50%}.col-lg-pull-5{right:41.66666667%}.col-lg-pull-4{right:33.33333333%}.col-lg-pull-3{right:25%}.col-lg-pull-2{right:16.66666667%}.col-lg-pull-1{right:8.33333333%}.col-lg-pull-0{right:0}.col-lg-push-12{left:100%}.col-lg-push-11{left:91.66666667%}.col-lg-push-10{left:83.33333333%}.col-lg-push-9{left:75%}.col-lg-push-8{left:66.66666667%}.col-lg-push-7{left:58.33333333%}.col-lg-push-6{left:50%}.col-lg-push-5{left:41.66666667%}.col-lg-push-4{left:33.33333333%}.col-lg-push-3{left:25%}.col-lg-push-2{left:16.66666667%}.col-lg-push-1{left:8.33333333%}.col-lg-push-0{left:0}.col-lg-offset-12{margin-left:100%}.col-lg-offset-11{margin-left:91.66666667%}.col-lg-offset-10{margin-left:83.33333333%}.col-lg-offset-9{margin-left:75%}.col-lg-offset-8{margin-left:66.66666667%}.col-lg-offset-7{margin-left:58.33333333%}.col-lg-offset-6{margin-left:50%}.col-lg-offset-5{margin-left:41.66666667%}.col-lg-offset-4{margin-left:33.33333333%}.col-lg-offset-3{margin-left:25%}.col-lg-offset-2{margin-left:16.66666667%}.col-lg-offset-1{margin-left:8.33333333%}.col-lg-offset-0{margin-left:0}}table{max-width:100%;background-color:transparent}th{text-align:left}.table{width:100%;margin-bottom:20px}.table>thead>tr>th,.table>tbody>tr>th,.table>tfoot>tr>th,.table>thead>tr>td,.table>tbody>tr>td,.table>tfoot>tr>td{padding:8px;line-height:1.42857143;vertical-align:top;border-top:1px solid #ddd}.table>thead>tr>th{vertical-align:bottom;border-bottom:2px solid #ddd}.table>caption+thead>tr:first-child>th,.table>colgroup+thead>tr:first-child>th,.table>thead:first-child>tr:first-child>th,.table>caption+thead>tr:first-child>td,.table>colgroup+thead>tr:first-child>td,.table>thead:first-child>tr:first-child>td{border-top:0}.table>tbody+tbody{border-top:2px solid #ddd}.table .table{background-color:#fff}.table-condensed>thead>tr>th,.table-condensed>tbody>tr>th,.table-condensed>tfoot>tr>th,.table-condensed>thead>tr>td,.table-condensed>tbody>tr>td,.table-condensed>tfoot>tr>td{padding:5px}.table-bordered{border:1px solid #ddd}.table-bordered>thead>tr>th,.table-bordered>tbody>tr>th,.table-bordered>tfoot>tr>th,.table-bordered>thead>tr>td,.table-bordered>tbody>tr>td,.table-bordered>tfoot>tr>td{border:1px solid #ddd}.table-bordered>thead>tr>th,.table-bordered>thead>tr>td{border-bottom-width:2px}.table-striped>tbody>tr:nth-child(odd)>td,.table-striped>tbody>tr:nth-child(odd)>th{background-color:#f9f9f9}.table-hover>tbody>tr:hover>td,.table-hover>tbody>tr:hover>th{background-color:#f5f5f5}table col[class*=col-]{position:static;float:none;display:table-column}table td[class*=col-],table th[class*=col-]{position:static;float:none;display:table-cell}.table>thead>tr>td.active,.table>tbody>tr>td.active,.table>tfoot>tr>td.active,.table>thead>tr>th.active,.table>tbody>tr>th.active,.table>tfoot>tr>th.active,.table>thead>tr.active>td,.table>tbody>tr.active>td,.table>tfoot>tr.active>td,.table>thead>tr.active>th,.table>tbody>tr.active>th,.table>tfoot>tr.active>th{background-color:#f5f5f5}.table-hover>tbody>tr>td.active:hover,.table-hover>tbody>tr>th.active:hover,.table-hover>tbody>tr.active:hover>td,.table-hover>tbody>tr.active:hover>th{background-color:#e8e8e8}.table>thead>tr>td.success,.table>tbody>tr>td.success,.table>tfoot>tr>td.success,.table>thead>tr>th.success,.table>tbody>tr>th.success,.table>tfoot>tr>th.success,.table>thead>tr.success>td,.table>tbody>tr.success>td,.table>tfoot>tr.success>td,.table>thead>tr.success>th,.table>tbody>tr.success>th,.table>tfoot>tr.success>th{background-color:#dff0d8}.table-hover>tbody>tr>td.success:hover,.table-hover>tbody>tr>th.success:hover,.table-hover>tbody>tr.success:hover>td,.table-hover>tbody>tr.success:hover>th{background-color:#d0e9c6}.table>thead>tr>td.info,.table>tbody>tr>td.info,.table>tfoot>tr>td.info,.table>thead>tr>th.info,.table>tbody>tr>th.info,.table>tfoot>tr>th.info,.table>thead>tr.info>td,.table>tbody>tr.info>td,.table>tfoot>tr.info>td,.table>thead>tr.info>th,.table>tbody>tr.info>th,.table>tfoot>tr.info>th{background-color:#d9edf7}.table-hover>tbody>tr>td.info:hover,.table-hover>tbody>tr>th.info:hover,.table-hover>tbody>tr.info:hover>td,.table-hover>tbody>tr.info:hover>th{background-color:#c4e3f3}.table>thead>tr>td.warning,.table>tbody>tr>td.warning,.table>tfoot>tr>td.warning,.table>thead>tr>th.warning,.table>tbody>tr>th.warning,.table>tfoot>tr>th.warning,.table>thead>tr.warning>td,.table>tbody>tr.warning>td,.table>tfoot>tr.warning>td,.table>thead>tr.warning>th,.table>tbody>tr.warning>th,.table>tfoot>tr.warning>th{background-color:#fcf8e3}.table-hover>tbody>tr>td.warning:hover,.table-hover>tbody>tr>th.warning:hover,.table-hover>tbody>tr.warning:hover>td,.table-hover>tbody>tr.warning:hover>th{background-color:#faf2cc}.table>thead>tr>td.danger,.table>tbody>tr>td.danger,.table>tfoot>tr>td.danger,.table>thead>tr>th.danger,.table>tbody>tr>th.danger,.table>tfoot>tr>th.danger,.table>thead>tr.danger>td,.table>tbody>tr.danger>td,.table>tfoot>tr.danger>td,.table>thead>tr.danger>th,.table>tbody>tr.danger>th,.table>tfoot>tr.danger>th{background-color:#f2dede}.table-hover>tbody>tr>td.danger:hover,.table-hover>tbody>tr>th.danger:hover,.table-hover>tbody>tr.danger:hover>td,.table-hover>tbody>tr.danger:hover>th{background-color:#ebcccc}@media (max-width:767px){.table-responsive{width:100%;margin-bottom:15px;overflow-y:hidden;overflow-x:scroll;-ms-overflow-style:-ms-autohiding-scrollbar;border:1px solid #ddd;-webkit-overflow-scrolling:touch}.table-responsive>.table{margin-bottom:0}.table-responsive>.table>thead>tr>th,.table-responsive>.table>tbody>tr>th,.table-responsive>.table>tfoot>tr>th,.table-responsive>.table>thead>tr>td,.table-responsive>.table>tbody>tr>td,.table-responsive>.table>tfoot>tr>td{white-space:nowrap}.table-responsive>.table-bordered{border:0}.table-responsive>.table-bordered>thead>tr>th:first-child,.table-responsive>.table-bordered>tbody>tr>th:first-child,.table-responsive>.table-bordered>tfoot>tr>th:first-child,.table-responsive>.table-bordered>thead>tr>td:first-child,.table-responsive>.table-bordered>tbody>tr>td:first-child,.table-responsive>.table-bordered>tfoot>tr>td:first-child{border-left:0}.table-responsive>.table-bordered>thead>tr>th:last-child,.table-responsive>.table-bordered>tbody>tr>th:last-child,.table-responsive>.table-bordered>tfoot>tr>th:last-child,.table-responsive>.table-bordered>thead>tr>td:last-child,.table-responsive>.table-bordered>tbody>tr>td:last-child,.table-responsive>.table-bordered>tfoot>tr>td:last-child{border-right:0}.table-responsive>.table-bordered>tbody>tr:last-child>th,.table-responsive>.table-bordered>tfoot>tr:last-child>th,.table-responsive>.table-bordered>tbody>tr:last-child>td,.table-responsive>.table-bordered>tfoot>tr:last-child>td{border-bottom:0}}fieldset{padding:0;margin:0;border:0;min-width:0}legend{display:block;width:100%;padding:0;margin-bottom:20px;font-size:21px;line-height:inherit;color:#333;border:0;border-bottom:1px solid #e5e5e5}label{display:inline-block;margin-bottom:5px;font-weight:700}input[type=search]{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}input[type=radio],input[type=checkbox]{margin:4px 0 0;margin-top:1px \9;line-height:normal}input[type=file]{display:block}input[type=range]{display:block;width:100%}select[multiple],select[size]{height:auto}input[type=file]:focus,input[type=radio]:focus,input[type=checkbox]:focus{outline:thin dotted;outline:5px auto -webkit-focus-ring-color;outline-offset:-2px}output{display:block;padding-top:7px;font-size:14px;line-height:1.42857143;color:#555}.form-control{display:block;width:100%;height:34px;padding:6px 12px;font-size:14px;line-height:1.42857143;color:#555;background-color:#fff;background-image:none;border:1px solid #ccc;border-radius:4px;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px rgba(0,0,0,.075);-webkit-transition:border-color ease-in-out .15s,box-shadow ease-in-out .15s;transition:border-color ease-in-out .15s,box-shadow ease-in-out .15s}.form-control:focus{border-color:#66afe9;outline:0;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 8px rgba(102,175,233,.6);box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 8px rgba(102,175,233,.6)}.form-control::-moz-placeholder{color:#999;opacity:1}.form-control:-ms-input-placeholder{color:#999}.form-control::-webkit-input-placeholder{color:#999}.form-control[disabled],.form-control[readonly],fieldset[disabled] .form-control{cursor:not-allowed;background-color:#eee;opacity:1}textarea.form-control{height:auto}input[type=search]{-webkit-appearance:none}input[type=date]{line-height:34px}.form-group{margin-bottom:15px}.radio,.checkbox{display:block;min-height:20px;margin-top:10px;margin-bottom:10px;padding-left:20px}.radio label,.checkbox label{display:inline;font-weight:400;cursor:pointer}.radio input[type=radio],.radio-inline input[type=radio],.checkbox input[type=checkbox],.checkbox-inline input[type=checkbox]{float:left;margin-left:-20px}.radio+.radio,.checkbox+.checkbox{margin-top:-5px}.radio-inline,.checkbox-inline{display:inline-block;padding-left:20px;margin-bottom:0;vertical-align:middle;font-weight:400;cursor:pointer}.radio-inline+.radio-inline,.checkbox-inline+.checkbox-inline{margin-top:0;margin-left:10px}input[type=radio][disabled],input[type=checkbox][disabled],.radio[disabled],.radio-inline[disabled],.checkbox[disabled],.checkbox-inline[disabled],fieldset[disabled] input[type=radio],fieldset[disabled] input[type=checkbox],fieldset[disabled] .radio,fieldset[disabled] .radio-inline,fieldset[disabled] .checkbox,fieldset[disabled] .checkbox-inline{cursor:not-allowed}.input-sm{height:30px;padding:5px 10px;font-size:12px;line-height:1.5;border-radius:3px}select.input-sm{height:30px;line-height:30px}textarea.input-sm,select[multiple].input-sm{height:auto}.input-lg{height:46px;padding:10px 16px;font-size:18px;line-height:1.33;border-radius:6px}select.input-lg{height:46px;line-height:46px}textarea.input-lg,select[multiple].input-lg{height:auto}.has-feedback{position:relative}.has-feedback .form-control{padding-right:42.5px}.has-feedback .form-control-feedback{position:absolute;top:25px;right:0;display:block;width:34px;height:34px;line-height:34px;text-align:center}.has-success .help-block,.has-success .control-label,.has-success .radio,.has-success .checkbox,.has-success .radio-inline,.has-success .checkbox-inline{color:#3c763d}.has-success .form-control{border-color:#3c763d;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px rgba(0,0,0,.075)}.has-success .form-control:focus{border-color:#2b542c;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #67b168;box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #67b168}.has-success .input-group-addon{color:#3c763d;border-color:#3c763d;background-color:#dff0d8}.has-success .form-control-feedback{color:#3c763d}.has-warning .help-block,.has-warning .control-label,.has-warning .radio,.has-warning .checkbox,.has-warning .radio-inline,.has-warning .checkbox-inline{color:#8a6d3b}.has-warning .form-control{border-color:#8a6d3b;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px rgba(0,0,0,.075)}.has-warning .form-control:focus{border-color:#66512c;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #c0a16b;box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #c0a16b}.has-warning .input-group-addon{color:#8a6d3b;border-color:#8a6d3b;background-color:#fcf8e3}.has-warning .form-control-feedback{color:#8a6d3b}.has-error .help-block,.has-error .control-label,.has-error .radio,.has-error .checkbox,.has-error .radio-inline,.has-error .checkbox-inline{color:#a94442}.has-error .form-control{border-color:#a94442;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px rgba(0,0,0,.075)}.has-error .form-control:focus{border-color:#843534;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #ce8483;box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #ce8483}.has-error .input-group-addon{color:#a94442;border-color:#a94442;background-color:#f2dede}.has-error .form-control-feedback{color:#a94442}.form-control-static{margin-bottom:0}.help-block{display:block;margin-top:5px;margin-bottom:10px;color:#737373}@media (min-width:768px){.form-inline .form-group{display:inline-block;margin-bottom:0;vertical-align:middle}.form-inline .form-control{display:inline-block;width:auto;vertical-align:middle}.form-inline .input-group>.form-control{width:100%}.form-inline .control-label{margin-bottom:0;vertical-align:middle}.form-inline .radio,.form-inline .checkbox{display:inline-block;margin-top:0;margin-bottom:0;padding-left:0;vertical-align:middle}.form-inline .radio input[type=radio],.form-inline .checkbox input[type=checkbox]{float:none;margin-left:0}.form-inline .has-feedback .form-control-feedback{top:0}}.form-horizontal .control-label,.form-horizontal .radio,.form-horizontal .checkbox,.form-horizontal .radio-inline,.form-horizontal .checkbox-inline{margin-top:0;margin-bottom:0;padding-top:7px}.form-horizontal .radio,.form-horizontal .checkbox{min-height:27px}.form-horizontal .form-group{margin-left:-15px;margin-right:-15px}.form-horizontal .form-control-static{padding-top:7px}@media (min-width:768px){.form-horizontal .control-label{text-align:right}}.form-horizontal .has-feedback .form-control-feedback{top:0;right:15px}.btn{display:inline-block;margin-bottom:0;font-weight:400;text-align:center;vertical-align:middle;cursor:pointer;background-image:none;border:1px solid transparent;white-space:nowrap;padding:6px 12px;font-size:14px;line-height:1.42857143;border-radius:4px;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.btn:focus,.btn:active:focus,.btn.active:focus{outline:thin dotted;outline:5px auto -webkit-focus-ring-color;outline-offset:-2px}.btn:hover,.btn:focus{color:#333;text-decoration:none}.btn:active,.btn.active{outline:0;background-image:none;-webkit-box-shadow:inset 0 3px 5px rgba(0,0,0,.125);box-shadow:inset 0 3px 5px rgba(0,0,0,.125)}.btn.disabled,.btn[disabled],fieldset[disabled] .btn{cursor:not-allowed;pointer-events:none;opacity:.65;filter:alpha(opacity=65);-webkit-box-shadow:none;box-shadow:none}.btn-default{color:#333;background-color:#fff;border-color:#ccc}.btn-default:hover,.btn-default:focus,.btn-default:active,.btn-default.active,.open .dropdown-toggle.btn-default{color:#333;background-color:#ebebeb;border-color:#adadad}.btn-default:active,.btn-default.active,.open .dropdown-toggle.btn-default{background-image:none}.btn-default.disabled,.btn-default[disabled],fieldset[disabled] .btn-default,.btn-default.disabled:hover,.btn-default[disabled]:hover,fieldset[disabled] .btn-default:hover,.btn-default.disabled:focus,.btn-default[disabled]:focus,fieldset[disabled] .btn-default:focus,.btn-default.disabled:active,.btn-default[disabled]:active,fieldset[disabled] .btn-default:active,.btn-default.disabled.active,.btn-default[disabled].active,fieldset[disabled] .btn-default.active{background-color:#fff;border-color:#ccc}.btn-default .badge{color:#fff;background-color:#333}.btn-primary{color:#fff;background-color:#428bca;border-color:#357ebd}.btn-primary:hover,.btn-primary:focus,.btn-primary:active,.btn-primary.active,.open .dropdown-toggle.btn-primary{color:#fff;background-color:#3276b1;border-color:#285e8e}.btn-primary:active,.btn-primary.active,.open .dropdown-toggle.btn-primary{background-image:none}.btn-primary.disabled,.btn-primary[disabled],fieldset[disabled] .btn-primary,.btn-primary.disabled:hover,.btn-primary[disabled]:hover,fieldset[disabled] .btn-primary:hover,.btn-primary.disabled:focus,.btn-primary[disabled]:focus,fieldset[disabled] .btn-primary:focus,.btn-primary.disabled:active,.btn-primary[disabled]:active,fieldset[disabled] .btn-primary:active,.btn-primary.disabled.active,.btn-primary[disabled].active,fieldset[disabled] .btn-primary.active{background-color:#428bca;border-color:#357ebd}.btn-primary .badge{color:#428bca;background-color:#fff}.btn-success{color:#fff;background-color:#5cb85c;border-color:#4cae4c}.btn-success:hover,.btn-success:focus,.btn-success:active,.btn-success.active,.open .dropdown-toggle.btn-success{color:#fff;background-color:#47a447;border-color:#398439}.btn-success:active,.btn-success.active,.open .dropdown-toggle.btn-success{background-image:none}.btn-success.disabled,.btn-success[disabled],fieldset[disabled] .btn-success,.btn-success.disabled:hover,.btn-success[disabled]:hover,fieldset[disabled] .btn-success:hover,.btn-success.disabled:focus,.btn-success[disabled]:focus,fieldset[disabled] .btn-success:focus,.btn-success.disabled:active,.btn-success[disabled]:active,fieldset[disabled] .btn-success:active,.btn-success.disabled.active,.btn-success[disabled].active,fieldset[disabled] .btn-success.active{background-color:#5cb85c;border-color:#4cae4c}.btn-success .badge{color:#5cb85c;background-color:#fff}.btn-info{color:#fff;background-color:#5bc0de;border-color:#46b8da}.btn-info:hover,.btn-info:focus,.btn-info:active,.btn-info.active,.open .dropdown-toggle.btn-info{color:#fff;background-color:#39b3d7;border-color:#269abc}.btn-info:active,.btn-info.active,.open .dropdown-toggle.btn-info{background-image:none}.btn-info.disabled,.btn-info[disabled],fieldset[disabled] .btn-info,.btn-info.disabled:hover,.btn-info[disabled]:hover,fieldset[disabled] .btn-info:hover,.btn-info.disabled:focus,.btn-info[disabled]:focus,fieldset[disabled] .btn-info:focus,.btn-info.disabled:active,.btn-info[disabled]:active,fieldset[disabled] .btn-info:active,.btn-info.disabled.active,.btn-info[disabled].active,fieldset[disabled] .btn-info.active{background-color:#5bc0de;border-color:#46b8da}.btn-info .badge{color:#5bc0de;background-color:#fff}.btn-warning{color:#fff;background-color:#f0ad4e;border-color:#eea236}.btn-warning:hover,.btn-warning:focus,.btn-warning:active,.btn-warning.active,.open .dropdown-toggle.btn-warning{color:#fff;background-color:#ed9c28;border-color:#d58512}.btn-warning:active,.btn-warning.active,.open .dropdown-toggle.btn-warning{background-image:none}.btn-warning.disabled,.btn-warning[disabled],fieldset[disabled] .btn-warning,.btn-warning.disabled:hover,.btn-warning[disabled]:hover,fieldset[disabled] .btn-warning:hover,.btn-warning.disabled:focus,.btn-warning[disabled]:focus,fieldset[disabled] .btn-warning:focus,.btn-warning.disabled:active,.btn-warning[disabled]:active,fieldset[disabled] .btn-warning:active,.btn-warning.disabled.active,.btn-warning[disabled].active,fieldset[disabled] .btn-warning.active{background-color:#f0ad4e;border-color:#eea236}.btn-warning .badge{color:#f0ad4e;background-color:#fff}.btn-danger{color:#fff;background-color:#d9534f;border-color:#d43f3a}.btn-danger:hover,.btn-danger:focus,.btn-danger:active,.btn-danger.active,.open .dropdown-toggle.btn-danger{color:#fff;background-color:#d2322d;border-color:#ac2925}.btn-danger:active,.btn-danger.active,.open .dropdown-toggle.btn-danger{background-image:none}.btn-danger.disabled,.btn-danger[disabled],fieldset[disabled] .btn-danger,.btn-danger.disabled:hover,.btn-danger[disabled]:hover,fieldset[disabled] .btn-danger:hover,.btn-danger.disabled:focus,.btn-danger[disabled]:focus,fieldset[disabled] .btn-danger:focus,.btn-danger.disabled:active,.btn-danger[disabled]:active,fieldset[disabled] .btn-danger:active,.btn-danger.disabled.active,.btn-danger[disabled].active,fieldset[disabled] .btn-danger.active{background-color:#d9534f;border-color:#d43f3a}.btn-danger .badge{color:#d9534f;background-color:#fff}.btn-link{color:#428bca;font-weight:400;cursor:pointer;border-radius:0}.btn-link,.btn-link:active,.btn-link[disabled],fieldset[disabled] .btn-link{background-color:transparent;-webkit-box-shadow:none;box-shadow:none}.btn-link,.btn-link:hover,.btn-link:focus,.btn-link:active{border-color:transparent}.btn-link:hover,.btn-link:focus{color:#2a6496;text-decoration:underline;background-color:transparent}.btn-link[disabled]:hover,fieldset[disabled] .btn-link:hover,.btn-link[disabled]:focus,fieldset[disabled] .btn-link:focus{color:#999;text-decoration:none}.btn-lg,.btn-group-lg>.btn{padding:10px 16px;font-size:18px;line-height:1.33;border-radius:6px}.btn-sm,.btn-group-sm>.btn{padding:5px 10px;font-size:12px;line-height:1.5;border-radius:3px}.btn-xs,.btn-group-xs>.btn{padding:1px 5px;font-size:12px;line-height:1.5;border-radius:3px}.btn-block{display:block;width:100%;padding-left:0;padding-right:0}.btn-block+.btn-block{margin-top:5px}input[type=submit].btn-block,input[type=reset].btn-block,input[type=button].btn-block{width:100%}.fade{opacity:0;-webkit-transition:opacity .15s linear;transition:opacity .15s linear}.fade.in{opacity:1}.collapse{display:none}.collapse.in{display:block}.collapsing{position:relative;height:0;overflow:hidden;-webkit-transition:height .35s ease;transition:height .35s ease}@font-face{font-family:'Glyphicons Halflings';src:url(../fonts/glyphicons-halflings-regular.eot);src:url(../fonts/glyphicons-halflings-regular.eot?#iefix) format('embedded-opentype'),url(../fonts/glyphicons-halflings-regular.woff) format('woff'),url(../fonts/glyphicons-halflings-regular.ttf) format('truetype'),url(../fonts/glyphicons-halflings-regular.svg#glyphicons_halflingsregular) format('svg')}.glyphicon{position:relative;top:1px;display:inline-block;font-family:'Glyphicons Halflings';font-style:normal;font-weight:400;line-height:1;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}.glyphicon-asterisk:before{content:"\2a"}.glyphicon-plus:before{content:"\2b"}.glyphicon-euro:before{content:"\20ac"}.glyphicon-minus:before{content:"\2212"}.glyphicon-cloud:before{content:"\2601"}.glyphicon-envelope:before{content:"\2709"}.glyphicon-pencil:before{content:"\270f"}.glyphicon-glass:before{content:"\e001"}.glyphicon-music:before{content:"\e002"}.glyphicon-search:before{content:"\e003"}.glyphicon-heart:before{content:"\e005"}.glyphicon-star:before{content:"\e006"}.glyphicon-star-empty:before{content:"\e007"}.glyphicon-user:before{content:"\e008"}.glyphicon-film:before{content:"\e009"}.glyphicon-th-large:before{content:"\e010"}.glyphicon-th:before{content:"\e011"}.glyphicon-th-list:before{content:"\e012"}.glyphicon-ok:before{content:"\e013"}.glyphicon-remove:before{content:"\e014"}.glyphicon-zoom-in:before{content:"\e015"}.glyphicon-zoom-out:before{content:"\e016"}.glyphicon-off:before{content:"\e017"}.glyphicon-signal:before{content:"\e018"}.glyphicon-cog:before{content:"\e019"}.glyphicon-trash:before{content:"\e020"}.glyphicon-home:before{content:"\e021"}.glyphicon-file:before{content:"\e022"}.glyphicon-time:before{content:"\e023"}.glyphicon-road:before{content:"\e024"}.glyphicon-download-alt:before{content:"\e025"}.glyphicon-download:before{content:"\e026"}.glyphicon-upload:before{content:"\e027"}.glyphicon-inbox:before{content:"\e028"}.glyphicon-play-circle:before{content:"\e029"}.glyphicon-repeat:before{content:"\e030"}.glyphicon-refresh:before{content:"\e031"}.glyphicon-list-alt:before{content:"\e032"}.glyphicon-lock:before{content:"\e033"}.glyphicon-flag:before{content:"\e034"}.glyphicon-headphones:before{content:"\e035"}.glyphicon-volume-off:before{content:"\e036"}.glyphicon-volume-down:before{content:"\e037"}.glyphicon-volume-up:before{content:"\e038"}.glyphicon-qrcode:before{content:"\e039"}.glyphicon-barcode:before{content:"\e040"}.glyphicon-tag:before{content:"\e041"}.glyphicon-tags:before{content:"\e042"}.glyphicon-book:before{content:"\e043"}.glyphicon-bookmark:before{content:"\e044"}.glyphicon-print:before{content:"\e045"}.glyphicon-camera:before{content:"\e046"}.glyphicon-font:before{content:"\e047"}.glyphicon-bold:before{content:"\e048"}.glyphicon-italic:before{content:"\e049"}.glyphicon-text-height:before{content:"\e050"}.glyphicon-text-width:before{content:"\e051"}.glyphicon-align-left:before{content:"\e052"}.glyphicon-align-center:before{content:"\e053"}.glyphicon-align-right:before{content:"\e054"}.glyphicon-align-justify:before{content:"\e055"}.glyphicon-list:before{content:"\e056"}.glyphicon-indent-left:before{content:"\e057"}.glyphicon-indent-right:before{content:"\e058"}.glyphicon-facetime-video:before{content:"\e059"}.glyphicon-picture:before{content:"\e060"}.glyphicon-map-marker:before{content:"\e062"}.glyphicon-adjust:before{content:"\e063"}.glyphicon-tint:before{content:"\e064"}.glyphicon-edit:before{content:"\e065"}.glyphicon-share:before{content:"\e066"}.glyphicon-check:before{content:"\e067"}.glyphicon-move:before{content:"\e068"}.glyphicon-step-backward:before{content:"\e069"}.glyphicon-fast-backward:before{content:"\e070"}.glyphicon-backward:before{content:"\e071"}.glyphicon-play:before{content:"\e072"}.glyphicon-pause:before{content:"\e073"}.glyphicon-stop:before{content:"\e074"}.glyphicon-forward:before{content:"\e075"}.glyphicon-fast-forward:before{content:"\e076"}.glyphicon-step-forward:before{content:"\e077"}.glyphicon-eject:before{content:"\e078"}.glyphicon-chevron-left:before{content:"\e079"}.glyphicon-chevron-right:before{content:"\e080"}.glyphicon-plus-sign:before{content:"\e081"}.glyphicon-minus-sign:before{content:"\e082"}.glyphicon-remove-sign:before{content:"\e083"}.glyphicon-ok-sign:before{content:"\e084"}.glyphicon-question-sign:before{content:"\e085"}.glyphicon-info-sign:before{content:"\e086"}.glyphicon-screenshot:before{content:"\e087"}.glyphicon-remove-circle:before{content:"\e088"}.glyphicon-ok-circle:before{content:"\e089"}.glyphicon-ban-circle:before{content:"\e090"}.glyphicon-arrow-left:before{content:"\e091"}.glyphicon-arrow-right:before{content:"\e092"}.glyphicon-arrow-up:before{content:"\e093"}.glyphicon-arrow-down:before{content:"\e094"}.glyphicon-share-alt:before{content:"\e095"}.glyphicon-resize-full:before{content:"\e096"}.glyphicon-resize-small:before{content:"\e097"}.glyphicon-exclamation-sign:before{content:"\e101"}.glyphicon-gift:before{content:"\e102"}.glyphicon-leaf:before{content:"\e103"}.glyphicon-fire:before{content:"\e104"}.glyphicon-eye-open:before{content:"\e105"}.glyphicon-eye-close:before{content:"\e106"}.glyphicon-warning-sign:before{content:"\e107"}.glyphicon-plane:before{content:"\e108"}.glyphicon-calendar:before{content:"\e109"}.glyphicon-random:before{content:"\e110"}.glyphicon-comment:before{content:"\e111"}.glyphicon-magnet:before{content:"\e112"}.glyphicon-chevron-up:before{content:"\e113"}.glyphicon-chevron-down:before{content:"\e114"}.glyphicon-retweet:before{content:"\e115"}.glyphicon-shopping-cart:before{content:"\e116"}.glyphicon-folder-close:before{content:"\e117"}.glyphicon-folder-open:before{content:"\e118"}.glyphicon-resize-vertical:before{content:"\e119"}.glyphicon-resize-horizontal:before{content:"\e120"}.glyphicon-hdd:before{content:"\e121"}.glyphicon-bullhorn:before{content:"\e122"}.glyphicon-bell:before{content:"\e123"}.glyphicon-certificate:before{content:"\e124"}.glyphicon-thumbs-up:before{content:"\e125"}.glyphicon-thumbs-down:before{content:"\e126"}.glyphicon-hand-right:before{content:"\e127"}.glyphicon-hand-left:before{content:"\e128"}.glyphicon-hand-up:before{content:"\e129"}.glyphicon-hand-down:before{content:"\e130"}.glyphicon-circle-arrow-right:before{content:"\e131"}.glyphicon-circle-arrow-left:before{content:"\e132"}.glyphicon-circle-arrow-up:before{content:"\e133"}.glyphicon-circle-arrow-down:before{content:"\e134"}.glyphicon-globe:before{content:"\e135"}.glyphicon-wrench:before{content:"\e136"}.glyphicon-tasks:before{content:"\e137"}.glyphicon-filter:before{content:"\e138"}.glyphicon-briefcase:before{content:"\e139"}.glyphicon-fullscreen:before{content:"\e140"}.glyphicon-dashboard:before{content:"\e141"}.glyphicon-paperclip:before{content:"\e142"}.glyphicon-heart-empty:before{content:"\e143"}.glyphicon-link:before{content:"\e144"}.glyphicon-phone:before{content:"\e145"}.glyphicon-pushpin:before{content:"\e146"}.glyphicon-usd:before{content:"\e148"}.glyphicon-gbp:before{content:"\e149"}.glyphicon-sort:before{content:"\e150"}.glyphicon-sort-by-alphabet:before{content:"\e151"}.glyphicon-sort-by-alphabet-alt:before{content:"\e152"}.glyphicon-sort-by-order:before{content:"\e153"}.glyphicon-sort-by-order-alt:before{content:"\e154"}.glyphicon-sort-by-attributes:before{content:"\e155"}.glyphicon-sort-by-attributes-alt:before{content:"\e156"}.glyphicon-unchecked:before{content:"\e157"}.glyphicon-expand:before{content:"\e158"}.glyphicon-collapse-down:before{content:"\e159"}.glyphicon-collapse-up:before{content:"\e160"}.glyphicon-log-in:before{content:"\e161"}.glyphicon-flash:before{content:"\e162"}.glyphicon-log-out:before{content:"\e163"}.glyphicon-new-window:before{content:"\e164"}.glyphicon-record:before{content:"\e165"}.glyphicon-save:before{content:"\e166"}.glyphicon-open:before{content:"\e167"}.glyphicon-saved:before{content:"\e168"}.glyphicon-import:before{content:"\e169"}.glyphicon-export:before{content:"\e170"}.glyphicon-send:before{content:"\e171"}.glyphicon-floppy-disk:before{content:"\e172"}.glyphicon-floppy-saved:before{content:"\e173"}.glyphicon-floppy-remove:before{content:"\e174"}.glyphicon-floppy-save:before{content:"\e175"}.glyphicon-floppy-open:before{content:"\e176"}.glyphicon-credit-card:before{content:"\e177"}.glyphicon-transfer:before{content:"\e178"}.glyphicon-cutlery:before{content:"\e179"}.glyphicon-header:before{content:"\e180"}.glyphicon-compressed:before{content:"\e181"}.glyphicon-earphone:before{content:"\e182"}.glyphicon-phone-alt:before{content:"\e183"}.glyphicon-tower:before{content:"\e184"}.glyphicon-stats:before{content:"\e185"}.glyphicon-sd-video:before{content:"\e186"}.glyphicon-hd-video:before{content:"\e187"}.glyphicon-subtitles:before{content:"\e188"}.glyphicon-sound-stereo:before{content:"\e189"}.glyphicon-sound-dolby:before{content:"\e190"}.glyphicon-sound-5-1:before{content:"\e191"}.glyphicon-sound-6-1:before{content:"\e192"}.glyphicon-sound-7-1:before{content:"\e193"}.glyphicon-copyright-mark:before{content:"\e194"}.glyphicon-registration-mark:before{content:"\e195"}.glyphicon-cloud-download:before{content:"\e197"}.glyphicon-cloud-upload:before{content:"\e198"}.glyphicon-tree-conifer:before{content:"\e199"}.glyphicon-tree-deciduous:before{content:"\e200"}.caret{display:inline-block;width:0;height:0;margin-left:2px;vertical-align:middle;border-top:4px solid;border-right:4px solid transparent;border-left:4px solid transparent}.dropdown{position:relative}.dropdown-toggle:focus{outline:0}.dropdown-menu{position:absolute;top:100%;left:0;z-index:1000;display:none;float:left;min-width:160px;padding:5px 0;margin:2px 0 0;list-style:none;font-size:14px;background-color:#fff;border:1px solid #ccc;border:1px solid rgba(0,0,0,.15);border-radius:4px;-webkit-box-shadow:0 6px 12px rgba(0,0,0,.175);box-shadow:0 6px 12px rgba(0,0,0,.175);background-clip:padding-box}.dropdown-menu.pull-right{right:0;left:auto}.dropdown-menu .divider{height:1px;margin:9px 0;overflow:hidden;background-color:#e5e5e5}.dropdown-menu>li>a{display:block;padding:3px 20px;clear:both;font-weight:400;line-height:1.42857143;color:#333;white-space:nowrap}.dropdown-menu>li>a:hover,.dropdown-menu>li>a:focus{text-decoration:none;color:#262626;background-color:#f5f5f5}.dropdown-menu>.active>a,.dropdown-menu>.active>a:hover,.dropdown-menu>.active>a:focus{color:#fff;text-decoration:none;outline:0;background-color:#428bca}.dropdown-menu>.disabled>a,.dropdown-menu>.disabled>a:hover,.dropdown-menu>.disabled>a:focus{color:#999}.dropdown-menu>.disabled>a:hover,.dropdown-menu>.disabled>a:focus{text-decoration:none;background-color:transparent;background-image:none;filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);cursor:not-allowed}.open>.dropdown-menu{display:block}.open>a{outline:0}.dropdown-menu-right{left:auto;right:0}.dropdown-menu-left{left:0;right:auto}.dropdown-header{display:block;padding:3px 20px;font-size:12px;line-height:1.42857143;color:#999}.dropdown-backdrop{position:fixed;left:0;right:0;bottom:0;top:0;z-index:990}.pull-right>.dropdown-menu{right:0;left:auto}.dropup .caret,.navbar-fixed-bottom .dropdown .caret{border-top:0;border-bottom:4px solid;content:""}.dropup .dropdown-menu,.navbar-fixed-bottom .dropdown .dropdown-menu{top:auto;bottom:100%;margin-bottom:1px}@media (min-width:768px){.navbar-right .dropdown-menu{left:auto;right:0}.navbar-right .dropdown-menu-left{left:0;right:auto}}.btn-group,.btn-group-vertical{position:relative;display:inline-block;vertical-align:middle}.btn-group>.btn,.btn-group-vertical>.btn{position:relative;float:left}.btn-group>.btn:hover,.btn-group-vertical>.btn:hover,.btn-group>.btn:focus,.btn-group-vertical>.btn:focus,.btn-group>.btn:active,.btn-group-vertical>.btn:active,.btn-group>.btn.active,.btn-group-vertical>.btn.active{z-index:2}.btn-group>.btn:focus,.btn-group-vertical>.btn:focus{outline:0}.btn-group .btn+.btn,.btn-group .btn+.btn-group,.btn-group .btn-group+.btn,.btn-group .btn-group+.btn-group{margin-left:-1px}.btn-toolbar{margin-left:-5px}.btn-toolbar .btn-group,.btn-toolbar .input-group{float:left}.btn-toolbar>.btn,.btn-toolbar>.btn-group,.btn-toolbar>.input-group{margin-left:5px}.btn-group>.btn:not(:first-child):not(:last-child):not(.dropdown-toggle){border-radius:0}.btn-group>.btn:first-child{margin-left:0}.btn-group>.btn:first-child:not(:last-child):not(.dropdown-toggle){border-bottom-right-radius:0;border-top-right-radius:0}.btn-group>.btn:last-child:not(:first-child),.btn-group>.dropdown-toggle:not(:first-child){border-bottom-left-radius:0;border-top-left-radius:0}.btn-group>.btn-group{float:left}.btn-group>.btn-group:not(:first-child):not(:last-child)>.btn{border-radius:0}.btn-group>.btn-group:first-child>.btn:last-child,.btn-group>.btn-group:first-child>.dropdown-toggle{border-bottom-right-radius:0;border-top-right-radius:0}.btn-group>.btn-group:last-child>.btn:first-child{border-bottom-left-radius:0;border-top-left-radius:0}.btn-group .dropdown-toggle:active,.btn-group.open .dropdown-toggle{outline:0}.btn-group>.btn+.dropdown-toggle{padding-left:8px;padding-right:8px}.btn-group>.btn-lg+.dropdown-toggle{padding-left:12px;padding-right:12px}.btn-group.open .dropdown-toggle{-webkit-box-shadow:inset 0 3px 5px rgba(0,0,0,.125);box-shadow:inset 0 3px 5px rgba(0,0,0,.125)}.btn-group.open .dropdown-toggle.btn-link{-webkit-box-shadow:none;box-shadow:none}.btn .caret{margin-left:0}.btn-lg .caret{border-width:5px 5px 0;border-bottom-width:0}.dropup .btn-lg .caret{border-width:0 5px 5px}.btn-group-vertical>.btn,.btn-group-vertical>.btn-group,.btn-group-vertical>.btn-group>.btn{display:block;float:none;width:100%;max-width:100%}.btn-group-vertical>.btn-group>.btn{float:none}.btn-group-vertical>.btn+.btn,.btn-group-vertical>.btn+.btn-group,.btn-group-vertical>.btn-group+.btn,.btn-group-vertical>.btn-group+.btn-group{margin-top:-1px;margin-left:0}.btn-group-vertical>.btn:not(:first-child):not(:last-child){border-radius:0}.btn-group-vertical>.btn:first-child:not(:last-child){border-top-right-radius:4px;border-bottom-right-radius:0;border-bottom-left-radius:0}.btn-group-vertical>.btn:last-child:not(:first-child){border-bottom-left-radius:4px;border-top-right-radius:0;border-top-left-radius:0}.btn-group-vertical>.btn-group:not(:first-child):not(:last-child)>.btn{border-radius:0}.btn-group-vertical>.btn-group:first-child:not(:last-child)>.btn:last-child,.btn-group-vertical>.btn-group:first-child:not(:last-child)>.dropdown-toggle{border-bottom-right-radius:0;border-bottom-left-radius:0}.btn-group-vertical>.btn-group:last-child:not(:first-child)>.btn:first-child{border-top-right-radius:0;border-top-left-radius:0}.btn-group-justified{display:table;width:100%;table-layout:fixed;border-collapse:separate}.btn-group-justified>.btn,.btn-group-justified>.btn-group{float:none;display:table-cell;width:1%}.btn-group-justified>.btn-group .btn{width:100%}[data-toggle=buttons]>.btn>input[type=radio],[data-toggle=buttons]>.btn>input[type=checkbox]{display:none}.input-group{position:relative;display:table;border-collapse:separate}.input-group[class*=col-]{float:none;padding-left:0;padding-right:0}.input-group .form-control{position:relative;z-index:2;float:left;width:100%;margin-bottom:0}.input-group-lg>.form-control,.input-group-lg>.input-group-addon,.input-group-lg>.input-group-btn>.btn{height:46px;padding:10px 16px;font-size:18px;line-height:1.33;border-radius:6px}select.input-group-lg>.form-control,select.input-group-lg>.input-group-addon,select.input-group-lg>.input-group-btn>.btn{height:46px;line-height:46px}textarea.input-group-lg>.form-control,textarea.input-group-lg>.input-group-addon,textarea.input-group-lg>.input-group-btn>.btn,select[multiple].input-group-lg>.form-control,select[multiple].input-group-lg>.input-group-addon,select[multiple].input-group-lg>.input-group-btn>.btn{height:auto}.input-group-sm>.form-control,.input-group-sm>.input-group-addon,.input-group-sm>.input-group-btn>.btn{height:30px;padding:5px 10px;font-size:12px;line-height:1.5;border-radius:3px}select.input-group-sm>.form-control,select.input-group-sm>.input-group-addon,select.input-group-sm>.input-group-btn>.btn{height:30px;line-height:30px}textarea.input-group-sm>.form-control,textarea.input-group-sm>.input-group-addon,textarea.input-group-sm>.input-group-btn>.btn,select[multiple].input-group-sm>.form-control,select[multiple].input-group-sm>.input-group-addon,select[multiple].input-group-sm>.input-group-btn>.btn{height:auto}.input-group-addon,.input-group-btn,.input-group .form-control{display:table-cell}.input-group-addon:not(:first-child):not(:last-child),.input-group-btn:not(:first-child):not(:last-child),.input-group .form-control:not(:first-child):not(:last-child){border-radius:0}.input-group-addon,.input-group-btn{width:1%;white-space:nowrap;vertical-align:middle}.input-group-addon{padding:6px 12px;font-size:14px;font-weight:400;line-height:1;color:#555;text-align:center;background-color:#eee;border:1px solid #ccc;border-radius:4px}.input-group-addon.input-sm{padding:5px 10px;font-size:12px;border-radius:3px}.input-group-addon.input-lg{padding:10px 16px;font-size:18px;border-radius:6px}.input-group-addon input[type=radio],.input-group-addon input[type=checkbox]{margin-top:0}.input-group .form-control:first-child,.input-group-addon:first-child,.input-group-btn:first-child>.btn,.input-group-btn:first-child>.btn-group>.btn,.input-group-btn:first-child>.dropdown-toggle,.input-group-btn:last-child>.btn:not(:last-child):not(.dropdown-toggle),.input-group-btn:last-child>.btn-group:not(:last-child)>.btn{border-bottom-right-radius:0;border-top-right-radius:0}.input-group-addon:first-child{border-right:0}.input-group .form-control:last-child,.input-group-addon:last-child,.input-group-btn:last-child>.btn,.input-group-btn:last-child>.btn-group>.btn,.input-group-btn:last-child>.dropdown-toggle,.input-group-btn:first-child>.btn:not(:first-child),.input-group-btn:first-child>.btn-group:not(:first-child)>.btn{border-bottom-left-radius:0;border-top-left-radius:0}.input-group-addon:last-child{border-left:0}.input-group-btn{position:relative;font-size:0;white-space:nowrap}.input-group-btn>.btn{position:relative}.input-group-btn>.btn+.btn{margin-left:-1px}.input-group-btn>.btn:hover,.input-group-btn>.btn:focus,.input-group-btn>.btn:active{z-index:2}.input-group-btn:first-child>.btn,.input-group-btn:first-child>.btn-group{margin-right:-1px}.input-group-btn:last-child>.btn,.input-group-btn:last-child>.btn-group{margin-left:-1px}.nav{margin-bottom:0;padding-left:0;list-style:none}.nav>li{position:relative;display:block}.nav>li>a{position:relative;display:block;padding:10px 15px}.nav>li>a:hover,.nav>li>a:focus{text-decoration:none;background-color:#eee}.nav>li.disabled>a{color:#999}.nav>li.disabled>a:hover,.nav>li.disabled>a:focus{color:#999;text-decoration:none;background-color:transparent;cursor:not-allowed}.nav .open>a,.nav .open>a:hover,.nav .open>a:focus{background-color:#eee;border-color:#428bca}.nav .nav-divider{height:1px;margin:9px 0;overflow:hidden;background-color:#e5e5e5}.nav>li>a>img{max-width:none}.nav-tabs{border-bottom:1px solid #ddd}.nav-tabs>li{float:left;margin-bottom:-1px}.nav-tabs>li>a{margin-right:2px;line-height:1.42857143;border:1px solid transparent;border-radius:4px 4px 0 0}.nav-tabs>li>a:hover{border-color:#eee #eee #ddd}.nav-tabs>li.active>a,.nav-tabs>li.active>a:hover,.nav-tabs>li.active>a:focus{color:#555;background-color:#fff;border:1px solid #ddd;border-bottom-color:transparent;cursor:default}.nav-tabs.nav-justified{width:100%;border-bottom:0}.nav-tabs.nav-justified>li{float:none}.nav-tabs.nav-justified>li>a{text-align:center;margin-bottom:5px}.nav-tabs.nav-justified>.dropdown .dropdown-menu{top:auto;left:auto}@media (min-width:768px){.nav-tabs.nav-justified>li{display:table-cell;width:1%}.nav-tabs.nav-justified>li>a{margin-bottom:0}}.nav-tabs.nav-justified>li>a{margin-right:0;border-radius:4px}.nav-tabs.nav-justified>.active>a,.nav-tabs.nav-justified>.active>a:hover,.nav-tabs.nav-justified>.active>a:focus{border:1px solid #ddd}@media (min-width:768px){.nav-tabs.nav-justified>li>a{border-bottom:1px solid #ddd;border-radius:4px 4px 0 0}.nav-tabs.nav-justified>.active>a,.nav-tabs.nav-justified>.active>a:hover,.nav-tabs.nav-justified>.active>a:focus{border-bottom-color:#fff}}.nav-pills>li{float:left}.nav-pills>li>a{border-radius:4px}.nav-pills>li+li{margin-left:2px}.nav-pills>li.active>a,.nav-pills>li.active>a:hover,.nav-pills>li.active>a:focus{color:#fff;background-color:#428bca}.nav-stacked>li{float:none}.nav-stacked>li+li{margin-top:2px;margin-left:0}.nav-justified{width:100%}.nav-justified>li{float:none}.nav-justified>li>a{text-align:center;margin-bottom:5px}.nav-justified>.dropdown .dropdown-menu{top:auto;left:auto}@media (min-width:768px){.nav-justified>li{display:table-cell;width:1%}.nav-justified>li>a{margin-bottom:0}}.nav-tabs-justified{border-bottom:0}.nav-tabs-justified>li>a{margin-right:0;border-radius:4px}.nav-tabs-justified>.active>a,.nav-tabs-justified>.active>a:hover,.nav-tabs-justified>.active>a:focus{border:1px solid #ddd}@media (min-width:768px){.nav-tabs-justified>li>a{border-bottom:1px solid #ddd;border-radius:4px 4px 0 0}.nav-tabs-justified>.active>a,.nav-tabs-justified>.active>a:hover,.nav-tabs-justified>.active>a:focus{border-bottom-color:#fff}}.tab-content>.tab-pane{display:none}.tab-content>.active{display:block}.nav-tabs .dropdown-menu{margin-top:-1px;border-top-right-radius:0;border-top-left-radius:0}.navbar{position:relative;min-height:50px;margin-bottom:20px;border:1px solid transparent}@media (min-width:768px){.navbar{border-radius:4px}}@media (min-width:768px){.navbar-header{float:left}}.navbar-collapse{max-height:340px;overflow-x:visible;padding-right:15px;padding-left:15px;border-top:1px solid transparent;box-shadow:inset 0 1px 0 rgba(255,255,255,.1);-webkit-overflow-scrolling:touch}.navbar-collapse.in{overflow-y:auto}@media (min-width:768px){.navbar-collapse{width:auto;border-top:0;box-shadow:none}.navbar-collapse.collapse{display:block!important;height:auto!important;padding-bottom:0;overflow:visible!important}.navbar-collapse.in{overflow-y:visible}.navbar-fixed-top .navbar-collapse,.navbar-static-top .navbar-collapse,.navbar-fixed-bottom .navbar-collapse{padding-left:0;padding-right:0}}.container>.navbar-header,.container-fluid>.navbar-header,.container>.navbar-collapse,.container-fluid>.navbar-collapse{margin-right:-15px;margin-left:-15px}@media (min-width:768px){.container>.navbar-header,.container-fluid>.navbar-header,.container>.navbar-collapse,.container-fluid>.navbar-collapse{margin-right:0;margin-left:0}}.navbar-static-top{z-index:1000;border-width:0 0 1px}@media (min-width:768px){.navbar-static-top{border-radius:0}}.navbar-fixed-top,.navbar-fixed-bottom{position:fixed;right:0;left:0;z-index:1030}@media (min-width:768px){.navbar-fixed-top,.navbar-fixed-bottom{border-radius:0}}.navbar-fixed-top{top:0;border-width:0 0 1px}.navbar-fixed-bottom{bottom:0;margin-bottom:0;border-width:1px 0 0}.navbar-brand{float:left;padding:15px;font-size:18px;line-height:20px;height:50px}.navbar-brand:hover,.navbar-brand:focus{text-decoration:none}@media (min-width:768px){.navbar>.container .navbar-brand,.navbar>.container-fluid .navbar-brand{margin-left:-15px}}.navbar-toggle{position:relative;float:right;margin-right:15px;padding:9px 10px;margin-top:8px;margin-bottom:8px;background-color:transparent;background-image:none;border:1px solid transparent;border-radius:4px}.navbar-toggle:focus{outline:0}.navbar-toggle .icon-bar{display:block;width:22px;height:2px;border-radius:1px}.navbar-toggle .icon-bar+.icon-bar{margin-top:4px}@media (min-width:768px){.navbar-toggle{display:none}}.navbar-nav{margin:7.5px -15px}.navbar-nav>li>a{padding-top:10px;padding-bottom:10px;line-height:20px}@media (max-width:767px){.navbar-nav .open .dropdown-menu{position:static;float:none;width:auto;margin-top:0;background-color:transparent;border:0;box-shadow:none}.navbar-nav .open .dropdown-menu>li>a,.navbar-nav .open .dropdown-menu .dropdown-header{padding:5px 15px 5px 25px}.navbar-nav .open .dropdown-menu>li>a{line-height:20px}.navbar-nav .open .dropdown-menu>li>a:hover,.navbar-nav .open .dropdown-menu>li>a:focus{background-image:none}}@media (min-width:768px){.navbar-nav{float:left;margin:0}.navbar-nav>li{float:left}.navbar-nav>li>a{padding-top:15px;padding-bottom:15px}.navbar-nav.navbar-right:last-child{margin-right:-15px}}@media (min-width:768px){.navbar-left{float:left!important}.navbar-right{float:right!important}}.navbar-form{margin-left:-15px;margin-right:-15px;padding:10px 15px;border-top:1px solid transparent;border-bottom:1px solid transparent;-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.1),0 1px 0 rgba(255,255,255,.1);box-shadow:inset 0 1px 0 rgba(255,255,255,.1),0 1px 0 rgba(255,255,255,.1);margin-top:8px;margin-bottom:8px}@media (min-width:768px){.navbar-form .form-group{display:inline-block;margin-bottom:0;vertical-align:middle}.navbar-form .form-control{display:inline-block;width:auto;vertical-align:middle}.navbar-form .input-group>.form-control{width:100%}.navbar-form .control-label{margin-bottom:0;vertical-align:middle}.navbar-form .radio,.navbar-form .checkbox{display:inline-block;margin-top:0;margin-bottom:0;padding-left:0;vertical-align:middle}.navbar-form .radio input[type=radio],.navbar-form .checkbox input[type=checkbox]{float:none;margin-left:0}.navbar-form .has-feedback .form-control-feedback{top:0}}@media (max-width:767px){.navbar-form .form-group{margin-bottom:5px}}@media (min-width:768px){.navbar-form{width:auto;border:0;margin-left:0;margin-right:0;padding-top:0;padding-bottom:0;-webkit-box-shadow:none;box-shadow:none}.navbar-form.navbar-right:last-child{margin-right:-15px}}.navbar-nav>li>.dropdown-menu{margin-top:0;border-top-right-radius:0;border-top-left-radius:0}.navbar-fixed-bottom .navbar-nav>li>.dropdown-menu{border-bottom-right-radius:0;border-bottom-left-radius:0}.navbar-btn{margin-top:8px;margin-bottom:8px}.navbar-btn.btn-sm{margin-top:10px;margin-bottom:10px}.navbar-btn.btn-xs{margin-top:14px;margin-bottom:14px}.navbar-text{margin-top:15px;margin-bottom:15px}@media (min-width:768px){.navbar-text{float:left;margin-left:15px;margin-right:15px}.navbar-text.navbar-right:last-child{margin-right:0}}.navbar-default{background-color:#f8f8f8;border-color:#e7e7e7}.navbar-default .navbar-brand{color:#777}.navbar-default .navbar-brand:hover,.navbar-default .navbar-brand:focus{color:#5e5e5e;background-color:transparent}.navbar-default .navbar-text{color:#777}.navbar-default .navbar-nav>li>a{color:#777}.navbar-default .navbar-nav>li>a:hover,.navbar-default .navbar-nav>li>a:focus{color:#333;background-color:transparent}.navbar-default .navbar-nav>.active>a,.navbar-default .navbar-nav>.active>a:hover,.navbar-default .navbar-nav>.active>a:focus{color:#555;background-color:#e7e7e7}.navbar-default .navbar-nav>.disabled>a,.navbar-default .navbar-nav>.disabled>a:hover,.navbar-default .navbar-nav>.disabled>a:focus{color:#ccc;background-color:transparent}.navbar-default .navbar-toggle{border-color:#ddd}.navbar-default .navbar-toggle:hover,.navbar-default .navbar-toggle:focus{background-color:#ddd}.navbar-default .navbar-toggle .icon-bar{background-color:#888}.navbar-default .navbar-collapse,.navbar-default .navbar-form{border-color:#e7e7e7}.navbar-default .navbar-nav>.open>a,.navbar-default .navbar-nav>.open>a:hover,.navbar-default .navbar-nav>.open>a:focus{background-color:#e7e7e7;color:#555}@media (max-width:767px){.navbar-default .navbar-nav .open .dropdown-menu>li>a{color:#777}.navbar-default .navbar-nav .open .dropdown-menu>li>a:hover,.navbar-default .navbar-nav .open .dropdown-menu>li>a:focus{color:#333;background-color:transparent}.navbar-default .navbar-nav .open .dropdown-menu>.active>a,.navbar-default .navbar-nav .open .dropdown-menu>.active>a:hover,.navbar-default .navbar-nav .open .dropdown-menu>.active>a:focus{color:#555;background-color:#e7e7e7}.navbar-default .navbar-nav .open .dropdown-menu>.disabled>a,.navbar-default .navbar-nav .open .dropdown-menu>.disabled>a:hover,.navbar-default .navbar-nav .open .dropdown-menu>.disabled>a:focus{color:#ccc;background-color:transparent}}.navbar-default .navbar-link{color:#777}.navbar-default .navbar-link:hover{color:#333}.navbar-inverse{background-color:#222;border-color:#080808}.navbar-inverse .navbar-brand{color:#999}.navbar-inverse .navbar-brand:hover,.navbar-inverse .navbar-brand:focus{color:#fff;background-color:transparent}.navbar-inverse .navbar-text{color:#999}.navbar-inverse .navbar-nav>li>a{color:#999}.navbar-inverse .navbar-nav>li>a:hover,.navbar-inverse .navbar-nav>li>a:focus{color:#fff;background-color:transparent}.navbar-inverse .navbar-nav>.active>a,.navbar-inverse .navbar-nav>.active>a:hover,.navbar-inverse .navbar-nav>.active>a:focus{color:#fff;background-color:#080808}.navbar-inverse .navbar-nav>.disabled>a,.navbar-inverse .navbar-nav>.disabled>a:hover,.navbar-inverse .navbar-nav>.disabled>a:focus{color:#444;background-color:transparent}.navbar-inverse .navbar-toggle{border-color:#333}.navbar-inverse .navbar-toggle:hover,.navbar-inverse .navbar-toggle:focus{background-color:#333}.navbar-inverse .navbar-toggle .icon-bar{background-color:#fff}.navbar-inverse .navbar-collapse,.navbar-inverse .navbar-form{border-color:#101010}.navbar-inverse .navbar-nav>.open>a,.navbar-inverse .navbar-nav>.open>a:hover,.navbar-inverse .navbar-nav>.open>a:focus{background-color:#080808;color:#fff}@media (max-width:767px){.navbar-inverse .navbar-nav .open .dropdown-menu>.dropdown-header{border-color:#080808}.navbar-inverse .navbar-nav .open .dropdown-menu .divider{background-color:#080808}.navbar-inverse .navbar-nav .open .dropdown-menu>li>a{color:#999}.navbar-inverse .navbar-nav .open .dropdown-menu>li>a:hover,.navbar-inverse .navbar-nav .open .dropdown-menu>li>a:focus{color:#fff;background-color:transparent}.navbar-inverse .navbar-nav .open .dropdown-menu>.active>a,.navbar-inverse .navbar-nav .open .dropdown-menu>.active>a:hover,.navbar-inverse .navbar-nav .open .dropdown-menu>.active>a:focus{color:#fff;background-color:#080808}.navbar-inverse .navbar-nav .open .dropdown-menu>.disabled>a,.navbar-inverse .navbar-nav .open .dropdown-menu>.disabled>a:hover,.navbar-inverse .navbar-nav .open .dropdown-menu>.disabled>a:focus{color:#444;background-color:transparent}}.navbar-inverse .navbar-link{color:#999}.navbar-inverse .navbar-link:hover{color:#fff}.breadcrumb{padding:8px 15px;margin-bottom:20px;list-style:none;background-color:#f5f5f5;border-radius:4px}.breadcrumb>li{display:inline-block}.breadcrumb>li+li:before{content:"/\00a0";padding:0 5px;color:#ccc}.breadcrumb>.active{color:#999}.pagination{display:inline-block;padding-left:0;margin:20px 0;border-radius:4px}.pagination>li{display:inline}.pagination>li>a,.pagination>li>span{position:relative;float:left;padding:6px 12px;line-height:1.42857143;text-decoration:none;color:#428bca;background-color:#fff;border:1px solid #ddd;margin-left:-1px}.pagination>li:first-child>a,.pagination>li:first-child>span{margin-left:0;border-bottom-left-radius:4px;border-top-left-radius:4px}.pagination>li:last-child>a,.pagination>li:last-child>span{border-bottom-right-radius:4px;border-top-right-radius:4px}.pagination>li>a:hover,.pagination>li>span:hover,.pagination>li>a:focus,.pagination>li>span:focus{color:#2a6496;background-color:#eee;border-color:#ddd}.pagination>.active>a,.pagination>.active>span,.pagination>.active>a:hover,.pagination>.active>span:hover,.pagination>.active>a:focus,.pagination>.active>span:focus{z-index:2;color:#fff;background-color:#428bca;border-color:#428bca;cursor:default}.pagination>.disabled>span,.pagination>.disabled>span:hover,.pagination>.disabled>span:focus,.pagination>.disabled>a,.pagination>.disabled>a:hover,.pagination>.disabled>a:focus{color:#999;background-color:#fff;border-color:#ddd;cursor:not-allowed}.pagination-lg>li>a,.pagination-lg>li>span{padding:10px 16px;font-size:18px}.pagination-lg>li:first-child>a,.pagination-lg>li:first-child>span{border-bottom-left-radius:6px;border-top-left-radius:6px}.pagination-lg>li:last-child>a,.pagination-lg>li:last-child>span{border-bottom-right-radius:6px;border-top-right-radius:6px}.pagination-sm>li>a,.pagination-sm>li>span{padding:5px 10px;font-size:12px}.pagination-sm>li:first-child>a,.pagination-sm>li:first-child>span{border-bottom-left-radius:3px;border-top-left-radius:3px}.pagination-sm>li:last-child>a,.pagination-sm>li:last-child>span{border-bottom-right-radius:3px;border-top-right-radius:3px}.pager{padding-left:0;margin:20px 0;list-style:none;text-align:center}.pager li{display:inline}.pager li>a,.pager li>span{display:inline-block;padding:5px 14px;background-color:#fff;border:1px solid #ddd;border-radius:15px}.pager li>a:hover,.pager li>a:focus{text-decoration:none;background-color:#eee}.pager .next>a,.pager .next>span{float:right}.pager .previous>a,.pager .previous>span{float:left}.pager .disabled>a,.pager .disabled>a:hover,.pager .disabled>a:focus,.pager .disabled>span{color:#999;background-color:#fff;cursor:not-allowed}.label{display:inline;padding:.2em .6em .3em;font-size:75%;font-weight:700;line-height:1;color:#fff;text-align:center;white-space:nowrap;vertical-align:baseline;border-radius:.25em}.label[href]:hover,.label[href]:focus{color:#fff;text-decoration:none;cursor:pointer}.label:empty{display:none}.btn .label{position:relative;top:-1px}.label-default{background-color:#999}.label-default[href]:hover,.label-default[href]:focus{background-color:gray}.label-primary{background-color:#428bca}.label-primary[href]:hover,.label-primary[href]:focus{background-color:#3071a9}.label-success{background-color:#5cb85c}.label-success[href]:hover,.label-success[href]:focus{background-color:#449d44}.label-info{background-color:#5bc0de}.label-info[href]:hover,.label-info[href]:focus{background-color:#31b0d5}.label-warning{background-color:#f0ad4e}.label-warning[href]:hover,.label-warning[href]:focus{background-color:#ec971f}.label-danger{background-color:#d9534f}.label-danger[href]:hover,.label-danger[href]:focus{background-color:#c9302c}.badge{display:inline-block;min-width:10px;padding:3px 7px;font-size:12px;font-weight:700;color:#fff;line-height:1;vertical-align:baseline;white-space:nowrap;text-align:center;background-color:#999;border-radius:10px}.badge:empty{display:none}.btn .badge{position:relative;top:-1px}.btn-xs .badge{top:0;padding:1px 5px}a.badge:hover,a.badge:focus{color:#fff;text-decoration:none;cursor:pointer}a.list-group-item.active>.badge,.nav-pills>.active>a>.badge{color:#428bca;background-color:#fff}.nav-pills>li>a>.badge{margin-left:3px}.jumbotron{padding:30px;margin-bottom:30px;color:inherit;background-color:#eee}.jumbotron h1,.jumbotron .h1{color:inherit}.jumbotron p{margin-bottom:15px;font-size:21px;font-weight:200}.container .jumbotron{border-radius:6px}.jumbotron .container{max-width:100%}@media screen and (min-width:768px){.jumbotron{padding-top:48px;padding-bottom:48px}.container .jumbotron{padding-left:60px;padding-right:60px}.jumbotron h1,.jumbotron .h1{font-size:63px}}.thumbnail{display:block;padding:4px;margin-bottom:20px;line-height:1.42857143;background-color:#fff;border:1px solid #ddd;border-radius:4px;-webkit-transition:all .2s ease-in-out;transition:all .2s ease-in-out}.thumbnail>img,.thumbnail a>img{margin-left:auto;margin-right:auto}a.thumbnail:hover,a.thumbnail:focus,a.thumbnail.active{border-color:#428bca}.thumbnail .caption{padding:9px;color:#333}.alert{padding:15px;margin-bottom:20px;border:1px solid transparent;border-radius:4px}.alert h4{margin-top:0;color:inherit}.alert .alert-link{font-weight:700}.alert>p,.alert>ul{margin-bottom:0}.alert>p+p{margin-top:5px}.alert-dismissable{padding-right:35px}.alert-dismissable .close{position:relative;top:-2px;right:-21px;color:inherit}.alert-success{background-color:#dff0d8;border-color:#d6e9c6;color:#3c763d}.alert-success hr{border-top-color:#c9e2b3}.alert-success .alert-link{color:#2b542c}.alert-info{background-color:#d9edf7;border-color:#bce8f1;color:#31708f}.alert-info hr{border-top-color:#a6e1ec}.alert-info .alert-link{color:#245269}.alert-warning{background-color:#fcf8e3;border-color:#faebcc;color:#8a6d3b}.alert-warning hr{border-top-color:#f7e1b5}.alert-warning .alert-link{color:#66512c}.alert-danger{background-color:#f2dede;border-color:#ebccd1;color:#a94442}.alert-danger hr{border-top-color:#e4b9c0}.alert-danger .alert-link{color:#843534}@-webkit-keyframes progress-bar-stripes{from{background-position:40px 0}to{background-position:0 0}}@keyframes progress-bar-stripes{from{background-position:40px 0}to{background-position:0 0}}.progress{overflow:hidden;height:20px;margin-bottom:20px;background-color:#f5f5f5;border-radius:4px;-webkit-box-shadow:inset 0 1px 2px rgba(0,0,0,.1);box-shadow:inset 0 1px 2px rgba(0,0,0,.1)}.progress-bar{float:left;width:0;height:100%;font-size:12px;line-height:20px;color:#fff;text-align:center;background-color:#428bca;-webkit-box-shadow:inset 0 -1px 0 rgba(0,0,0,.15);box-shadow:inset 0 -1px 0 rgba(0,0,0,.15);-webkit-transition:width .6s ease;transition:width .6s ease}.progress-striped .progress-bar{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-size:40px 40px}.progress.active .progress-bar{-webkit-animation:progress-bar-stripes 2s linear infinite;animation:progress-bar-stripes 2s linear infinite}.progress-bar-success{background-color:#5cb85c}.progress-striped .progress-bar-success{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)}.progress-bar-info{background-color:#5bc0de}.progress-striped .progress-bar-info{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)}.progress-bar-warning{background-color:#f0ad4e}.progress-striped .progress-bar-warning{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)}.progress-bar-danger{background-color:#d9534f}.progress-striped .progress-bar-danger{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)}.media,.media-body{overflow:hidden;zoom:1}.media,.media .media{margin-top:15px}.media:first-child{margin-top:0}.media-object{display:block}.media-heading{margin:0 0 5px}.media>.pull-left{margin-right:10px}.media>.pull-right{margin-left:10px}.media-list{padding-left:0;list-style:none}.list-group{margin-bottom:20px;padding-left:0}.list-group-item{position:relative;display:block;padding:10px 15px;margin-bottom:-1px;background-color:#fff;border:1px solid #ddd}.list-group-item:first-child{border-top-right-radius:4px;border-top-left-radius:4px}.list-group-item:last-child{margin-bottom:0;border-bottom-right-radius:4px;border-bottom-left-radius:4px}.list-group-item>.badge{float:right}.list-group-item>.badge+.badge{margin-right:5px}a.list-group-item{color:#555}a.list-group-item .list-group-item-heading{color:#333}a.list-group-item:hover,a.list-group-item:focus{text-decoration:none;background-color:#f5f5f5}a.list-group-item.active,a.list-group-item.active:hover,a.list-group-item.active:focus{z-index:2;color:#fff;background-color:#428bca;border-color:#428bca}a.list-group-item.active .list-group-item-heading,a.list-group-item.active:hover .list-group-item-heading,a.list-group-item.active:focus .list-group-item-heading{color:inherit}a.list-group-item.active .list-group-item-text,a.list-group-item.active:hover .list-group-item-text,a.list-group-item.active:focus .list-group-item-text{color:#e1edf7}.list-group-item-success{color:#3c763d;background-color:#dff0d8}a.list-group-item-success{color:#3c763d}a.list-group-item-success .list-group-item-heading{color:inherit}a.list-group-item-success:hover,a.list-group-item-success:focus{color:#3c763d;background-color:#d0e9c6}a.list-group-item-success.active,a.list-group-item-success.active:hover,a.list-group-item-success.active:focus{color:#fff;background-color:#3c763d;border-color:#3c763d}.list-group-item-info{color:#31708f;background-color:#d9edf7}a.list-group-item-info{color:#31708f}a.list-group-item-info .list-group-item-heading{color:inherit}a.list-group-item-info:hover,a.list-group-item-info:focus{color:#31708f;background-color:#c4e3f3}a.list-group-item-info.active,a.list-group-item-info.active:hover,a.list-group-item-info.active:focus{color:#fff;background-color:#31708f;border-color:#31708f}.list-group-item-warning{color:#8a6d3b;background-color:#fcf8e3}a.list-group-item-warning{color:#8a6d3b}a.list-group-item-warning .list-group-item-heading{color:inherit}a.list-group-item-warning:hover,a.list-group-item-warning:focus{color:#8a6d3b;background-color:#faf2cc}a.list-group-item-warning.active,a.list-group-item-warning.active:hover,a.list-group-item-warning.active:focus{color:#fff;background-color:#8a6d3b;border-color:#8a6d3b}.list-group-item-danger{color:#a94442;background-color:#f2dede}a.list-group-item-danger{color:#a94442}a.list-group-item-danger .list-group-item-heading{color:inherit}a.list-group-item-danger:hover,a.list-group-item-danger:focus{color:#a94442;background-color:#ebcccc}a.list-group-item-danger.active,a.list-group-item-danger.active:hover,a.list-group-item-danger.active:focus{color:#fff;background-color:#a94442;border-color:#a94442}.list-group-item-heading{margin-top:0;margin-bottom:5px}.list-group-item-text{margin-bottom:0;line-height:1.3}.panel{margin-bottom:20px;background-color:#fff;border:1px solid transparent;border-radius:4px;-webkit-box-shadow:0 1px 1px rgba(0,0,0,.05);box-shadow:0 1px 1px rgba(0,0,0,.05)}.panel-body{padding:15px}.panel-heading{padding:10px 15px;border-bottom:1px solid transparent;border-top-right-radius:3px;border-top-left-radius:3px}.panel-heading>.dropdown .dropdown-toggle{color:inherit}.panel-title{margin-top:0;margin-bottom:0;font-size:16px;color:inherit}.panel-title>a{color:inherit}.panel-footer{padding:10px 15px;background-color:#f5f5f5;border-top:1px solid #ddd;border-bottom-right-radius:3px;border-bottom-left-radius:3px}.panel>.list-group{margin-bottom:0}.panel>.list-group .list-group-item{border-width:1px 0;border-radius:0}.panel>.list-group:first-child .list-group-item:first-child{border-top:0;border-top-right-radius:3px;border-top-left-radius:3px}.panel>.list-group:last-child .list-group-item:last-child{border-bottom:0;border-bottom-right-radius:3px;border-bottom-left-radius:3px}.panel-heading+.list-group .list-group-item:first-child{border-top-width:0}.panel>.table,.panel>.table-responsive>.table{margin-bottom:0}.panel>.table:first-child,.panel>.table-responsive:first-child>.table:first-child{border-top-right-radius:3px;border-top-left-radius:3px}.panel>.table:first-child>thead:first-child>tr:first-child td:first-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child td:first-child,.panel>.table:first-child>tbody:first-child>tr:first-child td:first-child,.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child td:first-child,.panel>.table:first-child>thead:first-child>tr:first-child th:first-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child th:first-child,.panel>.table:first-child>tbody:first-child>tr:first-child th:first-child,.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child th:first-child{border-top-left-radius:3px}.panel>.table:first-child>thead:first-child>tr:first-child td:last-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child td:last-child,.panel>.table:first-child>tbody:first-child>tr:first-child td:last-child,.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child td:last-child,.panel>.table:first-child>thead:first-child>tr:first-child th:last-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child th:last-child,.panel>.table:first-child>tbody:first-child>tr:first-child th:last-child,.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child th:last-child{border-top-right-radius:3px}.panel>.table:last-child,.panel>.table-responsive:last-child>.table:last-child{border-bottom-right-radius:3px;border-bottom-left-radius:3px}.panel>.table:last-child>tbody:last-child>tr:last-child td:first-child,.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child td:first-child,.panel>.table:last-child>tfoot:last-child>tr:last-child td:first-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child td:first-child,.panel>.table:last-child>tbody:last-child>tr:last-child th:first-child,.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child th:first-child,.panel>.table:last-child>tfoot:last-child>tr:last-child th:first-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child th:first-child{border-bottom-left-radius:3px}.panel>.table:last-child>tbody:last-child>tr:last-child td:last-child,.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child td:last-child,.panel>.table:last-child>tfoot:last-child>tr:last-child td:last-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child td:last-child,.panel>.table:last-child>tbody:last-child>tr:last-child th:last-child,.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child th:last-child,.panel>.table:last-child>tfoot:last-child>tr:last-child th:last-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child th:last-child{border-bottom-right-radius:3px}.panel>.panel-body+.table,.panel>.panel-body+.table-responsive{border-top:1px solid #ddd}.panel>.table>tbody:first-child>tr:first-child th,.panel>.table>tbody:first-child>tr:first-child td{border-top:0}.panel>.table-bordered,.panel>.table-responsive>.table-bordered{border:0}.panel>.table-bordered>thead>tr>th:first-child,.panel>.table-responsive>.table-bordered>thead>tr>th:first-child,.panel>.table-bordered>tbody>tr>th:first-child,.panel>.table-responsive>.table-bordered>tbody>tr>th:first-child,.panel>.table-bordered>tfoot>tr>th:first-child,.panel>.table-responsive>.table-bordered>tfoot>tr>th:first-child,.panel>.table-bordered>thead>tr>td:first-child,.panel>.table-responsive>.table-bordered>thead>tr>td:first-child,.panel>.table-bordered>tbody>tr>td:first-child,.panel>.table-responsive>.table-bordered>tbody>tr>td:first-child,.panel>.table-bordered>tfoot>tr>td:first-child,.panel>.table-responsive>.table-bordered>tfoot>tr>td:first-child{border-left:0}.panel>.table-bordered>thead>tr>th:last-child,.panel>.table-responsive>.table-bordered>thead>tr>th:last-child,.panel>.table-bordered>tbody>tr>th:last-child,.panel>.table-responsive>.table-bordered>tbody>tr>th:last-child,.panel>.table-bordered>tfoot>tr>th:last-child,.panel>.table-responsive>.table-bordered>tfoot>tr>th:last-child,.panel>.table-bordered>thead>tr>td:last-child,.panel>.table-responsive>.table-bordered>thead>tr>td:last-child,.panel>.table-bordered>tbody>tr>td:last-child,.panel>.table-responsive>.table-bordered>tbody>tr>td:last-child,.panel>.table-bordered>tfoot>tr>td:last-child,.panel>.table-responsive>.table-bordered>tfoot>tr>td:last-child{border-right:0}.panel>.table-bordered>thead>tr:first-child>td,.panel>.table-responsive>.table-bordered>thead>tr:first-child>td,.panel>.table-bordered>tbody>tr:first-child>td,.panel>.table-responsive>.table-bordered>tbody>tr:first-child>td,.panel>.table-bordered>thead>tr:first-child>th,.panel>.table-responsive>.table-bordered>thead>tr:first-child>th,.panel>.table-bordered>tbody>tr:first-child>th,.panel>.table-responsive>.table-bordered>tbody>tr:first-child>th{border-bottom:0}.panel>.table-bordered>tbody>tr:last-child>td,.panel>.table-responsive>.table-bordered>tbody>tr:last-child>td,.panel>.table-bordered>tfoot>tr:last-child>td,.panel>.table-responsive>.table-bordered>tfoot>tr:last-child>td,.panel>.table-bordered>tbody>tr:last-child>th,.panel>.table-responsive>.table-bordered>tbody>tr:last-child>th,.panel>.table-bordered>tfoot>tr:last-child>th,.panel>.table-responsive>.table-bordered>tfoot>tr:last-child>th{border-bottom:0}.panel>.table-responsive{border:0;margin-bottom:0}.panel-group{margin-bottom:20px}.panel-group .panel{margin-bottom:0;border-radius:4px;overflow:hidden}.panel-group .panel+.panel{margin-top:5px}.panel-group .panel-heading{border-bottom:0}.panel-group .panel-heading+.panel-collapse .panel-body{border-top:1px solid #ddd}.panel-group .panel-footer{border-top:0}.panel-group .panel-footer+.panel-collapse .panel-body{border-bottom:1px solid #ddd}.panel-default{border-color:#ddd}.panel-default>.panel-heading{color:#333;background-color:#f5f5f5;border-color:#ddd}.panel-default>.panel-heading+.panel-collapse .panel-body{border-top-color:#ddd}.panel-default>.panel-footer+.panel-collapse .panel-body{border-bottom-color:#ddd}.panel-primary{border-color:#428bca}.panel-primary>.panel-heading{color:#fff;background-color:#428bca;border-color:#428bca}.panel-primary>.panel-heading+.panel-collapse .panel-body{border-top-color:#428bca}.panel-primary>.panel-footer+.panel-collapse .panel-body{border-bottom-color:#428bca}.panel-success{border-color:#d6e9c6}.panel-success>.panel-heading{color:#3c763d;background-color:#dff0d8;border-color:#d6e9c6}.panel-success>.panel-heading+.panel-collapse .panel-body{border-top-color:#d6e9c6}.panel-success>.panel-footer+.panel-collapse .panel-body{border-bottom-color:#d6e9c6}.panel-info{border-color:#bce8f1}.panel-info>.panel-heading{color:#31708f;background-color:#d9edf7;border-color:#bce8f1}.panel-info>.panel-heading+.panel-collapse .panel-body{border-top-color:#bce8f1}.panel-info>.panel-footer+.panel-collapse .panel-body{border-bottom-color:#bce8f1}.panel-warning{border-color:#faebcc}.panel-warning>.panel-heading{color:#8a6d3b;background-color:#fcf8e3;border-color:#faebcc}.panel-warning>.panel-heading+.panel-collapse .panel-body{border-top-color:#faebcc}.panel-warning>.panel-footer+.panel-collapse .panel-body{border-bottom-color:#faebcc}.panel-danger{border-color:#ebccd1}.panel-danger>.panel-heading{color:#a94442;background-color:#f2dede;border-color:#ebccd1}.panel-danger>.panel-heading+.panel-collapse .panel-body{border-top-color:#ebccd1}.panel-danger>.panel-footer+.panel-collapse .panel-body{border-bottom-color:#ebccd1}.well{min-height:20px;padding:19px;margin-bottom:20px;background-color:#f5f5f5;border:1px solid #e3e3e3;border-radius:4px;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.05);box-shadow:inset 0 1px 1px rgba(0,0,0,.05)}.well blockquote{border-color:#ddd;border-color:rgba(0,0,0,.15)}.well-lg{padding:24px;border-radius:6px}.well-sm{padding:9px;border-radius:3px}.close{float:right;font-size:21px;font-weight:700;line-height:1;color:#000;text-shadow:0 1px 0 #fff;opacity:.2;filter:alpha(opacity=20)}.close:hover,.close:focus{color:#000;text-decoration:none;cursor:pointer;opacity:.5;filter:alpha(opacity=50)}button.close{padding:0;cursor:pointer;background:0 0;border:0;-webkit-appearance:none}.modal-open{overflow:hidden}.modal{display:none;overflow:auto;overflow-y:scroll;position:fixed;top:0;right:0;bottom:0;left:0;z-index:1050;-webkit-overflow-scrolling:touch;outline:0}.modal.fade .modal-dialog{-webkit-transform:translate(0,-25%);-ms-transform:translate(0,-25%);transform:translate(0,-25%);-webkit-transition:-webkit-transform .3s ease-out;-moz-transition:-moz-transform .3s ease-out;-o-transition:-o-transform .3s ease-out;transition:transform .3s ease-out}.modal.in .modal-dialog{-webkit-transform:translate(0,0);-ms-transform:translate(0,0);transform:translate(0,0)}.modal-dialog{position:relative;width:auto;margin:10px}.modal-content{position:relative;background-color:#fff;border:1px solid #999;border:1px solid rgba(0,0,0,.2);border-radius:6px;-webkit-box-shadow:0 3px 9px rgba(0,0,0,.5);box-shadow:0 3px 9px rgba(0,0,0,.5);background-clip:padding-box;outline:0}.modal-backdrop{position:fixed;top:0;right:0;bottom:0;left:0;z-index:1040;background-color:#000}.modal-backdrop.fade{opacity:0;filter:alpha(opacity=0)}.modal-backdrop.in{opacity:.5;filter:alpha(opacity=50)}.modal-header{padding:15px;border-bottom:1px solid #e5e5e5;min-height:16.42857143px}.modal-header .close{margin-top:-2px}.modal-title{margin:0;line-height:1.42857143}.modal-body{position:relative;padding:20px}.modal-footer{margin-top:15px;padding:19px 20px 20px;text-align:right;border-top:1px solid #e5e5e5}.modal-footer .btn+.btn{margin-left:5px;margin-bottom:0}.modal-footer .btn-group .btn+.btn{margin-left:-1px}.modal-footer .btn-block+.btn-block{margin-left:0}@media (min-width:768px){.modal-dialog{width:600px;margin:30px auto}.modal-content{-webkit-box-shadow:0 5px 15px rgba(0,0,0,.5);box-shadow:0 5px 15px rgba(0,0,0,.5)}.modal-sm{width:300px}}@media (min-width:992px){.modal-lg{width:900px}}.tooltip{position:absolute;z-index:1030;display:block;visibility:visible;font-size:12px;line-height:1.4;opacity:0;filter:alpha(opacity=0)}.tooltip.in{opacity:.9;filter:alpha(opacity=90)}.tooltip.top{margin-top:-3px;padding:5px 0}.tooltip.right{margin-left:3px;padding:0 5px}.tooltip.bottom{margin-top:3px;padding:5px 0}.tooltip.left{margin-left:-3px;padding:0 5px}.tooltip-inner{max-width:200px;padding:3px 8px;color:#fff;text-align:center;text-decoration:none;background-color:#000;border-radius:4px}.tooltip-arrow{position:absolute;width:0;height:0;border-color:transparent;border-style:solid}.tooltip.top .tooltip-arrow{bottom:0;left:50%;margin-left:-5px;border-width:5px 5px 0;border-top-color:#000}.tooltip.top-left .tooltip-arrow{bottom:0;left:5px;border-width:5px 5px 0;border-top-color:#000}.tooltip.top-right .tooltip-arrow{bottom:0;right:5px;border-width:5px 5px 0;border-top-color:#000}.tooltip.right .tooltip-arrow{top:50%;left:0;margin-top:-5px;border-width:5px 5px 5px 0;border-right-color:#000}.tooltip.left .tooltip-arrow{top:50%;right:0;margin-top:-5px;border-width:5px 0 5px 5px;border-left-color:#000}.tooltip.bottom .tooltip-arrow{top:0;left:50%;margin-left:-5px;border-width:0 5px 5px;border-bottom-color:#000}.tooltip.bottom-left .tooltip-arrow{top:0;left:5px;border-width:0 5px 5px;border-bottom-color:#000}.tooltip.bottom-right .tooltip-arrow{top:0;right:5px;border-width:0 5px 5px;border-bottom-color:#000}.popover{position:absolute;top:0;left:0;z-index:1010;display:none;max-width:276px;padding:1px;text-align:left;background-color:#fff;background-clip:padding-box;border:1px solid #ccc;border:1px solid rgba(0,0,0,.2);border-radius:6px;-webkit-box-shadow:0 5px 10px rgba(0,0,0,.2);box-shadow:0 5px 10px rgba(0,0,0,.2);white-space:normal}.popover.top{margin-top:-10px}.popover.right{margin-left:10px}.popover.bottom{margin-top:10px}.popover.left{margin-left:-10px}.popover-title{margin:0;padding:8px 14px;font-size:14px;font-weight:400;line-height:18px;background-color:#f7f7f7;border-bottom:1px solid #ebebeb;border-radius:5px 5px 0 0}.popover-content{padding:9px 14px}.popover>.arrow,.popover>.arrow:after{position:absolute;display:block;width:0;height:0;border-color:transparent;border-style:solid}.popover>.arrow{border-width:11px}.popover>.arrow:after{border-width:10px;content:""}.popover.top>.arrow{left:50%;margin-left:-11px;border-bottom-width:0;border-top-color:#999;border-top-color:rgba(0,0,0,.25);bottom:-11px}.popover.top>.arrow:after{content:" ";bottom:1px;margin-left:-10px;border-bottom-width:0;border-top-color:#fff}.popover.right>.arrow{top:50%;left:-11px;margin-top:-11px;border-left-width:0;border-right-color:#999;border-right-color:rgba(0,0,0,.25)}.popover.right>.arrow:after{content:" ";left:1px;bottom:-10px;border-left-width:0;border-right-color:#fff}.popover.bottom>.arrow{left:50%;margin-left:-11px;border-top-width:0;border-bottom-color:#999;border-bottom-color:rgba(0,0,0,.25);top:-11px}.popover.bottom>.arrow:after{content:" ";top:1px;margin-left:-10px;border-top-width:0;border-bottom-color:#fff}.popover.left>.arrow{top:50%;right:-11px;margin-top:-11px;border-right-width:0;border-left-color:#999;border-left-color:rgba(0,0,0,.25)}.popover.left>.arrow:after{content:" ";right:1px;border-right-width:0;border-left-color:#fff;bottom:-10px}.carousel{position:relative}.carousel-inner{position:relative;overflow:hidden;width:100%}.carousel-inner>.item{display:none;position:relative;-webkit-transition:.6s ease-in-out left;transition:.6s ease-in-out left}.carousel-inner>.item>img,.carousel-inner>.item>a>img{line-height:1}.carousel-inner>.active,.carousel-inner>.next,.carousel-inner>.prev{display:block}.carousel-inner>.active{left:0}.carousel-inner>.next,.carousel-inner>.prev{position:absolute;top:0;width:100%}.carousel-inner>.next{left:100%}.carousel-inner>.prev{left:-100%}.carousel-inner>.next.left,.carousel-inner>.prev.right{left:0}.carousel-inner>.active.left{left:-100%}.carousel-inner>.active.right{left:100%}.carousel-control{position:absolute;top:0;left:0;bottom:0;width:15%;opacity:.5;filter:alpha(opacity=50);font-size:20px;color:#fff;text-align:center;text-shadow:0 1px 2px rgba(0,0,0,.6)}.carousel-control.left{background-image:-webkit-linear-gradient(left,color-stop(rgba(0,0,0,.5) 0),color-stop(rgba(0,0,0,.0001) 100%));background-image:linear-gradient(to right,rgba(0,0,0,.5) 0,rgba(0,0,0,.0001) 100%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#80000000', endColorstr='#00000000', GradientType=1)}.carousel-control.right{left:auto;right:0;background-image:-webkit-linear-gradient(left,color-stop(rgba(0,0,0,.0001) 0),color-stop(rgba(0,0,0,.5) 100%));background-image:linear-gradient(to right,rgba(0,0,0,.0001) 0,rgba(0,0,0,.5) 100%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#00000000', endColorstr='#80000000', GradientType=1)}.carousel-control:hover,.carousel-control:focus{outline:0;color:#fff;text-decoration:none;opacity:.9;filter:alpha(opacity=90)}.carousel-control .icon-prev,.carousel-control .icon-next,.carousel-control .glyphicon-chevron-left,.carousel-control .glyphicon-chevron-right{position:absolute;top:50%;z-index:5;display:inline-block}.carousel-control .icon-prev,.carousel-control .glyphicon-chevron-left{left:50%}.carousel-control .icon-next,.carousel-control .glyphicon-chevron-right{right:50%}.carousel-control .icon-prev,.carousel-control .icon-next{width:20px;height:20px;margin-top:-10px;margin-left:-10px;font-family:serif}.carousel-control .icon-prev:before{content:'\2039'}.carousel-control .icon-next:before{content:'\203a'}.carousel-indicators{position:absolute;bottom:10px;left:50%;z-index:15;width:60%;margin-left:-30%;padding-left:0;list-style:none;text-align:center}.carousel-indicators li{display:inline-block;width:10px;height:10px;margin:1px;text-indent:-999px;border:1px solid #fff;border-radius:10px;cursor:pointer;background-color:#000 \9;background-color:rgba(0,0,0,0)}.carousel-indicators .active{margin:0;width:12px;height:12px;background-color:#fff}.carousel-caption{position:absolute;left:15%;right:15%;bottom:20px;z-index:10;padding-top:20px;padding-bottom:20px;color:#fff;text-align:center;text-shadow:0 1px 2px rgba(0,0,0,.6)}.carousel-caption .btn{text-shadow:none}@media screen and (min-width:768px){.carousel-control .glyphicon-chevron-left,.carousel-control .glyphicon-chevron-right,.carousel-control .icon-prev,.carousel-control .icon-next{width:30px;height:30px;margin-top:-15px;margin-left:-15px;font-size:30px}.carousel-caption{left:20%;right:20%;padding-bottom:30px}.carousel-indicators{bottom:20px}}.clearfix:before,.clearfix:after,.container:before,.container:after,.container-fluid:before,.container-fluid:after,.row:before,.row:after,.form-horizontal .form-group:before,.form-horizontal .form-group:after,.btn-toolbar:before,.btn-toolbar:after,.btn-group-vertical>.btn-group:before,.btn-group-vertical>.btn-group:after,.nav:before,.nav:after,.navbar:before,.navbar:after,.navbar-header:before,.navbar-header:after,.navbar-collapse:before,.navbar-collapse:after,.pager:before,.pager:after,.panel-body:before,.panel-body:after,.modal-footer:before,.modal-footer:after{content:" ";display:table}.clearfix:after,.container:after,.container-fluid:after,.row:after,.form-horizontal .form-group:after,.btn-toolbar:after,.btn-group-vertical>.btn-group:after,.nav:after,.navbar:after,.navbar-header:after,.navbar-collapse:after,.pager:after,.panel-body:after,.modal-footer:after{clear:both}.center-block{display:block;margin-left:auto;margin-right:auto}.pull-right{float:right!important}.pull-left{float:left!important}.hide{display:none!important}.show{display:block!important}.invisible{visibility:hidden}.text-hide{font:0/0 a;color:transparent;text-shadow:none;background-color:transparent;border:0}.hidden{display:none!important;visibility:hidden!important}.affix{position:fixed}@-ms-viewport{width:device-width}.visible-xs,.visible-sm,.visible-md,.visible-lg{display:none!important}@media (max-width:767px){.visible-xs{display:block!important}table.visible-xs{display:table}tr.visible-xs{display:table-row!important}th.visible-xs,td.visible-xs{display:table-cell!important}}@media (min-width:768px) and (max-width:991px){.visible-sm{display:block!important}table.visible-sm{display:table}tr.visible-sm{display:table-row!important}th.visible-sm,td.visible-sm{display:table-cell!important}}@media (min-width:992px) and (max-width:1199px){.visible-md{display:block!important}table.visible-md{display:table}tr.visible-md{display:table-row!important}th.visible-md,td.visible-md{display:table-cell!important}}@media (min-width:1200px){.visible-lg{display:block!important}table.visible-lg{display:table}tr.visible-lg{display:table-row!important}th.visible-lg,td.visible-lg{display:table-cell!important}}@media (max-width:767px){.hidden-xs{display:none!important}}@media (min-width:768px) and (max-width:991px){.hidden-sm{display:none!important}}@media (min-width:992px) and (max-width:1199px){.hidden-md{display:none!important}}@media (min-width:1200px){.hidden-lg{display:none!important}}.visible-print{display:none!important}@media print{.visible-print{display:block!important}table.visible-print{display:table}tr.visible-print{display:table-row!important}th.visible-print,td.visible-print{display:table-cell!important}}@media print{.hidden-print{display:none!important}} \ No newline at end of file +/*! normalize.css v3.0.0 | MIT License | git.io/normalize */html{font-family:sans-serif;-ms-text-size-adjust:100%;-webkit-text-size-adjust:100%}body{margin:0}article,aside,details,figcaption,figure,footer,header,hgroup,main,nav,section,summary{display:block}audio,canvas,progress,video{display:inline-block;vertical-align:baseline}audio:not([controls]){display:none;height:0}[hidden],template{display:none}a{background:0 0}a:active,a:hover{outline:0}abbr[title]{border-bottom:1px dotted}b,strong{font-weight:700}dfn{font-style:italic}h1{font-size:2em;margin:.67em 0}mark{background:#ff0;color:#000}small{font-size:80%}sub,sup{font-size:75%;line-height:0;position:relative;vertical-align:baseline}sup{top:-.5em}sub{bottom:-.25em}img{border:0}svg:not(:root){overflow:hidden}figure{margin:1em 40px}hr{-moz-box-sizing:content-box;box-sizing:content-box;height:0}pre{overflow:auto}code,kbd,pre,samp{font-family:monospace,monospace;font-size:1em}button,input,optgroup,select,textarea{color:inherit;font:inherit;margin:0}button{overflow:visible}button,select{text-transform:none}button,html input[type=button],input[type=reset],input[type=submit]{-webkit-appearance:button;cursor:pointer}button[disabled],html input[disabled]{cursor:default}button::-moz-focus-inner,input::-moz-focus-inner{border:0;padding:0}input{line-height:normal}input[type=checkbox],input[type=radio]{box-sizing:border-box;padding:0}input[type=number]::-webkit-inner-spin-button,input[type=number]::-webkit-outer-spin-button{height:auto}input[type=search]{-webkit-appearance:textfield;-moz-box-sizing:content-box;-webkit-box-sizing:content-box;box-sizing:content-box}input[type=search]::-webkit-search-cancel-button,input[type=search]::-webkit-search-decoration{-webkit-appearance:none}fieldset{border:1px solid silver;margin:0 2px;padding:.35em .625em .75em}legend{border:0;padding:0}textarea{overflow:auto}optgroup{font-weight:700}table{border-collapse:collapse;border-spacing:0}td,th{padding:0}@media print{*{text-shadow:none!important;color:#000!important;background:transparent!important;box-shadow:none!important}a,a:visited{text-decoration:underline}a[href]:after{content:" (" attr(href) ")"}abbr[title]:after{content:" (" attr(title) ")"}a[href^="javascript:"]:after,a[href^="#"]:after{content:""}pre,blockquote{border:1px solid #999;page-break-inside:avoid}thead{display:table-header-group}tr,img{page-break-inside:avoid}img{max-width:100%!important}p,h2,h3{orphans:3;widows:3}h2,h3{page-break-after:avoid}select{background:#fff!important}.navbar{display:none}.table td,.table th{background-color:#fff!important}.btn>.caret,.dropup>.btn>.caret{border-top-color:#000!important}.label{border:1px solid #000}.table{border-collapse:collapse!important}.table-bordered th,.table-bordered td{border:1px solid #ddd!important}}*{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}:before,:after{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}html{font-size:62.5%;-webkit-tap-highlight-color:rgba(0,0,0,0)}body{font-family:"Helvetica Neue",Helvetica,Arial,sans-serif;font-size:14px;line-height:1.42857143;color:#333;background-color:#fff}input,button,select,textarea{font-family:inherit;font-size:inherit;line-height:inherit}a{color:#428bca;text-decoration:none}a:hover,a:focus{color:#2a6496;text-decoration:underline}a:focus{outline:thin dotted;outline:5px auto -webkit-focus-ring-color;outline-offset:-2px}figure{margin:0}img{vertical-align:middle}.img-responsive,.thumbnail>img,.thumbnail a>img,.carousel-inner>.item>img,.carousel-inner>.item>a>img{display:block;max-width:100%;height:auto}.img-rounded{border-radius:6px}.img-thumbnail{padding:4px;line-height:1.42857143;background-color:#fff;border:1px solid #ddd;border-radius:4px;-webkit-transition:all .2s ease-in-out;transition:all .2s ease-in-out;display:inline-block;max-width:100%;height:auto}.img-circle{border-radius:50%}hr{margin-top:20px;margin-bottom:20px;border:0;border-top:1px solid #eee}.sr-only{position:absolute;width:1px;height:1px;margin:-1px;padding:0;overflow:hidden;clip:rect(0,0,0,0);border:0}h1,h2,h3,h4,h5,h6,.h1,.h2,.h3,.h4,.h5,.h6{font-family:inherit;font-weight:500;line-height:1.1;color:inherit}h1 small,h2 small,h3 small,h4 small,h5 small,h6 small,.h1 small,.h2 small,.h3 small,.h4 small,.h5 small,.h6 small,h1 .small,h2 .small,h3 .small,h4 .small,h5 .small,h6 .small,.h1 .small,.h2 .small,.h3 .small,.h4 .small,.h5 .small,.h6 .small{font-weight:400;line-height:1;color:#999}h1,.h1,h2,.h2,h3,.h3{margin-top:20px;margin-bottom:10px}h1 small,.h1 small,h2 small,.h2 small,h3 small,.h3 small,h1 .small,.h1 .small,h2 .small,.h2 .small,h3 .small,.h3 .small{font-size:65%}h4,.h4,h5,.h5,h6,.h6{margin-top:10px;margin-bottom:10px}h4 small,.h4 small,h5 small,.h5 small,h6 small,.h6 small,h4 .small,.h4 .small,h5 .small,.h5 .small,h6 .small,.h6 .small{font-size:75%}h1,.h1{font-size:36px}h2,.h2{font-size:30px}h3,.h3{font-size:24px}h4,.h4{font-size:18px}h5,.h5{font-size:14px}h6,.h6{font-size:12px}p{margin:0 0 10px}.lead{margin-bottom:20px;font-size:16px;font-weight:200;line-height:1.4}@media (min-width:768px){.lead{font-size:21px}}small,.small{font-size:85%}cite{font-style:normal}.text-left{text-align:left}.text-right{text-align:right}.text-center{text-align:center}.text-justify{text-align:justify}.text-muted{color:#999}.text-primary{color:#428bca}a.text-primary:hover{color:#3071a9}.text-success{color:#3c763d}a.text-success:hover{color:#2b542c}.text-info{color:#31708f}a.text-info:hover{color:#245269}.text-warning{color:#8a6d3b}a.text-warning:hover{color:#66512c}.text-danger{color:#a94442}a.text-danger:hover{color:#843534}.bg-primary{color:#fff;background-color:#428bca}a.bg-primary:hover{background-color:#3071a9}.bg-success{background-color:#dff0d8}a.bg-success:hover{background-color:#c1e2b3}.bg-info{background-color:#d9edf7}a.bg-info:hover{background-color:#afd9ee}.bg-warning{background-color:#fcf8e3}a.bg-warning:hover{background-color:#f7ecb5}.bg-danger{background-color:#f2dede}a.bg-danger:hover{background-color:#e4b9b9}.page-header{padding-bottom:9px;margin:40px 0 20px;border-bottom:1px solid #eee}ul,ol{margin-top:0;margin-bottom:10px}ul ul,ol ul,ul ol,ol ol{margin-bottom:0}.list-unstyled{padding-left:0;list-style:none}.list-inline{padding-left:0;list-style:none;margin-left:-5px}.list-inline>li{display:inline-block;padding-left:5px;padding-right:5px}dl{margin-top:0;margin-bottom:20px}dt,dd{line-height:1.42857143}dt{font-weight:700}dd{margin-left:0}@media (min-width:768px){.dl-horizontal dt{float:left;width:160px;clear:left;text-align:right;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.dl-horizontal dd{margin-left:180px}}abbr[title],abbr[data-original-title]{cursor:help;border-bottom:1px dotted #999}.initialism{font-size:90%;text-transform:uppercase}blockquote{padding:10px 20px;margin:0 0 20px;font-size:12.5px;border-left: 5px solid #989898;background-color: #F0F0F0;border-radius: 3px;}blockquote p:last-child,blockquote ul:last-child,blockquote ol:last-child{margin-bottom:0}blockquote footer,blockquote small,blockquote .small{display:block;font-size:80%;line-height:1.42857143;color:#999}blockquote footer:before,blockquote small:before,blockquote .small:before{content:'\2014 \00A0'}.blockquote-reverse,blockquote.pull-right{padding-right:15px;padding-left:0;border-right:5px solid #eee;border-left:0;text-align:right}.blockquote-reverse footer:before,blockquote.pull-right footer:before,.blockquote-reverse small:before,blockquote.pull-right small:before,.blockquote-reverse .small:before,blockquote.pull-right .small:before{content:''}.blockquote-reverse footer:after,blockquote.pull-right footer:after,.blockquote-reverse small:after,blockquote.pull-right small:after,.blockquote-reverse .small:after,blockquote.pull-right .small:after{content:'\00A0 \2014'}blockquote:before,blockquote:after{content:""}address{margin-bottom:20px;font-style:normal;line-height:1.42857143}code,kbd,pre,samp{font-family:Menlo,Monaco,Consolas,"Courier New",monospace}code{padding:2px 4px;font-size:90%;color:#c7254e;background-color:#f9f2f4;white-space:nowrap;border-radius:4px}kbd{padding:2px 4px;font-size:90%;color:#fff;background-color:#333;border-radius:3px;box-shadow:inset 0 -1px 0 rgba(0,0,0,.25)}pre{display:block;padding:9.5px;margin:0 0 10px;font-size:13px;line-height:1.42857143;word-break:break-all;word-wrap:break-word;color:#333;background-color:#f5f5f5;border:1px solid #ccc;border-radius:4px}pre code{padding:0;font-size:inherit;color:inherit;white-space:pre-wrap;background-color:transparent;border-radius:0}.pre-scrollable{max-height:340px;overflow-y:scroll}.container{margin-right:auto;margin-left:auto;padding-left:15px;padding-right:15px}@media (min-width:768px){.container{width:750px}}@media (min-width:992px){.container{width:970px}}@media (min-width:1200px){.container{width:1170px}}.container-fluid{margin-right:auto;margin-left:auto;padding-left:15px;padding-right:15px}.row{margin-left:-15px;margin-right:-15px}.col-xs-1,.col-sm-1,.col-md-1,.col-lg-1,.col-xs-2,.col-sm-2,.col-md-2,.col-lg-2,.col-xs-3,.col-sm-3,.col-md-3,.col-lg-3,.col-xs-4,.col-sm-4,.col-md-4,.col-lg-4,.col-xs-5,.col-sm-5,.col-md-5,.col-lg-5,.col-xs-6,.col-sm-6,.col-md-6,.col-lg-6,.col-xs-7,.col-sm-7,.col-md-7,.col-lg-7,.col-xs-8,.col-sm-8,.col-md-8,.col-lg-8,.col-xs-9,.col-sm-9,.col-md-9,.col-lg-9,.col-xs-10,.col-sm-10,.col-md-10,.col-lg-10,.col-xs-11,.col-sm-11,.col-md-11,.col-lg-11,.col-xs-12,.col-sm-12,.col-md-12,.col-lg-12{position:relative;min-height:1px;padding-left:15px;padding-right:15px}.col-xs-1,.col-xs-2,.col-xs-3,.col-xs-4,.col-xs-5,.col-xs-6,.col-xs-7,.col-xs-8,.col-xs-9,.col-xs-10,.col-xs-11,.col-xs-12{float:left}.col-xs-12{width:100%}.col-xs-11{width:91.66666667%}.col-xs-10{width:83.33333333%}.col-xs-9{width:75%}.col-xs-8{width:66.66666667%}.col-xs-7{width:58.33333333%}.col-xs-6{width:50%}.col-xs-5{width:41.66666667%}.col-xs-4{width:33.33333333%}.col-xs-3{width:25%}.col-xs-2{width:16.66666667%}.col-xs-1{width:8.33333333%}.col-xs-pull-12{right:100%}.col-xs-pull-11{right:91.66666667%}.col-xs-pull-10{right:83.33333333%}.col-xs-pull-9{right:75%}.col-xs-pull-8{right:66.66666667%}.col-xs-pull-7{right:58.33333333%}.col-xs-pull-6{right:50%}.col-xs-pull-5{right:41.66666667%}.col-xs-pull-4{right:33.33333333%}.col-xs-pull-3{right:25%}.col-xs-pull-2{right:16.66666667%}.col-xs-pull-1{right:8.33333333%}.col-xs-pull-0{right:0}.col-xs-push-12{left:100%}.col-xs-push-11{left:91.66666667%}.col-xs-push-10{left:83.33333333%}.col-xs-push-9{left:75%}.col-xs-push-8{left:66.66666667%}.col-xs-push-7{left:58.33333333%}.col-xs-push-6{left:50%}.col-xs-push-5{left:41.66666667%}.col-xs-push-4{left:33.33333333%}.col-xs-push-3{left:25%}.col-xs-push-2{left:16.66666667%}.col-xs-push-1{left:8.33333333%}.col-xs-push-0{left:0}.col-xs-offset-12{margin-left:100%}.col-xs-offset-11{margin-left:91.66666667%}.col-xs-offset-10{margin-left:83.33333333%}.col-xs-offset-9{margin-left:75%}.col-xs-offset-8{margin-left:66.66666667%}.col-xs-offset-7{margin-left:58.33333333%}.col-xs-offset-6{margin-left:50%}.col-xs-offset-5{margin-left:41.66666667%}.col-xs-offset-4{margin-left:33.33333333%}.col-xs-offset-3{margin-left:25%}.col-xs-offset-2{margin-left:16.66666667%}.col-xs-offset-1{margin-left:8.33333333%}.col-xs-offset-0{margin-left:0}@media (min-width:768px){.col-sm-1,.col-sm-2,.col-sm-3,.col-sm-4,.col-sm-5,.col-sm-6,.col-sm-7,.col-sm-8,.col-sm-9,.col-sm-10,.col-sm-11,.col-sm-12{float:left}.col-sm-12{width:100%}.col-sm-11{width:91.66666667%}.col-sm-10{width:83.33333333%}.col-sm-9{width:75%}.col-sm-8{width:66.66666667%}.col-sm-7{width:58.33333333%}.col-sm-6{width:50%}.col-sm-5{width:41.66666667%}.col-sm-4{width:33.33333333%}.col-sm-3{width:25%}.col-sm-2{width:16.66666667%}.col-sm-1{width:8.33333333%}.col-sm-pull-12{right:100%}.col-sm-pull-11{right:91.66666667%}.col-sm-pull-10{right:83.33333333%}.col-sm-pull-9{right:75%}.col-sm-pull-8{right:66.66666667%}.col-sm-pull-7{right:58.33333333%}.col-sm-pull-6{right:50%}.col-sm-pull-5{right:41.66666667%}.col-sm-pull-4{right:33.33333333%}.col-sm-pull-3{right:25%}.col-sm-pull-2{right:16.66666667%}.col-sm-pull-1{right:8.33333333%}.col-sm-pull-0{right:0}.col-sm-push-12{left:100%}.col-sm-push-11{left:91.66666667%}.col-sm-push-10{left:83.33333333%}.col-sm-push-9{left:75%}.col-sm-push-8{left:66.66666667%}.col-sm-push-7{left:58.33333333%}.col-sm-push-6{left:50%}.col-sm-push-5{left:41.66666667%}.col-sm-push-4{left:33.33333333%}.col-sm-push-3{left:25%}.col-sm-push-2{left:16.66666667%}.col-sm-push-1{left:8.33333333%}.col-sm-push-0{left:0}.col-sm-offset-12{margin-left:100%}.col-sm-offset-11{margin-left:91.66666667%}.col-sm-offset-10{margin-left:83.33333333%}.col-sm-offset-9{margin-left:75%}.col-sm-offset-8{margin-left:66.66666667%}.col-sm-offset-7{margin-left:58.33333333%}.col-sm-offset-6{margin-left:50%}.col-sm-offset-5{margin-left:41.66666667%}.col-sm-offset-4{margin-left:33.33333333%}.col-sm-offset-3{margin-left:25%}.col-sm-offset-2{margin-left:16.66666667%}.col-sm-offset-1{margin-left:8.33333333%}.col-sm-offset-0{margin-left:0}}@media (min-width:992px){.col-md-1,.col-md-2,.col-md-3,.col-md-4,.col-md-5,.col-md-6,.col-md-7,.col-md-8,.col-md-9,.col-md-10,.col-md-11,.col-md-12{float:left}.col-md-12{width:100%}.col-md-11{width:91.66666667%}.col-md-10{width:83.33333333%}.col-md-9{width:75%}.col-md-8{width:66.66666667%}.col-md-7{width:58.33333333%}.col-md-6{width:50%}.col-md-5{width:41.66666667%}.col-md-4{width:33.33333333%}.col-md-3{width:25%}.col-md-2{width:16.66666667%}.col-md-1{width:8.33333333%}.col-md-pull-12{right:100%}.col-md-pull-11{right:91.66666667%}.col-md-pull-10{right:83.33333333%}.col-md-pull-9{right:75%}.col-md-pull-8{right:66.66666667%}.col-md-pull-7{right:58.33333333%}.col-md-pull-6{right:50%}.col-md-pull-5{right:41.66666667%}.col-md-pull-4{right:33.33333333%}.col-md-pull-3{right:25%}.col-md-pull-2{right:16.66666667%}.col-md-pull-1{right:8.33333333%}.col-md-pull-0{right:0}.col-md-push-12{left:100%}.col-md-push-11{left:91.66666667%}.col-md-push-10{left:83.33333333%}.col-md-push-9{left:75%}.col-md-push-8{left:66.66666667%}.col-md-push-7{left:58.33333333%}.col-md-push-6{left:50%}.col-md-push-5{left:41.66666667%}.col-md-push-4{left:33.33333333%}.col-md-push-3{left:25%}.col-md-push-2{left:16.66666667%}.col-md-push-1{left:8.33333333%}.col-md-push-0{left:0}.col-md-offset-12{margin-left:100%}.col-md-offset-11{margin-left:91.66666667%}.col-md-offset-10{margin-left:83.33333333%}.col-md-offset-9{margin-left:75%}.col-md-offset-8{margin-left:66.66666667%}.col-md-offset-7{margin-left:58.33333333%}.col-md-offset-6{margin-left:50%}.col-md-offset-5{margin-left:41.66666667%}.col-md-offset-4{margin-left:33.33333333%}.col-md-offset-3{margin-left:25%}.col-md-offset-2{margin-left:16.66666667%}.col-md-offset-1{margin-left:8.33333333%}.col-md-offset-0{margin-left:0}}@media (min-width:1200px){.col-lg-1,.col-lg-2,.col-lg-3,.col-lg-4,.col-lg-5,.col-lg-6,.col-lg-7,.col-lg-8,.col-lg-9,.col-lg-10,.col-lg-11,.col-lg-12{float:left}.col-lg-12{width:100%}.col-lg-11{width:91.66666667%}.col-lg-10{width:83.33333333%}.col-lg-9{width:75%}.col-lg-8{width:66.66666667%}.col-lg-7{width:58.33333333%}.col-lg-6{width:50%}.col-lg-5{width:41.66666667%}.col-lg-4{width:33.33333333%}.col-lg-3{width:25%}.col-lg-2{width:16.66666667%}.col-lg-1{width:8.33333333%}.col-lg-pull-12{right:100%}.col-lg-pull-11{right:91.66666667%}.col-lg-pull-10{right:83.33333333%}.col-lg-pull-9{right:75%}.col-lg-pull-8{right:66.66666667%}.col-lg-pull-7{right:58.33333333%}.col-lg-pull-6{right:50%}.col-lg-pull-5{right:41.66666667%}.col-lg-pull-4{right:33.33333333%}.col-lg-pull-3{right:25%}.col-lg-pull-2{right:16.66666667%}.col-lg-pull-1{right:8.33333333%}.col-lg-pull-0{right:0}.col-lg-push-12{left:100%}.col-lg-push-11{left:91.66666667%}.col-lg-push-10{left:83.33333333%}.col-lg-push-9{left:75%}.col-lg-push-8{left:66.66666667%}.col-lg-push-7{left:58.33333333%}.col-lg-push-6{left:50%}.col-lg-push-5{left:41.66666667%}.col-lg-push-4{left:33.33333333%}.col-lg-push-3{left:25%}.col-lg-push-2{left:16.66666667%}.col-lg-push-1{left:8.33333333%}.col-lg-push-0{left:0}.col-lg-offset-12{margin-left:100%}.col-lg-offset-11{margin-left:91.66666667%}.col-lg-offset-10{margin-left:83.33333333%}.col-lg-offset-9{margin-left:75%}.col-lg-offset-8{margin-left:66.66666667%}.col-lg-offset-7{margin-left:58.33333333%}.col-lg-offset-6{margin-left:50%}.col-lg-offset-5{margin-left:41.66666667%}.col-lg-offset-4{margin-left:33.33333333%}.col-lg-offset-3{margin-left:25%}.col-lg-offset-2{margin-left:16.66666667%}.col-lg-offset-1{margin-left:8.33333333%}.col-lg-offset-0{margin-left:0}}table{max-width:100%;background-color:transparent}th{text-align:left}.table{width:100%;margin-bottom:20px}.table>thead>tr>th,.table>tbody>tr>th,.table>tfoot>tr>th,.table>thead>tr>td,.table>tbody>tr>td,.table>tfoot>tr>td{padding:8px;line-height:1.42857143;vertical-align:top;border-top:1px solid #ddd}.table>thead>tr>th{vertical-align:bottom;border-bottom:2px solid #ddd}.table>caption+thead>tr:first-child>th,.table>colgroup+thead>tr:first-child>th,.table>thead:first-child>tr:first-child>th,.table>caption+thead>tr:first-child>td,.table>colgroup+thead>tr:first-child>td,.table>thead:first-child>tr:first-child>td{border-top:0}.table>tbody+tbody{border-top:2px solid #ddd}.table .table{background-color:#fff}.table-condensed>thead>tr>th,.table-condensed>tbody>tr>th,.table-condensed>tfoot>tr>th,.table-condensed>thead>tr>td,.table-condensed>tbody>tr>td,.table-condensed>tfoot>tr>td{padding:5px}.table-bordered{border:1px solid #ddd}.table-bordered>thead>tr>th,.table-bordered>tbody>tr>th,.table-bordered>tfoot>tr>th,.table-bordered>thead>tr>td,.table-bordered>tbody>tr>td,.table-bordered>tfoot>tr>td{border:1px solid #ddd}.table-bordered>thead>tr>th,.table-bordered>thead>tr>td{border-bottom-width:2px}.table-striped>tbody>tr:nth-child(odd)>td,.table-striped>tbody>tr:nth-child(odd)>th{background-color:#f9f9f9}.table-hover>tbody>tr:hover>td,.table-hover>tbody>tr:hover>th{background-color:#f5f5f5}table col[class*=col-]{position:static;float:none;display:table-column}table td[class*=col-],table th[class*=col-]{position:static;float:none;display:table-cell}.table>thead>tr>td.active,.table>tbody>tr>td.active,.table>tfoot>tr>td.active,.table>thead>tr>th.active,.table>tbody>tr>th.active,.table>tfoot>tr>th.active,.table>thead>tr.active>td,.table>tbody>tr.active>td,.table>tfoot>tr.active>td,.table>thead>tr.active>th,.table>tbody>tr.active>th,.table>tfoot>tr.active>th{background-color:#f5f5f5}.table-hover>tbody>tr>td.active:hover,.table-hover>tbody>tr>th.active:hover,.table-hover>tbody>tr.active:hover>td,.table-hover>tbody>tr.active:hover>th{background-color:#e8e8e8}.table>thead>tr>td.success,.table>tbody>tr>td.success,.table>tfoot>tr>td.success,.table>thead>tr>th.success,.table>tbody>tr>th.success,.table>tfoot>tr>th.success,.table>thead>tr.success>td,.table>tbody>tr.success>td,.table>tfoot>tr.success>td,.table>thead>tr.success>th,.table>tbody>tr.success>th,.table>tfoot>tr.success>th{background-color:#dff0d8}.table-hover>tbody>tr>td.success:hover,.table-hover>tbody>tr>th.success:hover,.table-hover>tbody>tr.success:hover>td,.table-hover>tbody>tr.success:hover>th{background-color:#d0e9c6}.table>thead>tr>td.info,.table>tbody>tr>td.info,.table>tfoot>tr>td.info,.table>thead>tr>th.info,.table>tbody>tr>th.info,.table>tfoot>tr>th.info,.table>thead>tr.info>td,.table>tbody>tr.info>td,.table>tfoot>tr.info>td,.table>thead>tr.info>th,.table>tbody>tr.info>th,.table>tfoot>tr.info>th{background-color:#d9edf7}.table-hover>tbody>tr>td.info:hover,.table-hover>tbody>tr>th.info:hover,.table-hover>tbody>tr.info:hover>td,.table-hover>tbody>tr.info:hover>th{background-color:#c4e3f3}.table>thead>tr>td.warning,.table>tbody>tr>td.warning,.table>tfoot>tr>td.warning,.table>thead>tr>th.warning,.table>tbody>tr>th.warning,.table>tfoot>tr>th.warning,.table>thead>tr.warning>td,.table>tbody>tr.warning>td,.table>tfoot>tr.warning>td,.table>thead>tr.warning>th,.table>tbody>tr.warning>th,.table>tfoot>tr.warning>th{background-color:#fcf8e3}.table-hover>tbody>tr>td.warning:hover,.table-hover>tbody>tr>th.warning:hover,.table-hover>tbody>tr.warning:hover>td,.table-hover>tbody>tr.warning:hover>th{background-color:#faf2cc}.table>thead>tr>td.danger,.table>tbody>tr>td.danger,.table>tfoot>tr>td.danger,.table>thead>tr>th.danger,.table>tbody>tr>th.danger,.table>tfoot>tr>th.danger,.table>thead>tr.danger>td,.table>tbody>tr.danger>td,.table>tfoot>tr.danger>td,.table>thead>tr.danger>th,.table>tbody>tr.danger>th,.table>tfoot>tr.danger>th{background-color:#f2dede}.table-hover>tbody>tr>td.danger:hover,.table-hover>tbody>tr>th.danger:hover,.table-hover>tbody>tr.danger:hover>td,.table-hover>tbody>tr.danger:hover>th{background-color:#ebcccc}@media (max-width:767px){.table-responsive{width:100%;margin-bottom:15px;overflow-y:hidden;overflow-x:scroll;-ms-overflow-style:-ms-autohiding-scrollbar;border:1px solid #ddd;-webkit-overflow-scrolling:touch}.table-responsive>.table{margin-bottom:0}.table-responsive>.table>thead>tr>th,.table-responsive>.table>tbody>tr>th,.table-responsive>.table>tfoot>tr>th,.table-responsive>.table>thead>tr>td,.table-responsive>.table>tbody>tr>td,.table-responsive>.table>tfoot>tr>td{white-space:nowrap}.table-responsive>.table-bordered{border:0}.table-responsive>.table-bordered>thead>tr>th:first-child,.table-responsive>.table-bordered>tbody>tr>th:first-child,.table-responsive>.table-bordered>tfoot>tr>th:first-child,.table-responsive>.table-bordered>thead>tr>td:first-child,.table-responsive>.table-bordered>tbody>tr>td:first-child,.table-responsive>.table-bordered>tfoot>tr>td:first-child{border-left:0}.table-responsive>.table-bordered>thead>tr>th:last-child,.table-responsive>.table-bordered>tbody>tr>th:last-child,.table-responsive>.table-bordered>tfoot>tr>th:last-child,.table-responsive>.table-bordered>thead>tr>td:last-child,.table-responsive>.table-bordered>tbody>tr>td:last-child,.table-responsive>.table-bordered>tfoot>tr>td:last-child{border-right:0}.table-responsive>.table-bordered>tbody>tr:last-child>th,.table-responsive>.table-bordered>tfoot>tr:last-child>th,.table-responsive>.table-bordered>tbody>tr:last-child>td,.table-responsive>.table-bordered>tfoot>tr:last-child>td{border-bottom:0}}fieldset{padding:0;margin:0;border:0;min-width:0}legend{display:block;width:100%;padding:0;margin-bottom:20px;font-size:21px;line-height:inherit;color:#333;border:0;border-bottom:1px solid #e5e5e5}label{display:inline-block;margin-bottom:5px;font-weight:700}input[type=search]{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}input[type=radio],input[type=checkbox]{margin:4px 0 0;margin-top:1px \9;line-height:normal}input[type=file]{display:block}input[type=range]{display:block;width:100%}select[multiple],select[size]{height:auto}input[type=file]:focus,input[type=radio]:focus,input[type=checkbox]:focus{outline:thin dotted;outline:5px auto -webkit-focus-ring-color;outline-offset:-2px}output{display:block;padding-top:7px;font-size:14px;line-height:1.42857143;color:#555}.form-control{display:block;width:100%;height:34px;padding:6px 12px;font-size:14px;line-height:1.42857143;color:#555;background-color:#fff;background-image:none;border:1px solid #ccc;border-radius:4px;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px rgba(0,0,0,.075);-webkit-transition:border-color ease-in-out .15s,box-shadow ease-in-out .15s;transition:border-color ease-in-out .15s,box-shadow ease-in-out .15s}.form-control:focus{border-color:#66afe9;outline:0;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 8px rgba(102,175,233,.6);box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 8px rgba(102,175,233,.6)}.form-control::-moz-placeholder{color:#999;opacity:1}.form-control:-ms-input-placeholder{color:#999}.form-control::-webkit-input-placeholder{color:#999}.form-control[disabled],.form-control[readonly],fieldset[disabled] .form-control{cursor:not-allowed;background-color:#eee;opacity:1}textarea.form-control{height:auto}input[type=search]{-webkit-appearance:none}input[type=date]{line-height:34px}.form-group{margin-bottom:15px}.radio,.checkbox{display:block;min-height:20px;margin-top:10px;margin-bottom:10px;padding-left:20px}.radio label,.checkbox label{display:inline;font-weight:400;cursor:pointer}.radio input[type=radio],.radio-inline input[type=radio],.checkbox input[type=checkbox],.checkbox-inline input[type=checkbox]{float:left;margin-left:-20px}.radio+.radio,.checkbox+.checkbox{margin-top:-5px}.radio-inline,.checkbox-inline{display:inline-block;padding-left:20px;margin-bottom:0;vertical-align:middle;font-weight:400;cursor:pointer}.radio-inline+.radio-inline,.checkbox-inline+.checkbox-inline{margin-top:0;margin-left:10px}input[type=radio][disabled],input[type=checkbox][disabled],.radio[disabled],.radio-inline[disabled],.checkbox[disabled],.checkbox-inline[disabled],fieldset[disabled] input[type=radio],fieldset[disabled] input[type=checkbox],fieldset[disabled] .radio,fieldset[disabled] .radio-inline,fieldset[disabled] .checkbox,fieldset[disabled] .checkbox-inline{cursor:not-allowed}.input-sm{height:30px;padding:5px 10px;font-size:12px;line-height:1.5;border-radius:3px}select.input-sm{height:30px;line-height:30px}textarea.input-sm,select[multiple].input-sm{height:auto}.input-lg{height:46px;padding:10px 16px;font-size:18px;line-height:1.33;border-radius:6px}select.input-lg{height:46px;line-height:46px}textarea.input-lg,select[multiple].input-lg{height:auto}.has-feedback{position:relative}.has-feedback .form-control{padding-right:42.5px}.has-feedback .form-control-feedback{position:absolute;top:25px;right:0;display:block;width:34px;height:34px;line-height:34px;text-align:center}.has-success .help-block,.has-success .control-label,.has-success .radio,.has-success .checkbox,.has-success .radio-inline,.has-success .checkbox-inline{color:#3c763d}.has-success .form-control{border-color:#3c763d;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px rgba(0,0,0,.075)}.has-success .form-control:focus{border-color:#2b542c;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #67b168;box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #67b168}.has-success .input-group-addon{color:#3c763d;border-color:#3c763d;background-color:#dff0d8}.has-success .form-control-feedback{color:#3c763d}.has-warning .help-block,.has-warning .control-label,.has-warning .radio,.has-warning .checkbox,.has-warning .radio-inline,.has-warning .checkbox-inline{color:#8a6d3b}.has-warning .form-control{border-color:#8a6d3b;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px rgba(0,0,0,.075)}.has-warning .form-control:focus{border-color:#66512c;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #c0a16b;box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #c0a16b}.has-warning .input-group-addon{color:#8a6d3b;border-color:#8a6d3b;background-color:#fcf8e3}.has-warning .form-control-feedback{color:#8a6d3b}.has-error .help-block,.has-error .control-label,.has-error .radio,.has-error .checkbox,.has-error .radio-inline,.has-error .checkbox-inline{color:#a94442}.has-error .form-control{border-color:#a94442;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px rgba(0,0,0,.075)}.has-error .form-control:focus{border-color:#843534;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #ce8483;box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #ce8483}.has-error .input-group-addon{color:#a94442;border-color:#a94442;background-color:#f2dede}.has-error .form-control-feedback{color:#a94442}.form-control-static{margin-bottom:0}.help-block{display:block;margin-top:5px;margin-bottom:10px;color:#737373}@media (min-width:768px){.form-inline .form-group{display:inline-block;margin-bottom:0;vertical-align:middle}.form-inline .form-control{display:inline-block;width:auto;vertical-align:middle}.form-inline .input-group>.form-control{width:100%}.form-inline .control-label{margin-bottom:0;vertical-align:middle}.form-inline .radio,.form-inline .checkbox{display:inline-block;margin-top:0;margin-bottom:0;padding-left:0;vertical-align:middle}.form-inline .radio input[type=radio],.form-inline .checkbox input[type=checkbox]{float:none;margin-left:0}.form-inline .has-feedback .form-control-feedback{top:0}}.form-horizontal .control-label,.form-horizontal .radio,.form-horizontal .checkbox,.form-horizontal .radio-inline,.form-horizontal .checkbox-inline{margin-top:0;margin-bottom:0;padding-top:7px}.form-horizontal .radio,.form-horizontal .checkbox{min-height:27px}.form-horizontal .form-group{margin-left:-15px;margin-right:-15px}.form-horizontal .form-control-static{padding-top:7px}@media (min-width:768px){.form-horizontal .control-label{text-align:right}}.form-horizontal .has-feedback .form-control-feedback{top:0;right:15px}.btn{display:inline-block;margin-bottom:0;font-weight:400;text-align:center;vertical-align:middle;cursor:pointer;background-image:none;border:1px solid transparent;white-space:nowrap;padding:6px 12px;font-size:14px;line-height:1.42857143;border-radius:4px;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.btn:focus,.btn:active:focus,.btn.active:focus{outline:thin dotted;outline:5px auto -webkit-focus-ring-color;outline-offset:-2px}.btn:hover,.btn:focus{color:#333;text-decoration:none}.btn:active,.btn.active{outline:0;background-image:none;-webkit-box-shadow:inset 0 3px 5px rgba(0,0,0,.125);box-shadow:inset 0 3px 5px rgba(0,0,0,.125)}.btn.disabled,.btn[disabled],fieldset[disabled] .btn{cursor:not-allowed;pointer-events:none;opacity:.65;filter:alpha(opacity=65);-webkit-box-shadow:none;box-shadow:none}.btn-default{color:#333;background-color:#fff;border-color:#ccc}.btn-default:hover,.btn-default:focus,.btn-default:active,.btn-default.active,.open .dropdown-toggle.btn-default{color:#333;background-color:#ebebeb;border-color:#adadad}.btn-default:active,.btn-default.active,.open .dropdown-toggle.btn-default{background-image:none}.btn-default.disabled,.btn-default[disabled],fieldset[disabled] .btn-default,.btn-default.disabled:hover,.btn-default[disabled]:hover,fieldset[disabled] .btn-default:hover,.btn-default.disabled:focus,.btn-default[disabled]:focus,fieldset[disabled] .btn-default:focus,.btn-default.disabled:active,.btn-default[disabled]:active,fieldset[disabled] .btn-default:active,.btn-default.disabled.active,.btn-default[disabled].active,fieldset[disabled] .btn-default.active{background-color:#fff;border-color:#ccc}.btn-default .badge{color:#fff;background-color:#333}.btn-primary{color:#fff;background-color:#428bca;border-color:#357ebd}.btn-primary:hover,.btn-primary:focus,.btn-primary:active,.btn-primary.active,.open .dropdown-toggle.btn-primary{color:#fff;background-color:#3276b1;border-color:#285e8e}.btn-primary:active,.btn-primary.active,.open .dropdown-toggle.btn-primary{background-image:none}.btn-primary.disabled,.btn-primary[disabled],fieldset[disabled] .btn-primary,.btn-primary.disabled:hover,.btn-primary[disabled]:hover,fieldset[disabled] .btn-primary:hover,.btn-primary.disabled:focus,.btn-primary[disabled]:focus,fieldset[disabled] .btn-primary:focus,.btn-primary.disabled:active,.btn-primary[disabled]:active,fieldset[disabled] .btn-primary:active,.btn-primary.disabled.active,.btn-primary[disabled].active,fieldset[disabled] .btn-primary.active{background-color:#428bca;border-color:#357ebd}.btn-primary .badge{color:#428bca;background-color:#fff}.btn-success{color:#fff;background-color:#5cb85c;border-color:#4cae4c}.btn-success:hover,.btn-success:focus,.btn-success:active,.btn-success.active,.open .dropdown-toggle.btn-success{color:#fff;background-color:#47a447;border-color:#398439}.btn-success:active,.btn-success.active,.open .dropdown-toggle.btn-success{background-image:none}.btn-success.disabled,.btn-success[disabled],fieldset[disabled] .btn-success,.btn-success.disabled:hover,.btn-success[disabled]:hover,fieldset[disabled] .btn-success:hover,.btn-success.disabled:focus,.btn-success[disabled]:focus,fieldset[disabled] .btn-success:focus,.btn-success.disabled:active,.btn-success[disabled]:active,fieldset[disabled] .btn-success:active,.btn-success.disabled.active,.btn-success[disabled].active,fieldset[disabled] .btn-success.active{background-color:#5cb85c;border-color:#4cae4c}.btn-success .badge{color:#5cb85c;background-color:#fff}.btn-info{color:#fff;background-color:#5bc0de;border-color:#46b8da}.btn-info:hover,.btn-info:focus,.btn-info:active,.btn-info.active,.open .dropdown-toggle.btn-info{color:#fff;background-color:#39b3d7;border-color:#269abc}.btn-info:active,.btn-info.active,.open .dropdown-toggle.btn-info{background-image:none}.btn-info.disabled,.btn-info[disabled],fieldset[disabled] .btn-info,.btn-info.disabled:hover,.btn-info[disabled]:hover,fieldset[disabled] .btn-info:hover,.btn-info.disabled:focus,.btn-info[disabled]:focus,fieldset[disabled] .btn-info:focus,.btn-info.disabled:active,.btn-info[disabled]:active,fieldset[disabled] .btn-info:active,.btn-info.disabled.active,.btn-info[disabled].active,fieldset[disabled] .btn-info.active{background-color:#5bc0de;border-color:#46b8da}.btn-info .badge{color:#5bc0de;background-color:#fff}.btn-warning{color:#fff;background-color:#f0ad4e;border-color:#eea236}.btn-warning:hover,.btn-warning:focus,.btn-warning:active,.btn-warning.active,.open .dropdown-toggle.btn-warning{color:#fff;background-color:#ed9c28;border-color:#d58512}.btn-warning:active,.btn-warning.active,.open .dropdown-toggle.btn-warning{background-image:none}.btn-warning.disabled,.btn-warning[disabled],fieldset[disabled] .btn-warning,.btn-warning.disabled:hover,.btn-warning[disabled]:hover,fieldset[disabled] .btn-warning:hover,.btn-warning.disabled:focus,.btn-warning[disabled]:focus,fieldset[disabled] .btn-warning:focus,.btn-warning.disabled:active,.btn-warning[disabled]:active,fieldset[disabled] .btn-warning:active,.btn-warning.disabled.active,.btn-warning[disabled].active,fieldset[disabled] .btn-warning.active{background-color:#f0ad4e;border-color:#eea236}.btn-warning .badge{color:#f0ad4e;background-color:#fff}.btn-danger{color:#fff;background-color:#d9534f;border-color:#d43f3a}.btn-danger:hover,.btn-danger:focus,.btn-danger:active,.btn-danger.active,.open .dropdown-toggle.btn-danger{color:#fff;background-color:#d2322d;border-color:#ac2925}.btn-danger:active,.btn-danger.active,.open .dropdown-toggle.btn-danger{background-image:none}.btn-danger.disabled,.btn-danger[disabled],fieldset[disabled] .btn-danger,.btn-danger.disabled:hover,.btn-danger[disabled]:hover,fieldset[disabled] .btn-danger:hover,.btn-danger.disabled:focus,.btn-danger[disabled]:focus,fieldset[disabled] .btn-danger:focus,.btn-danger.disabled:active,.btn-danger[disabled]:active,fieldset[disabled] .btn-danger:active,.btn-danger.disabled.active,.btn-danger[disabled].active,fieldset[disabled] .btn-danger.active{background-color:#d9534f;border-color:#d43f3a}.btn-danger .badge{color:#d9534f;background-color:#fff}.btn-link{color:#428bca;font-weight:400;cursor:pointer;border-radius:0}.btn-link,.btn-link:active,.btn-link[disabled],fieldset[disabled] .btn-link{background-color:transparent;-webkit-box-shadow:none;box-shadow:none}.btn-link,.btn-link:hover,.btn-link:focus,.btn-link:active{border-color:transparent}.btn-link:hover,.btn-link:focus{color:#2a6496;text-decoration:underline;background-color:transparent}.btn-link[disabled]:hover,fieldset[disabled] .btn-link:hover,.btn-link[disabled]:focus,fieldset[disabled] .btn-link:focus{color:#999;text-decoration:none}.btn-lg,.btn-group-lg>.btn{padding:10px 16px;font-size:18px;line-height:1.33;border-radius:6px}.btn-sm,.btn-group-sm>.btn{padding:5px 10px;font-size:12px;line-height:1.5;border-radius:3px}.btn-xs,.btn-group-xs>.btn{padding:1px 5px;font-size:12px;line-height:1.5;border-radius:3px}.btn-block{display:block;width:100%;padding-left:0;padding-right:0}.btn-block+.btn-block{margin-top:5px}input[type=submit].btn-block,input[type=reset].btn-block,input[type=button].btn-block{width:100%}.fade{opacity:0;-webkit-transition:opacity .15s linear;transition:opacity .15s linear}.fade.in{opacity:1}.collapse{display:none}.collapse.in{display:block}.collapsing{position:relative;height:0;overflow:hidden;-webkit-transition:height .35s ease;transition:height .35s ease}@font-face{font-family:'Glyphicons Halflings';src:url(../fonts/glyphicons-halflings-regular.eot);src:url(../fonts/glyphicons-halflings-regular.eot?#iefix) format('embedded-opentype'),url(../fonts/glyphicons-halflings-regular.woff) format('woff'),url(../fonts/glyphicons-halflings-regular.ttf) format('truetype'),url(../fonts/glyphicons-halflings-regular.svg#glyphicons_halflingsregular) format('svg')}.glyphicon{position:relative;top:1px;display:inline-block;font-family:'Glyphicons Halflings';font-style:normal;font-weight:400;line-height:1;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}.glyphicon-asterisk:before{content:"\2a"}.glyphicon-plus:before{content:"\2b"}.glyphicon-euro:before{content:"\20ac"}.glyphicon-minus:before{content:"\2212"}.glyphicon-cloud:before{content:"\2601"}.glyphicon-envelope:before{content:"\2709"}.glyphicon-pencil:before{content:"\270f"}.glyphicon-glass:before{content:"\e001"}.glyphicon-music:before{content:"\e002"}.glyphicon-search:before{content:"\e003"}.glyphicon-heart:before{content:"\e005"}.glyphicon-star:before{content:"\e006"}.glyphicon-star-empty:before{content:"\e007"}.glyphicon-user:before{content:"\e008"}.glyphicon-film:before{content:"\e009"}.glyphicon-th-large:before{content:"\e010"}.glyphicon-th:before{content:"\e011"}.glyphicon-th-list:before{content:"\e012"}.glyphicon-ok:before{content:"\e013"}.glyphicon-remove:before{content:"\e014"}.glyphicon-zoom-in:before{content:"\e015"}.glyphicon-zoom-out:before{content:"\e016"}.glyphicon-off:before{content:"\e017"}.glyphicon-signal:before{content:"\e018"}.glyphicon-cog:before{content:"\e019"}.glyphicon-trash:before{content:"\e020"}.glyphicon-home:before{content:"\e021"}.glyphicon-file:before{content:"\e022"}.glyphicon-time:before{content:"\e023"}.glyphicon-road:before{content:"\e024"}.glyphicon-download-alt:before{content:"\e025"}.glyphicon-download:before{content:"\e026"}.glyphicon-upload:before{content:"\e027"}.glyphicon-inbox:before{content:"\e028"}.glyphicon-play-circle:before{content:"\e029"}.glyphicon-repeat:before{content:"\e030"}.glyphicon-refresh:before{content:"\e031"}.glyphicon-list-alt:before{content:"\e032"}.glyphicon-lock:before{content:"\e033"}.glyphicon-flag:before{content:"\e034"}.glyphicon-headphones:before{content:"\e035"}.glyphicon-volume-off:before{content:"\e036"}.glyphicon-volume-down:before{content:"\e037"}.glyphicon-volume-up:before{content:"\e038"}.glyphicon-qrcode:before{content:"\e039"}.glyphicon-barcode:before{content:"\e040"}.glyphicon-tag:before{content:"\e041"}.glyphicon-tags:before{content:"\e042"}.glyphicon-book:before{content:"\e043"}.glyphicon-bookmark:before{content:"\e044"}.glyphicon-print:before{content:"\e045"}.glyphicon-camera:before{content:"\e046"}.glyphicon-font:before{content:"\e047"}.glyphicon-bold:before{content:"\e048"}.glyphicon-italic:before{content:"\e049"}.glyphicon-text-height:before{content:"\e050"}.glyphicon-text-width:before{content:"\e051"}.glyphicon-align-left:before{content:"\e052"}.glyphicon-align-center:before{content:"\e053"}.glyphicon-align-right:before{content:"\e054"}.glyphicon-align-justify:before{content:"\e055"}.glyphicon-list:before{content:"\e056"}.glyphicon-indent-left:before{content:"\e057"}.glyphicon-indent-right:before{content:"\e058"}.glyphicon-facetime-video:before{content:"\e059"}.glyphicon-picture:before{content:"\e060"}.glyphicon-map-marker:before{content:"\e062"}.glyphicon-adjust:before{content:"\e063"}.glyphicon-tint:before{content:"\e064"}.glyphicon-edit:before{content:"\e065"}.glyphicon-share:before{content:"\e066"}.glyphicon-check:before{content:"\e067"}.glyphicon-move:before{content:"\e068"}.glyphicon-step-backward:before{content:"\e069"}.glyphicon-fast-backward:before{content:"\e070"}.glyphicon-backward:before{content:"\e071"}.glyphicon-play:before{content:"\e072"}.glyphicon-pause:before{content:"\e073"}.glyphicon-stop:before{content:"\e074"}.glyphicon-forward:before{content:"\e075"}.glyphicon-fast-forward:before{content:"\e076"}.glyphicon-step-forward:before{content:"\e077"}.glyphicon-eject:before{content:"\e078"}.glyphicon-chevron-left:before{content:"\e079"}.glyphicon-chevron-right:before{content:"\e080"}.glyphicon-plus-sign:before{content:"\e081"}.glyphicon-minus-sign:before{content:"\e082"}.glyphicon-remove-sign:before{content:"\e083"}.glyphicon-ok-sign:before{content:"\e084"}.glyphicon-question-sign:before{content:"\e085"}.glyphicon-info-sign:before{content:"\e086"}.glyphicon-screenshot:before{content:"\e087"}.glyphicon-remove-circle:before{content:"\e088"}.glyphicon-ok-circle:before{content:"\e089"}.glyphicon-ban-circle:before{content:"\e090"}.glyphicon-arrow-left:before{content:"\e091"}.glyphicon-arrow-right:before{content:"\e092"}.glyphicon-arrow-up:before{content:"\e093"}.glyphicon-arrow-down:before{content:"\e094"}.glyphicon-share-alt:before{content:"\e095"}.glyphicon-resize-full:before{content:"\e096"}.glyphicon-resize-small:before{content:"\e097"}.glyphicon-exclamation-sign:before{content:"\e101"}.glyphicon-gift:before{content:"\e102"}.glyphicon-leaf:before{content:"\e103"}.glyphicon-fire:before{content:"\e104"}.glyphicon-eye-open:before{content:"\e105"}.glyphicon-eye-close:before{content:"\e106"}.glyphicon-warning-sign:before{content:"\e107"}.glyphicon-plane:before{content:"\e108"}.glyphicon-calendar:before{content:"\e109"}.glyphicon-random:before{content:"\e110"}.glyphicon-comment:before{content:"\e111"}.glyphicon-magnet:before{content:"\e112"}.glyphicon-chevron-up:before{content:"\e113"}.glyphicon-chevron-down:before{content:"\e114"}.glyphicon-retweet:before{content:"\e115"}.glyphicon-shopping-cart:before{content:"\e116"}.glyphicon-folder-close:before{content:"\e117"}.glyphicon-folder-open:before{content:"\e118"}.glyphicon-resize-vertical:before{content:"\e119"}.glyphicon-resize-horizontal:before{content:"\e120"}.glyphicon-hdd:before{content:"\e121"}.glyphicon-bullhorn:before{content:"\e122"}.glyphicon-bell:before{content:"\e123"}.glyphicon-certificate:before{content:"\e124"}.glyphicon-thumbs-up:before{content:"\e125"}.glyphicon-thumbs-down:before{content:"\e126"}.glyphicon-hand-right:before{content:"\e127"}.glyphicon-hand-left:before{content:"\e128"}.glyphicon-hand-up:before{content:"\e129"}.glyphicon-hand-down:before{content:"\e130"}.glyphicon-circle-arrow-right:before{content:"\e131"}.glyphicon-circle-arrow-left:before{content:"\e132"}.glyphicon-circle-arrow-up:before{content:"\e133"}.glyphicon-circle-arrow-down:before{content:"\e134"}.glyphicon-globe:before{content:"\e135"}.glyphicon-wrench:before{content:"\e136"}.glyphicon-tasks:before{content:"\e137"}.glyphicon-filter:before{content:"\e138"}.glyphicon-briefcase:before{content:"\e139"}.glyphicon-fullscreen:before{content:"\e140"}.glyphicon-dashboard:before{content:"\e141"}.glyphicon-paperclip:before{content:"\e142"}.glyphicon-heart-empty:before{content:"\e143"}.glyphicon-link:before{content:"\e144"}.glyphicon-phone:before{content:"\e145"}.glyphicon-pushpin:before{content:"\e146"}.glyphicon-usd:before{content:"\e148"}.glyphicon-gbp:before{content:"\e149"}.glyphicon-sort:before{content:"\e150"}.glyphicon-sort-by-alphabet:before{content:"\e151"}.glyphicon-sort-by-alphabet-alt:before{content:"\e152"}.glyphicon-sort-by-order:before{content:"\e153"}.glyphicon-sort-by-order-alt:before{content:"\e154"}.glyphicon-sort-by-attributes:before{content:"\e155"}.glyphicon-sort-by-attributes-alt:before{content:"\e156"}.glyphicon-unchecked:before{content:"\e157"}.glyphicon-expand:before{content:"\e158"}.glyphicon-collapse-down:before{content:"\e159"}.glyphicon-collapse-up:before{content:"\e160"}.glyphicon-log-in:before{content:"\e161"}.glyphicon-flash:before{content:"\e162"}.glyphicon-log-out:before{content:"\e163"}.glyphicon-new-window:before{content:"\e164"}.glyphicon-record:before{content:"\e165"}.glyphicon-save:before{content:"\e166"}.glyphicon-open:before{content:"\e167"}.glyphicon-saved:before{content:"\e168"}.glyphicon-import:before{content:"\e169"}.glyphicon-export:before{content:"\e170"}.glyphicon-send:before{content:"\e171"}.glyphicon-floppy-disk:before{content:"\e172"}.glyphicon-floppy-saved:before{content:"\e173"}.glyphicon-floppy-remove:before{content:"\e174"}.glyphicon-floppy-save:before{content:"\e175"}.glyphicon-floppy-open:before{content:"\e176"}.glyphicon-credit-card:before{content:"\e177"}.glyphicon-transfer:before{content:"\e178"}.glyphicon-cutlery:before{content:"\e179"}.glyphicon-header:before{content:"\e180"}.glyphicon-compressed:before{content:"\e181"}.glyphicon-earphone:before{content:"\e182"}.glyphicon-phone-alt:before{content:"\e183"}.glyphicon-tower:before{content:"\e184"}.glyphicon-stats:before{content:"\e185"}.glyphicon-sd-video:before{content:"\e186"}.glyphicon-hd-video:before{content:"\e187"}.glyphicon-subtitles:before{content:"\e188"}.glyphicon-sound-stereo:before{content:"\e189"}.glyphicon-sound-dolby:before{content:"\e190"}.glyphicon-sound-5-1:before{content:"\e191"}.glyphicon-sound-6-1:before{content:"\e192"}.glyphicon-sound-7-1:before{content:"\e193"}.glyphicon-copyright-mark:before{content:"\e194"}.glyphicon-registration-mark:before{content:"\e195"}.glyphicon-cloud-download:before{content:"\e197"}.glyphicon-cloud-upload:before{content:"\e198"}.glyphicon-tree-conifer:before{content:"\e199"}.glyphicon-tree-deciduous:before{content:"\e200"}.caret{display:inline-block;width:0;height:0;margin-left:2px;vertical-align:middle;border-top:4px solid;border-right:4px solid transparent;border-left:4px solid transparent}.dropdown{position:relative}.dropdown-toggle:focus{outline:0}.dropdown-menu{position:absolute;top:100%;left:0;z-index:1000;display:none;float:left;min-width:160px;padding:5px 0;margin:2px 0 0;list-style:none;font-size:14px;background-color:#fff;border:1px solid #ccc;border:1px solid rgba(0,0,0,.15);border-radius:4px;-webkit-box-shadow:0 6px 12px rgba(0,0,0,.175);box-shadow:0 6px 12px rgba(0,0,0,.175);background-clip:padding-box}.dropdown-menu.pull-right{right:0;left:auto}.dropdown-menu .divider{height:1px;margin:9px 0;overflow:hidden;background-color:#e5e5e5}.dropdown-menu>li>a{display:block;padding:3px 20px;clear:both;font-weight:400;line-height:1.42857143;color:#333;white-space:nowrap}.dropdown-menu>li>a:hover,.dropdown-menu>li>a:focus{text-decoration:none;color:#262626;background-color:#f5f5f5}.dropdown-menu>.active>a,.dropdown-menu>.active>a:hover,.dropdown-menu>.active>a:focus{color:#fff;text-decoration:none;outline:0;background-color:#428bca}.dropdown-menu>.disabled>a,.dropdown-menu>.disabled>a:hover,.dropdown-menu>.disabled>a:focus{color:#999}.dropdown-menu>.disabled>a:hover,.dropdown-menu>.disabled>a:focus{text-decoration:none;background-color:transparent;background-image:none;filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);cursor:not-allowed}.open>.dropdown-menu{display:block}.open>a{outline:0}.dropdown-menu-right{left:auto;right:0}.dropdown-menu-left{left:0;right:auto}.dropdown-header{display:block;padding:3px 20px;font-size:12px;line-height:1.42857143;color:#999}.dropdown-backdrop{position:fixed;left:0;right:0;bottom:0;top:0;z-index:990}.pull-right>.dropdown-menu{right:0;left:auto}.dropup .caret,.navbar-fixed-bottom .dropdown .caret{border-top:0;border-bottom:4px solid;content:""}.dropup .dropdown-menu,.navbar-fixed-bottom .dropdown .dropdown-menu{top:auto;bottom:100%;margin-bottom:1px}@media (min-width:768px){.navbar-right .dropdown-menu{left:auto;right:0}.navbar-right .dropdown-menu-left{left:0;right:auto}}.btn-group,.btn-group-vertical{position:relative;display:inline-block;vertical-align:middle}.btn-group>.btn,.btn-group-vertical>.btn{position:relative;float:left}.btn-group>.btn:hover,.btn-group-vertical>.btn:hover,.btn-group>.btn:focus,.btn-group-vertical>.btn:focus,.btn-group>.btn:active,.btn-group-vertical>.btn:active,.btn-group>.btn.active,.btn-group-vertical>.btn.active{z-index:2}.btn-group>.btn:focus,.btn-group-vertical>.btn:focus{outline:0}.btn-group .btn+.btn,.btn-group .btn+.btn-group,.btn-group .btn-group+.btn,.btn-group .btn-group+.btn-group{margin-left:-1px}.btn-toolbar{margin-left:-5px}.btn-toolbar .btn-group,.btn-toolbar .input-group{float:left}.btn-toolbar>.btn,.btn-toolbar>.btn-group,.btn-toolbar>.input-group{margin-left:5px}.btn-group>.btn:not(:first-child):not(:last-child):not(.dropdown-toggle){border-radius:0}.btn-group>.btn:first-child{margin-left:0}.btn-group>.btn:first-child:not(:last-child):not(.dropdown-toggle){border-bottom-right-radius:0;border-top-right-radius:0}.btn-group>.btn:last-child:not(:first-child),.btn-group>.dropdown-toggle:not(:first-child){border-bottom-left-radius:0;border-top-left-radius:0}.btn-group>.btn-group{float:left}.btn-group>.btn-group:not(:first-child):not(:last-child)>.btn{border-radius:0}.btn-group>.btn-group:first-child>.btn:last-child,.btn-group>.btn-group:first-child>.dropdown-toggle{border-bottom-right-radius:0;border-top-right-radius:0}.btn-group>.btn-group:last-child>.btn:first-child{border-bottom-left-radius:0;border-top-left-radius:0}.btn-group .dropdown-toggle:active,.btn-group.open .dropdown-toggle{outline:0}.btn-group>.btn+.dropdown-toggle{padding-left:8px;padding-right:8px}.btn-group>.btn-lg+.dropdown-toggle{padding-left:12px;padding-right:12px}.btn-group.open .dropdown-toggle{-webkit-box-shadow:inset 0 3px 5px rgba(0,0,0,.125);box-shadow:inset 0 3px 5px rgba(0,0,0,.125)}.btn-group.open .dropdown-toggle.btn-link{-webkit-box-shadow:none;box-shadow:none}.btn .caret{margin-left:0}.btn-lg .caret{border-width:5px 5px 0;border-bottom-width:0}.dropup .btn-lg .caret{border-width:0 5px 5px}.btn-group-vertical>.btn,.btn-group-vertical>.btn-group,.btn-group-vertical>.btn-group>.btn{display:block;float:none;width:100%;max-width:100%}.btn-group-vertical>.btn-group>.btn{float:none}.btn-group-vertical>.btn+.btn,.btn-group-vertical>.btn+.btn-group,.btn-group-vertical>.btn-group+.btn,.btn-group-vertical>.btn-group+.btn-group{margin-top:-1px;margin-left:0}.btn-group-vertical>.btn:not(:first-child):not(:last-child){border-radius:0}.btn-group-vertical>.btn:first-child:not(:last-child){border-top-right-radius:4px;border-bottom-right-radius:0;border-bottom-left-radius:0}.btn-group-vertical>.btn:last-child:not(:first-child){border-bottom-left-radius:4px;border-top-right-radius:0;border-top-left-radius:0}.btn-group-vertical>.btn-group:not(:first-child):not(:last-child)>.btn{border-radius:0}.btn-group-vertical>.btn-group:first-child:not(:last-child)>.btn:last-child,.btn-group-vertical>.btn-group:first-child:not(:last-child)>.dropdown-toggle{border-bottom-right-radius:0;border-bottom-left-radius:0}.btn-group-vertical>.btn-group:last-child:not(:first-child)>.btn:first-child{border-top-right-radius:0;border-top-left-radius:0}.btn-group-justified{display:table;width:100%;table-layout:fixed;border-collapse:separate}.btn-group-justified>.btn,.btn-group-justified>.btn-group{float:none;display:table-cell;width:1%}.btn-group-justified>.btn-group .btn{width:100%}[data-toggle=buttons]>.btn>input[type=radio],[data-toggle=buttons]>.btn>input[type=checkbox]{display:none}.input-group{position:relative;display:table;border-collapse:separate}.input-group[class*=col-]{float:none;padding-left:0;padding-right:0}.input-group .form-control{position:relative;z-index:2;float:left;width:100%;margin-bottom:0}.input-group-lg>.form-control,.input-group-lg>.input-group-addon,.input-group-lg>.input-group-btn>.btn{height:46px;padding:10px 16px;font-size:18px;line-height:1.33;border-radius:6px}select.input-group-lg>.form-control,select.input-group-lg>.input-group-addon,select.input-group-lg>.input-group-btn>.btn{height:46px;line-height:46px}textarea.input-group-lg>.form-control,textarea.input-group-lg>.input-group-addon,textarea.input-group-lg>.input-group-btn>.btn,select[multiple].input-group-lg>.form-control,select[multiple].input-group-lg>.input-group-addon,select[multiple].input-group-lg>.input-group-btn>.btn{height:auto}.input-group-sm>.form-control,.input-group-sm>.input-group-addon,.input-group-sm>.input-group-btn>.btn{height:30px;padding:5px 10px;font-size:12px;line-height:1.5;border-radius:3px}select.input-group-sm>.form-control,select.input-group-sm>.input-group-addon,select.input-group-sm>.input-group-btn>.btn{height:30px;line-height:30px}textarea.input-group-sm>.form-control,textarea.input-group-sm>.input-group-addon,textarea.input-group-sm>.input-group-btn>.btn,select[multiple].input-group-sm>.form-control,select[multiple].input-group-sm>.input-group-addon,select[multiple].input-group-sm>.input-group-btn>.btn{height:auto}.input-group-addon,.input-group-btn,.input-group .form-control{display:table-cell}.input-group-addon:not(:first-child):not(:last-child),.input-group-btn:not(:first-child):not(:last-child),.input-group .form-control:not(:first-child):not(:last-child){border-radius:0}.input-group-addon,.input-group-btn{width:1%;white-space:nowrap;vertical-align:middle}.input-group-addon{padding:6px 12px;font-size:14px;font-weight:400;line-height:1;color:#555;text-align:center;background-color:#eee;border:1px solid #ccc;border-radius:4px}.input-group-addon.input-sm{padding:5px 10px;font-size:12px;border-radius:3px}.input-group-addon.input-lg{padding:10px 16px;font-size:18px;border-radius:6px}.input-group-addon input[type=radio],.input-group-addon input[type=checkbox]{margin-top:0}.input-group .form-control:first-child,.input-group-addon:first-child,.input-group-btn:first-child>.btn,.input-group-btn:first-child>.btn-group>.btn,.input-group-btn:first-child>.dropdown-toggle,.input-group-btn:last-child>.btn:not(:last-child):not(.dropdown-toggle),.input-group-btn:last-child>.btn-group:not(:last-child)>.btn{border-bottom-right-radius:0;border-top-right-radius:0}.input-group-addon:first-child{border-right:0}.input-group .form-control:last-child,.input-group-addon:last-child,.input-group-btn:last-child>.btn,.input-group-btn:last-child>.btn-group>.btn,.input-group-btn:last-child>.dropdown-toggle,.input-group-btn:first-child>.btn:not(:first-child),.input-group-btn:first-child>.btn-group:not(:first-child)>.btn{border-bottom-left-radius:0;border-top-left-radius:0}.input-group-addon:last-child{border-left:0}.input-group-btn{position:relative;font-size:0;white-space:nowrap}.input-group-btn>.btn{position:relative}.input-group-btn>.btn+.btn{margin-left:-1px}.input-group-btn>.btn:hover,.input-group-btn>.btn:focus,.input-group-btn>.btn:active{z-index:2}.input-group-btn:first-child>.btn,.input-group-btn:first-child>.btn-group{margin-right:-1px}.input-group-btn:last-child>.btn,.input-group-btn:last-child>.btn-group{margin-left:-1px}.nav{margin-bottom:0;padding-left:0;list-style:none}.nav>li{position:relative;display:block}.nav>li>a{position:relative;display:block;padding:10px 15px}.nav>li>a:hover,.nav>li>a:focus{text-decoration:none;background-color:#eee}.nav>li.disabled>a{color:#999}.nav>li.disabled>a:hover,.nav>li.disabled>a:focus{color:#999;text-decoration:none;background-color:transparent;cursor:not-allowed}.nav .open>a,.nav .open>a:hover,.nav .open>a:focus{background-color:#eee;border-color:#428bca}.nav .nav-divider{height:1px;margin:9px 0;overflow:hidden;background-color:#e5e5e5}.nav>li>a>img{max-width:none}.nav-tabs{border-bottom:1px solid #ddd}.nav-tabs>li{float:left;margin-bottom:-1px}.nav-tabs>li>a{margin-right:2px;line-height:1.42857143;border:1px solid transparent;border-radius:4px 4px 0 0}.nav-tabs>li>a:hover{border-color:#eee #eee #ddd}.nav-tabs>li.active>a,.nav-tabs>li.active>a:hover,.nav-tabs>li.active>a:focus{color:#555;background-color:#fff;border:1px solid #ddd;border-bottom-color:transparent;cursor:default}.nav-tabs.nav-justified{width:100%;border-bottom:0}.nav-tabs.nav-justified>li{float:none}.nav-tabs.nav-justified>li>a{text-align:center;margin-bottom:5px}.nav-tabs.nav-justified>.dropdown .dropdown-menu{top:auto;left:auto}@media (min-width:768px){.nav-tabs.nav-justified>li{display:table-cell;width:1%}.nav-tabs.nav-justified>li>a{margin-bottom:0}}.nav-tabs.nav-justified>li>a{margin-right:0;border-radius:4px}.nav-tabs.nav-justified>.active>a,.nav-tabs.nav-justified>.active>a:hover,.nav-tabs.nav-justified>.active>a:focus{border:1px solid #ddd}@media (min-width:768px){.nav-tabs.nav-justified>li>a{border-bottom:1px solid #ddd;border-radius:4px 4px 0 0}.nav-tabs.nav-justified>.active>a,.nav-tabs.nav-justified>.active>a:hover,.nav-tabs.nav-justified>.active>a:focus{border-bottom-color:#fff}}.nav-pills>li{float:left}.nav-pills>li>a{border-radius:4px}.nav-pills>li+li{margin-left:2px}.nav-pills>li.active>a,.nav-pills>li.active>a:hover,.nav-pills>li.active>a:focus{color:#fff;background-color:#428bca}.nav-stacked>li{float:none}.nav-stacked>li+li{margin-top:2px;margin-left:0}.nav-justified{width:100%}.nav-justified>li{float:none}.nav-justified>li>a{text-align:center;margin-bottom:5px}.nav-justified>.dropdown .dropdown-menu{top:auto;left:auto}@media (min-width:768px){.nav-justified>li{display:table-cell;width:1%}.nav-justified>li>a{margin-bottom:0}}.nav-tabs-justified{border-bottom:0}.nav-tabs-justified>li>a{margin-right:0;border-radius:4px}.nav-tabs-justified>.active>a,.nav-tabs-justified>.active>a:hover,.nav-tabs-justified>.active>a:focus{border:1px solid #ddd}@media (min-width:768px){.nav-tabs-justified>li>a{border-bottom:1px solid #ddd;border-radius:4px 4px 0 0}.nav-tabs-justified>.active>a,.nav-tabs-justified>.active>a:hover,.nav-tabs-justified>.active>a:focus{border-bottom-color:#fff}}.tab-content>.tab-pane{display:none}.tab-content>.active{display:block}.nav-tabs .dropdown-menu{margin-top:-1px;border-top-right-radius:0;border-top-left-radius:0}.navbar{position:relative;min-height:50px;margin-bottom:20px;border:1px solid transparent}@media (min-width:768px){.navbar{border-radius:4px}}@media (min-width:768px){.navbar-header{float:left}}.navbar-collapse{max-height:340px;overflow-x:visible;padding-right:15px;padding-left:15px;border-top:1px solid transparent;box-shadow:inset 0 1px 0 rgba(255,255,255,.1);-webkit-overflow-scrolling:touch}.navbar-collapse.in{overflow-y:auto}@media (min-width:768px){.navbar-collapse{width:auto;border-top:0;box-shadow:none}.navbar-collapse.collapse{display:block!important;height:auto!important;padding-bottom:0;overflow:visible!important}.navbar-collapse.in{overflow-y:visible}.navbar-fixed-top .navbar-collapse,.navbar-static-top .navbar-collapse,.navbar-fixed-bottom .navbar-collapse{padding-left:0;padding-right:0}}.container>.navbar-header,.container-fluid>.navbar-header,.container>.navbar-collapse,.container-fluid>.navbar-collapse{margin-right:-15px;margin-left:-15px}@media (min-width:768px){.container>.navbar-header,.container-fluid>.navbar-header,.container>.navbar-collapse,.container-fluid>.navbar-collapse{margin-right:0;margin-left:0}}.navbar-static-top{z-index:1000;border-width:0 0 1px}@media (min-width:768px){.navbar-static-top{border-radius:0}}.navbar-fixed-top,.navbar-fixed-bottom{position:fixed;right:0;left:0;z-index:1030}@media (min-width:768px){.navbar-fixed-top,.navbar-fixed-bottom{border-radius:0}}.navbar-fixed-top{top:0;border-width:0 0 1px}.navbar-fixed-bottom{bottom:0;margin-bottom:0;border-width:1px 0 0}.navbar-brand{float:left;padding:15px;font-size:18px;line-height:20px;height:50px}.navbar-brand:hover,.navbar-brand:focus{text-decoration:none}@media (min-width:768px){.navbar>.container .navbar-brand,.navbar>.container-fluid .navbar-brand{margin-left:-15px}}.navbar-toggle{position:relative;float:right;margin-right:15px;padding:9px 10px;margin-top:8px;margin-bottom:8px;background-color:transparent;background-image:none;border:1px solid transparent;border-radius:4px}.navbar-toggle:focus{outline:0}.navbar-toggle .icon-bar{display:block;width:22px;height:2px;border-radius:1px}.navbar-toggle .icon-bar+.icon-bar{margin-top:4px}@media (min-width:768px){.navbar-toggle{display:none}}.navbar-nav{margin:7.5px -15px}.navbar-nav>li>a{padding-top:10px;padding-bottom:10px;line-height:20px}@media (max-width:767px){.navbar-nav .open .dropdown-menu{position:static;float:none;width:auto;margin-top:0;background-color:transparent;border:0;box-shadow:none}.navbar-nav .open .dropdown-menu>li>a,.navbar-nav .open .dropdown-menu .dropdown-header{padding:5px 15px 5px 25px}.navbar-nav .open .dropdown-menu>li>a{line-height:20px}.navbar-nav .open .dropdown-menu>li>a:hover,.navbar-nav .open .dropdown-menu>li>a:focus{background-image:none}}@media (min-width:768px){.navbar-nav{float:left;margin:0}.navbar-nav>li{float:left}.navbar-nav>li>a{padding-top:15px;padding-bottom:15px}.navbar-nav.navbar-right:last-child{margin-right:-15px}}@media (min-width:768px){.navbar-left{float:left!important}.navbar-right{float:right!important}}.navbar-form{margin-left:-15px;margin-right:-15px;padding:10px 15px;border-top:1px solid transparent;border-bottom:1px solid transparent;-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.1),0 1px 0 rgba(255,255,255,.1);box-shadow:inset 0 1px 0 rgba(255,255,255,.1),0 1px 0 rgba(255,255,255,.1);margin-top:8px;margin-bottom:8px}@media (min-width:768px){.navbar-form .form-group{display:inline-block;margin-bottom:0;vertical-align:middle}.navbar-form .form-control{display:inline-block;width:auto;vertical-align:middle}.navbar-form .input-group>.form-control{width:100%}.navbar-form .control-label{margin-bottom:0;vertical-align:middle}.navbar-form .radio,.navbar-form .checkbox{display:inline-block;margin-top:0;margin-bottom:0;padding-left:0;vertical-align:middle}.navbar-form .radio input[type=radio],.navbar-form .checkbox input[type=checkbox]{float:none;margin-left:0}.navbar-form .has-feedback .form-control-feedback{top:0}}@media (max-width:767px){.navbar-form .form-group{margin-bottom:5px}}@media (min-width:768px){.navbar-form{width:auto;border:0;margin-left:0;margin-right:0;padding-top:0;padding-bottom:0;-webkit-box-shadow:none;box-shadow:none}.navbar-form.navbar-right:last-child{margin-right:-15px}}.navbar-nav>li>.dropdown-menu{margin-top:0;border-top-right-radius:0;border-top-left-radius:0}.navbar-fixed-bottom .navbar-nav>li>.dropdown-menu{border-bottom-right-radius:0;border-bottom-left-radius:0}.navbar-btn{margin-top:8px;margin-bottom:8px}.navbar-btn.btn-sm{margin-top:10px;margin-bottom:10px}.navbar-btn.btn-xs{margin-top:14px;margin-bottom:14px}.navbar-text{margin-top:15px;margin-bottom:15px}@media (min-width:768px){.navbar-text{float:left;margin-left:15px;margin-right:15px}.navbar-text.navbar-right:last-child{margin-right:0}}.navbar-default{background-color:#f8f8f8;border-color:#e7e7e7}.navbar-default .navbar-brand{color:#777}.navbar-default .navbar-brand:hover,.navbar-default .navbar-brand:focus{color:#5e5e5e;background-color:transparent}.navbar-default .navbar-text{color:#777}.navbar-default .navbar-nav>li>a{color:#777}.navbar-default .navbar-nav>li>a:hover,.navbar-default .navbar-nav>li>a:focus{color:#333;background-color:transparent}.navbar-default .navbar-nav>.active>a,.navbar-default .navbar-nav>.active>a:hover,.navbar-default .navbar-nav>.active>a:focus{color:#555;background-color:#e7e7e7}.navbar-default .navbar-nav>.disabled>a,.navbar-default .navbar-nav>.disabled>a:hover,.navbar-default .navbar-nav>.disabled>a:focus{color:#ccc;background-color:transparent}.navbar-default .navbar-toggle{border-color:#ddd}.navbar-default .navbar-toggle:hover,.navbar-default .navbar-toggle:focus{background-color:#ddd}.navbar-default .navbar-toggle .icon-bar{background-color:#888}.navbar-default .navbar-collapse,.navbar-default .navbar-form{border-color:#e7e7e7}.navbar-default .navbar-nav>.open>a,.navbar-default .navbar-nav>.open>a:hover,.navbar-default .navbar-nav>.open>a:focus{background-color:#e7e7e7;color:#555}@media (max-width:767px){.navbar-default .navbar-nav .open .dropdown-menu>li>a{color:#777}.navbar-default .navbar-nav .open .dropdown-menu>li>a:hover,.navbar-default .navbar-nav .open .dropdown-menu>li>a:focus{color:#333;background-color:transparent}.navbar-default .navbar-nav .open .dropdown-menu>.active>a,.navbar-default .navbar-nav .open .dropdown-menu>.active>a:hover,.navbar-default .navbar-nav .open .dropdown-menu>.active>a:focus{color:#555;background-color:#e7e7e7}.navbar-default .navbar-nav .open .dropdown-menu>.disabled>a,.navbar-default .navbar-nav .open .dropdown-menu>.disabled>a:hover,.navbar-default .navbar-nav .open .dropdown-menu>.disabled>a:focus{color:#ccc;background-color:transparent}}.navbar-default .navbar-link{color:#777}.navbar-default .navbar-link:hover{color:#333}.navbar-inverse{background-color:#222;border-color:#080808}.navbar-inverse .navbar-brand{color:#999}.navbar-inverse .navbar-brand:hover,.navbar-inverse .navbar-brand:focus{color:#fff;background-color:transparent}.navbar-inverse .navbar-text{color:#999}.navbar-inverse .navbar-nav>li>a{color:#999}.navbar-inverse .navbar-nav>li>a:hover,.navbar-inverse .navbar-nav>li>a:focus{color:#fff;background-color:transparent}.navbar-inverse .navbar-nav>.active>a,.navbar-inverse .navbar-nav>.active>a:hover,.navbar-inverse .navbar-nav>.active>a:focus{color:#fff;background-color:#080808}.navbar-inverse .navbar-nav>.disabled>a,.navbar-inverse .navbar-nav>.disabled>a:hover,.navbar-inverse .navbar-nav>.disabled>a:focus{color:#444;background-color:transparent}.navbar-inverse .navbar-toggle{border-color:#333}.navbar-inverse .navbar-toggle:hover,.navbar-inverse .navbar-toggle:focus{background-color:#333}.navbar-inverse .navbar-toggle .icon-bar{background-color:#fff}.navbar-inverse .navbar-collapse,.navbar-inverse .navbar-form{border-color:#101010}.navbar-inverse .navbar-nav>.open>a,.navbar-inverse .navbar-nav>.open>a:hover,.navbar-inverse .navbar-nav>.open>a:focus{background-color:#080808;color:#fff}@media (max-width:767px){.navbar-inverse .navbar-nav .open .dropdown-menu>.dropdown-header{border-color:#080808}.navbar-inverse .navbar-nav .open .dropdown-menu .divider{background-color:#080808}.navbar-inverse .navbar-nav .open .dropdown-menu>li>a{color:#999}.navbar-inverse .navbar-nav .open .dropdown-menu>li>a:hover,.navbar-inverse .navbar-nav .open .dropdown-menu>li>a:focus{color:#fff;background-color:transparent}.navbar-inverse .navbar-nav .open .dropdown-menu>.active>a,.navbar-inverse .navbar-nav .open .dropdown-menu>.active>a:hover,.navbar-inverse .navbar-nav .open .dropdown-menu>.active>a:focus{color:#fff;background-color:#080808}.navbar-inverse .navbar-nav .open .dropdown-menu>.disabled>a,.navbar-inverse .navbar-nav .open .dropdown-menu>.disabled>a:hover,.navbar-inverse .navbar-nav .open .dropdown-menu>.disabled>a:focus{color:#444;background-color:transparent}}.navbar-inverse .navbar-link{color:#999}.navbar-inverse .navbar-link:hover{color:#fff}.breadcrumb{padding:8px 15px;margin-bottom:20px;list-style:none;background-color:#f5f5f5;border-radius:4px}.breadcrumb>li{display:inline-block}.breadcrumb>li+li:before{content:"/\00a0";padding:0 5px;color:#ccc}.breadcrumb>.active{color:#999}.pagination{display:inline-block;padding-left:0;margin:20px 0;border-radius:4px}.pagination>li{display:inline}.pagination>li>a,.pagination>li>span{position:relative;float:left;padding:6px 12px;line-height:1.42857143;text-decoration:none;color:#428bca;background-color:#fff;border:1px solid #ddd;margin-left:-1px}.pagination>li:first-child>a,.pagination>li:first-child>span{margin-left:0;border-bottom-left-radius:4px;border-top-left-radius:4px}.pagination>li:last-child>a,.pagination>li:last-child>span{border-bottom-right-radius:4px;border-top-right-radius:4px}.pagination>li>a:hover,.pagination>li>span:hover,.pagination>li>a:focus,.pagination>li>span:focus{color:#2a6496;background-color:#eee;border-color:#ddd}.pagination>.active>a,.pagination>.active>span,.pagination>.active>a:hover,.pagination>.active>span:hover,.pagination>.active>a:focus,.pagination>.active>span:focus{z-index:2;color:#fff;background-color:#428bca;border-color:#428bca;cursor:default}.pagination>.disabled>span,.pagination>.disabled>span:hover,.pagination>.disabled>span:focus,.pagination>.disabled>a,.pagination>.disabled>a:hover,.pagination>.disabled>a:focus{color:#999;background-color:#fff;border-color:#ddd;cursor:not-allowed}.pagination-lg>li>a,.pagination-lg>li>span{padding:10px 16px;font-size:18px}.pagination-lg>li:first-child>a,.pagination-lg>li:first-child>span{border-bottom-left-radius:6px;border-top-left-radius:6px}.pagination-lg>li:last-child>a,.pagination-lg>li:last-child>span{border-bottom-right-radius:6px;border-top-right-radius:6px}.pagination-sm>li>a,.pagination-sm>li>span{padding:5px 10px;font-size:12px}.pagination-sm>li:first-child>a,.pagination-sm>li:first-child>span{border-bottom-left-radius:3px;border-top-left-radius:3px}.pagination-sm>li:last-child>a,.pagination-sm>li:last-child>span{border-bottom-right-radius:3px;border-top-right-radius:3px}.pager{padding-left:0;margin:20px 0;list-style:none;text-align:center}.pager li{display:inline}.pager li>a,.pager li>span{display:inline-block;padding:5px 14px;background-color:#fff;border:1px solid #ddd;border-radius:15px}.pager li>a:hover,.pager li>a:focus{text-decoration:none;background-color:#eee}.pager .next>a,.pager .next>span{float:right}.pager .previous>a,.pager .previous>span{float:left}.pager .disabled>a,.pager .disabled>a:hover,.pager .disabled>a:focus,.pager .disabled>span{color:#999;background-color:#fff;cursor:not-allowed}.label{display:inline;padding:.2em .6em .3em;font-size:75%;font-weight:700;line-height:1;color:#fff;text-align:center;white-space:nowrap;vertical-align:baseline;border-radius:.25em}.label[href]:hover,.label[href]:focus{color:#fff;text-decoration:none;cursor:pointer}.label:empty{display:none}.btn .label{position:relative;top:-1px}.label-default{background-color:#999}.label-default[href]:hover,.label-default[href]:focus{background-color:gray}.label-primary{background-color:#428bca}.label-primary[href]:hover,.label-primary[href]:focus{background-color:#3071a9}.label-success{background-color:#5cb85c}.label-success[href]:hover,.label-success[href]:focus{background-color:#449d44}.label-info{background-color:#5bc0de}.label-info[href]:hover,.label-info[href]:focus{background-color:#31b0d5}.label-warning{background-color:#f0ad4e}.label-warning[href]:hover,.label-warning[href]:focus{background-color:#ec971f}.label-danger{background-color:#d9534f}.label-danger[href]:hover,.label-danger[href]:focus{background-color:#c9302c}.badge{display:inline-block;min-width:10px;padding:3px 7px;font-size:12px;font-weight:700;color:#fff;line-height:1;vertical-align:baseline;white-space:nowrap;text-align:center;background-color:#999;border-radius:10px}.badge:empty{display:none}.btn .badge{position:relative;top:-1px}.btn-xs .badge{top:0;padding:1px 5px}a.badge:hover,a.badge:focus{color:#fff;text-decoration:none;cursor:pointer}a.list-group-item.active>.badge,.nav-pills>.active>a>.badge{color:#428bca;background-color:#fff}.nav-pills>li>a>.badge{margin-left:3px}.jumbotron{padding:30px;margin-bottom:30px;color:inherit;background-color:#eee}.jumbotron h1,.jumbotron .h1{color:inherit}.jumbotron p{margin-bottom:15px;font-size:21px;font-weight:200}.container .jumbotron{border-radius:6px}.jumbotron .container{max-width:100%}@media screen and (min-width:768px){.jumbotron{padding-top:48px;padding-bottom:48px}.container .jumbotron{padding-left:60px;padding-right:60px}.jumbotron h1,.jumbotron .h1{font-size:63px}}.thumbnail{display:block;padding:4px;margin-bottom:20px;line-height:1.42857143;background-color:#fff;border:1px solid #ddd;border-radius:4px;-webkit-transition:all .2s ease-in-out;transition:all .2s ease-in-out}.thumbnail>img,.thumbnail a>img{margin-left:auto;margin-right:auto}a.thumbnail:hover,a.thumbnail:focus,a.thumbnail.active{border-color:#428bca}.thumbnail .caption{padding:9px;color:#333}.alert{padding:15px;margin-bottom:20px;border:1px solid transparent;border-radius:4px}.alert h4{margin-top:0;color:inherit}.alert .alert-link{font-weight:700}.alert>p,.alert>ul{margin-bottom:0}.alert>p+p{margin-top:5px}.alert-dismissable{padding-right:35px}.alert-dismissable .close{position:relative;top:-2px;right:-21px;color:inherit}.alert-success{background-color:#dff0d8;border-color:#d6e9c6;color:#3c763d}.alert-success hr{border-top-color:#c9e2b3}.alert-success .alert-link{color:#2b542c}.alert-info{background-color:#d9edf7;border-color:#bce8f1;color:#31708f}.alert-info hr{border-top-color:#a6e1ec}.alert-info .alert-link{color:#245269}.alert-warning{background-color:#fcf8e3;border-color:#faebcc;color:#8a6d3b}.alert-warning hr{border-top-color:#f7e1b5}.alert-warning .alert-link{color:#66512c}.alert-danger{background-color:#f2dede;border-color:#ebccd1;color:#a94442}.alert-danger hr{border-top-color:#e4b9c0}.alert-danger .alert-link{color:#843534}@-webkit-keyframes progress-bar-stripes{from{background-position:40px 0}to{background-position:0 0}}@keyframes progress-bar-stripes{from{background-position:40px 0}to{background-position:0 0}}.progress{overflow:hidden;height:20px;margin-bottom:20px;background-color:#f5f5f5;border-radius:4px;-webkit-box-shadow:inset 0 1px 2px rgba(0,0,0,.1);box-shadow:inset 0 1px 2px rgba(0,0,0,.1)}.progress-bar{float:left;width:0;height:100%;font-size:12px;line-height:20px;color:#fff;text-align:center;background-color:#428bca;-webkit-box-shadow:inset 0 -1px 0 rgba(0,0,0,.15);box-shadow:inset 0 -1px 0 rgba(0,0,0,.15);-webkit-transition:width .6s ease;transition:width .6s ease}.progress-striped .progress-bar{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-size:40px 40px}.progress.active .progress-bar{-webkit-animation:progress-bar-stripes 2s linear infinite;animation:progress-bar-stripes 2s linear infinite}.progress-bar-success{background-color:#5cb85c}.progress-striped .progress-bar-success{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)}.progress-bar-info{background-color:#5bc0de}.progress-striped .progress-bar-info{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)}.progress-bar-warning{background-color:#f0ad4e}.progress-striped .progress-bar-warning{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)}.progress-bar-danger{background-color:#d9534f}.progress-striped .progress-bar-danger{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)}.media,.media-body{overflow:hidden;zoom:1}.media,.media .media{margin-top:15px}.media:first-child{margin-top:0}.media-object{display:block}.media-heading{margin:0 0 5px}.media>.pull-left{margin-right:10px}.media>.pull-right{margin-left:10px}.media-list{padding-left:0;list-style:none}.list-group{margin-bottom:20px;padding-left:0}.list-group-item{position:relative;display:block;padding:10px 15px;margin-bottom:-1px;background-color:#fff;border:1px solid #ddd}.list-group-item:first-child{border-top-right-radius:4px;border-top-left-radius:4px}.list-group-item:last-child{margin-bottom:0;border-bottom-right-radius:4px;border-bottom-left-radius:4px}.list-group-item>.badge{float:right}.list-group-item>.badge+.badge{margin-right:5px}a.list-group-item{color:#555}a.list-group-item .list-group-item-heading{color:#333}a.list-group-item:hover,a.list-group-item:focus{text-decoration:none;background-color:#f5f5f5}a.list-group-item.active,a.list-group-item.active:hover,a.list-group-item.active:focus{z-index:2;color:#fff;background-color:#428bca;border-color:#428bca}a.list-group-item.active .list-group-item-heading,a.list-group-item.active:hover .list-group-item-heading,a.list-group-item.active:focus .list-group-item-heading{color:inherit}a.list-group-item.active .list-group-item-text,a.list-group-item.active:hover .list-group-item-text,a.list-group-item.active:focus .list-group-item-text{color:#e1edf7}.list-group-item-success{color:#3c763d;background-color:#dff0d8}a.list-group-item-success{color:#3c763d}a.list-group-item-success .list-group-item-heading{color:inherit}a.list-group-item-success:hover,a.list-group-item-success:focus{color:#3c763d;background-color:#d0e9c6}a.list-group-item-success.active,a.list-group-item-success.active:hover,a.list-group-item-success.active:focus{color:#fff;background-color:#3c763d;border-color:#3c763d}.list-group-item-info{color:#31708f;background-color:#d9edf7}a.list-group-item-info{color:#31708f}a.list-group-item-info .list-group-item-heading{color:inherit}a.list-group-item-info:hover,a.list-group-item-info:focus{color:#31708f;background-color:#c4e3f3}a.list-group-item-info.active,a.list-group-item-info.active:hover,a.list-group-item-info.active:focus{color:#fff;background-color:#31708f;border-color:#31708f}.list-group-item-warning{color:#8a6d3b;background-color:#fcf8e3}a.list-group-item-warning{color:#8a6d3b}a.list-group-item-warning .list-group-item-heading{color:inherit}a.list-group-item-warning:hover,a.list-group-item-warning:focus{color:#8a6d3b;background-color:#faf2cc}a.list-group-item-warning.active,a.list-group-item-warning.active:hover,a.list-group-item-warning.active:focus{color:#fff;background-color:#8a6d3b;border-color:#8a6d3b}.list-group-item-danger{color:#a94442;background-color:#f2dede}a.list-group-item-danger{color:#a94442}a.list-group-item-danger .list-group-item-heading{color:inherit}a.list-group-item-danger:hover,a.list-group-item-danger:focus{color:#a94442;background-color:#ebcccc}a.list-group-item-danger.active,a.list-group-item-danger.active:hover,a.list-group-item-danger.active:focus{color:#fff;background-color:#a94442;border-color:#a94442}.list-group-item-heading{margin-top:0;margin-bottom:5px}.list-group-item-text{margin-bottom:0;line-height:1.3}.panel{margin-bottom:20px;background-color:#fff;border:1px solid transparent;border-radius:4px;-webkit-box-shadow:0 1px 1px rgba(0,0,0,.05);box-shadow:0 1px 1px rgba(0,0,0,.05)}.panel-body{padding:15px}.panel-heading{padding:10px 15px;border-bottom:1px solid transparent;border-top-right-radius:3px;border-top-left-radius:3px}.panel-heading>.dropdown .dropdown-toggle{color:inherit}.panel-title{margin-top:0;margin-bottom:0;font-size:16px;color:inherit}.panel-title>a{color:inherit}.panel-footer{padding:10px 15px;background-color:#f5f5f5;border-top:1px solid #ddd;border-bottom-right-radius:3px;border-bottom-left-radius:3px}.panel>.list-group{margin-bottom:0}.panel>.list-group .list-group-item{border-width:1px 0;border-radius:0}.panel>.list-group:first-child .list-group-item:first-child{border-top:0;border-top-right-radius:3px;border-top-left-radius:3px}.panel>.list-group:last-child .list-group-item:last-child{border-bottom:0;border-bottom-right-radius:3px;border-bottom-left-radius:3px}.panel-heading+.list-group .list-group-item:first-child{border-top-width:0}.panel>.table,.panel>.table-responsive>.table{margin-bottom:0}.panel>.table:first-child,.panel>.table-responsive:first-child>.table:first-child{border-top-right-radius:3px;border-top-left-radius:3px}.panel>.table:first-child>thead:first-child>tr:first-child td:first-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child td:first-child,.panel>.table:first-child>tbody:first-child>tr:first-child td:first-child,.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child td:first-child,.panel>.table:first-child>thead:first-child>tr:first-child th:first-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child th:first-child,.panel>.table:first-child>tbody:first-child>tr:first-child th:first-child,.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child th:first-child{border-top-left-radius:3px}.panel>.table:first-child>thead:first-child>tr:first-child td:last-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child td:last-child,.panel>.table:first-child>tbody:first-child>tr:first-child td:last-child,.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child td:last-child,.panel>.table:first-child>thead:first-child>tr:first-child th:last-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child th:last-child,.panel>.table:first-child>tbody:first-child>tr:first-child th:last-child,.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child th:last-child{border-top-right-radius:3px}.panel>.table:last-child,.panel>.table-responsive:last-child>.table:last-child{border-bottom-right-radius:3px;border-bottom-left-radius:3px}.panel>.table:last-child>tbody:last-child>tr:last-child td:first-child,.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child td:first-child,.panel>.table:last-child>tfoot:last-child>tr:last-child td:first-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child td:first-child,.panel>.table:last-child>tbody:last-child>tr:last-child th:first-child,.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child th:first-child,.panel>.table:last-child>tfoot:last-child>tr:last-child th:first-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child th:first-child{border-bottom-left-radius:3px}.panel>.table:last-child>tbody:last-child>tr:last-child td:last-child,.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child td:last-child,.panel>.table:last-child>tfoot:last-child>tr:last-child td:last-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child td:last-child,.panel>.table:last-child>tbody:last-child>tr:last-child th:last-child,.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child th:last-child,.panel>.table:last-child>tfoot:last-child>tr:last-child th:last-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child th:last-child{border-bottom-right-radius:3px}.panel>.panel-body+.table,.panel>.panel-body+.table-responsive{border-top:1px solid #ddd}.panel>.table>tbody:first-child>tr:first-child th,.panel>.table>tbody:first-child>tr:first-child td{border-top:0}.panel>.table-bordered,.panel>.table-responsive>.table-bordered{border:0}.panel>.table-bordered>thead>tr>th:first-child,.panel>.table-responsive>.table-bordered>thead>tr>th:first-child,.panel>.table-bordered>tbody>tr>th:first-child,.panel>.table-responsive>.table-bordered>tbody>tr>th:first-child,.panel>.table-bordered>tfoot>tr>th:first-child,.panel>.table-responsive>.table-bordered>tfoot>tr>th:first-child,.panel>.table-bordered>thead>tr>td:first-child,.panel>.table-responsive>.table-bordered>thead>tr>td:first-child,.panel>.table-bordered>tbody>tr>td:first-child,.panel>.table-responsive>.table-bordered>tbody>tr>td:first-child,.panel>.table-bordered>tfoot>tr>td:first-child,.panel>.table-responsive>.table-bordered>tfoot>tr>td:first-child{border-left:0}.panel>.table-bordered>thead>tr>th:last-child,.panel>.table-responsive>.table-bordered>thead>tr>th:last-child,.panel>.table-bordered>tbody>tr>th:last-child,.panel>.table-responsive>.table-bordered>tbody>tr>th:last-child,.panel>.table-bordered>tfoot>tr>th:last-child,.panel>.table-responsive>.table-bordered>tfoot>tr>th:last-child,.panel>.table-bordered>thead>tr>td:last-child,.panel>.table-responsive>.table-bordered>thead>tr>td:last-child,.panel>.table-bordered>tbody>tr>td:last-child,.panel>.table-responsive>.table-bordered>tbody>tr>td:last-child,.panel>.table-bordered>tfoot>tr>td:last-child,.panel>.table-responsive>.table-bordered>tfoot>tr>td:last-child{border-right:0}.panel>.table-bordered>thead>tr:first-child>td,.panel>.table-responsive>.table-bordered>thead>tr:first-child>td,.panel>.table-bordered>tbody>tr:first-child>td,.panel>.table-responsive>.table-bordered>tbody>tr:first-child>td,.panel>.table-bordered>thead>tr:first-child>th,.panel>.table-responsive>.table-bordered>thead>tr:first-child>th,.panel>.table-bordered>tbody>tr:first-child>th,.panel>.table-responsive>.table-bordered>tbody>tr:first-child>th{border-bottom:0}.panel>.table-bordered>tbody>tr:last-child>td,.panel>.table-responsive>.table-bordered>tbody>tr:last-child>td,.panel>.table-bordered>tfoot>tr:last-child>td,.panel>.table-responsive>.table-bordered>tfoot>tr:last-child>td,.panel>.table-bordered>tbody>tr:last-child>th,.panel>.table-responsive>.table-bordered>tbody>tr:last-child>th,.panel>.table-bordered>tfoot>tr:last-child>th,.panel>.table-responsive>.table-bordered>tfoot>tr:last-child>th{border-bottom:0}.panel>.table-responsive{border:0;margin-bottom:0}.panel-group{margin-bottom:20px}.panel-group .panel{margin-bottom:0;border-radius:4px;overflow:hidden}.panel-group .panel+.panel{margin-top:5px}.panel-group .panel-heading{border-bottom:0}.panel-group .panel-heading+.panel-collapse .panel-body{border-top:1px solid #ddd}.panel-group .panel-footer{border-top:0}.panel-group .panel-footer+.panel-collapse .panel-body{border-bottom:1px solid #ddd}.panel-default{border-color:#ddd}.panel-default>.panel-heading{color:#333;background-color:#f5f5f5;border-color:#ddd}.panel-default>.panel-heading+.panel-collapse .panel-body{border-top-color:#ddd}.panel-default>.panel-footer+.panel-collapse .panel-body{border-bottom-color:#ddd}.panel-primary{border-color:#428bca}.panel-primary>.panel-heading{color:#fff;background-color:#428bca;border-color:#428bca}.panel-primary>.panel-heading+.panel-collapse .panel-body{border-top-color:#428bca}.panel-primary>.panel-footer+.panel-collapse .panel-body{border-bottom-color:#428bca}.panel-success{border-color:#d6e9c6}.panel-success>.panel-heading{color:#3c763d;background-color:#dff0d8;border-color:#d6e9c6}.panel-success>.panel-heading+.panel-collapse .panel-body{border-top-color:#d6e9c6}.panel-success>.panel-footer+.panel-collapse .panel-body{border-bottom-color:#d6e9c6}.panel-info{border-color:#bce8f1}.panel-info>.panel-heading{color:#31708f;background-color:#d9edf7;border-color:#bce8f1}.panel-info>.panel-heading+.panel-collapse .panel-body{border-top-color:#bce8f1}.panel-info>.panel-footer+.panel-collapse .panel-body{border-bottom-color:#bce8f1}.panel-warning{border-color:#faebcc}.panel-warning>.panel-heading{color:#8a6d3b;background-color:#fcf8e3;border-color:#faebcc}.panel-warning>.panel-heading+.panel-collapse .panel-body{border-top-color:#faebcc}.panel-warning>.panel-footer+.panel-collapse .panel-body{border-bottom-color:#faebcc}.panel-danger{border-color:#ebccd1}.panel-danger>.panel-heading{color:#a94442;background-color:#f2dede;border-color:#ebccd1}.panel-danger>.panel-heading+.panel-collapse .panel-body{border-top-color:#ebccd1}.panel-danger>.panel-footer+.panel-collapse .panel-body{border-bottom-color:#ebccd1}.well{min-height:20px;padding:19px;margin-bottom:20px;background-color:#f5f5f5;border:1px solid #e3e3e3;border-radius:4px;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.05);box-shadow:inset 0 1px 1px rgba(0,0,0,.05)}.well blockquote{border-color:#ddd;border-color:rgba(0,0,0,.15)}.well-lg{padding:24px;border-radius:6px}.well-sm{padding:9px;border-radius:3px}.close{float:right;font-size:21px;font-weight:700;line-height:1;color:#000;text-shadow:0 1px 0 #fff;opacity:.2;filter:alpha(opacity=20)}.close:hover,.close:focus{color:#000;text-decoration:none;cursor:pointer;opacity:.5;filter:alpha(opacity=50)}button.close{padding:0;cursor:pointer;background:0 0;border:0;-webkit-appearance:none}.modal-open{overflow:hidden}.modal{display:none;overflow:auto;overflow-y:scroll;position:fixed;top:0;right:0;bottom:0;left:0;z-index:1050;-webkit-overflow-scrolling:touch;outline:0}.modal.fade .modal-dialog{-webkit-transform:translate(0,-25%);-ms-transform:translate(0,-25%);transform:translate(0,-25%);-webkit-transition:-webkit-transform .3s ease-out;-moz-transition:-moz-transform .3s ease-out;-o-transition:-o-transform .3s ease-out;transition:transform .3s ease-out}.modal.in .modal-dialog{-webkit-transform:translate(0,0);-ms-transform:translate(0,0);transform:translate(0,0)}.modal-dialog{position:relative;width:auto;margin:10px}.modal-content{position:relative;background-color:#fff;border:1px solid #999;border:1px solid rgba(0,0,0,.2);border-radius:6px;-webkit-box-shadow:0 3px 9px rgba(0,0,0,.5);box-shadow:0 3px 9px rgba(0,0,0,.5);background-clip:padding-box;outline:0}.modal-backdrop{position:fixed;top:0;right:0;bottom:0;left:0;z-index:1040;background-color:#000}.modal-backdrop.fade{opacity:0;filter:alpha(opacity=0)}.modal-backdrop.in{opacity:.5;filter:alpha(opacity=50)}.modal-header{padding:15px;border-bottom:1px solid #e5e5e5;min-height:16.42857143px}.modal-header .close{margin-top:-2px}.modal-title{margin:0;line-height:1.42857143}.modal-body{position:relative;padding:20px}.modal-footer{margin-top:15px;padding:19px 20px 20px;text-align:right;border-top:1px solid #e5e5e5}.modal-footer .btn+.btn{margin-left:5px;margin-bottom:0}.modal-footer .btn-group .btn+.btn{margin-left:-1px}.modal-footer .btn-block+.btn-block{margin-left:0}@media (min-width:768px){.modal-dialog{width:600px;margin:30px auto}.modal-content{-webkit-box-shadow:0 5px 15px rgba(0,0,0,.5);box-shadow:0 5px 15px rgba(0,0,0,.5)}.modal-sm{width:300px}}@media (min-width:992px){.modal-lg{width:900px}}.tooltip{position:absolute;z-index:1030;display:block;visibility:visible;font-size:12px;line-height:1.4;opacity:0;filter:alpha(opacity=0)}.tooltip.in{opacity:.9;filter:alpha(opacity=90)}.tooltip.top{margin-top:-3px;padding:5px 0}.tooltip.right{margin-left:3px;padding:0 5px}.tooltip.bottom{margin-top:3px;padding:5px 0}.tooltip.left{margin-left:-3px;padding:0 5px}.tooltip-inner{max-width:200px;padding:3px 8px;color:#fff;text-align:center;text-decoration:none;background-color:#000;border-radius:4px}.tooltip-arrow{position:absolute;width:0;height:0;border-color:transparent;border-style:solid}.tooltip.top .tooltip-arrow{bottom:0;left:50%;margin-left:-5px;border-width:5px 5px 0;border-top-color:#000}.tooltip.top-left .tooltip-arrow{bottom:0;left:5px;border-width:5px 5px 0;border-top-color:#000}.tooltip.top-right .tooltip-arrow{bottom:0;right:5px;border-width:5px 5px 0;border-top-color:#000}.tooltip.right .tooltip-arrow{top:50%;left:0;margin-top:-5px;border-width:5px 5px 5px 0;border-right-color:#000}.tooltip.left .tooltip-arrow{top:50%;right:0;margin-top:-5px;border-width:5px 0 5px 5px;border-left-color:#000}.tooltip.bottom .tooltip-arrow{top:0;left:50%;margin-left:-5px;border-width:0 5px 5px;border-bottom-color:#000}.tooltip.bottom-left .tooltip-arrow{top:0;left:5px;border-width:0 5px 5px;border-bottom-color:#000}.tooltip.bottom-right .tooltip-arrow{top:0;right:5px;border-width:0 5px 5px;border-bottom-color:#000}.popover{position:absolute;top:0;left:0;z-index:1010;display:none;max-width:276px;padding:1px;text-align:left;background-color:#fff;background-clip:padding-box;border:1px solid #ccc;border:1px solid rgba(0,0,0,.2);border-radius:6px;-webkit-box-shadow:0 5px 10px rgba(0,0,0,.2);box-shadow:0 5px 10px rgba(0,0,0,.2);white-space:normal}.popover.top{margin-top:-10px}.popover.right{margin-left:10px}.popover.bottom{margin-top:10px}.popover.left{margin-left:-10px}.popover-title{margin:0;padding:8px 14px;font-size:14px;font-weight:400;line-height:18px;background-color:#f7f7f7;border-bottom:1px solid #ebebeb;border-radius:5px 5px 0 0}.popover-content{padding:9px 14px}.popover>.arrow,.popover>.arrow:after{position:absolute;display:block;width:0;height:0;border-color:transparent;border-style:solid}.popover>.arrow{border-width:11px}.popover>.arrow:after{border-width:10px;content:""}.popover.top>.arrow{left:50%;margin-left:-11px;border-bottom-width:0;border-top-color:#999;border-top-color:rgba(0,0,0,.25);bottom:-11px}.popover.top>.arrow:after{content:" ";bottom:1px;margin-left:-10px;border-bottom-width:0;border-top-color:#fff}.popover.right>.arrow{top:50%;left:-11px;margin-top:-11px;border-left-width:0;border-right-color:#999;border-right-color:rgba(0,0,0,.25)}.popover.right>.arrow:after{content:" ";left:1px;bottom:-10px;border-left-width:0;border-right-color:#fff}.popover.bottom>.arrow{left:50%;margin-left:-11px;border-top-width:0;border-bottom-color:#999;border-bottom-color:rgba(0,0,0,.25);top:-11px}.popover.bottom>.arrow:after{content:" ";top:1px;margin-left:-10px;border-top-width:0;border-bottom-color:#fff}.popover.left>.arrow{top:50%;right:-11px;margin-top:-11px;border-right-width:0;border-left-color:#999;border-left-color:rgba(0,0,0,.25)}.popover.left>.arrow:after{content:" ";right:1px;border-right-width:0;border-left-color:#fff;bottom:-10px}.carousel{position:relative}.carousel-inner{position:relative;overflow:hidden;width:100%}.carousel-inner>.item{display:none;position:relative;-webkit-transition:.6s ease-in-out left;transition:.6s ease-in-out left}.carousel-inner>.item>img,.carousel-inner>.item>a>img{line-height:1}.carousel-inner>.active,.carousel-inner>.next,.carousel-inner>.prev{display:block}.carousel-inner>.active{left:0}.carousel-inner>.next,.carousel-inner>.prev{position:absolute;top:0;width:100%}.carousel-inner>.next{left:100%}.carousel-inner>.prev{left:-100%}.carousel-inner>.next.left,.carousel-inner>.prev.right{left:0}.carousel-inner>.active.left{left:-100%}.carousel-inner>.active.right{left:100%}.carousel-control{position:absolute;top:0;left:0;bottom:0;width:15%;opacity:.5;filter:alpha(opacity=50);font-size:20px;color:#fff;text-align:center;text-shadow:0 1px 2px rgba(0,0,0,.6)}.carousel-control.left{background-image:-webkit-linear-gradient(left,color-stop(rgba(0,0,0,.5) 0),color-stop(rgba(0,0,0,.0001) 100%));background-image:linear-gradient(to right,rgba(0,0,0,.5) 0,rgba(0,0,0,.0001) 100%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#80000000', endColorstr='#00000000', GradientType=1)}.carousel-control.right{left:auto;right:0;background-image:-webkit-linear-gradient(left,color-stop(rgba(0,0,0,.0001) 0),color-stop(rgba(0,0,0,.5) 100%));background-image:linear-gradient(to right,rgba(0,0,0,.0001) 0,rgba(0,0,0,.5) 100%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#00000000', endColorstr='#80000000', GradientType=1)}.carousel-control:hover,.carousel-control:focus{outline:0;color:#fff;text-decoration:none;opacity:.9;filter:alpha(opacity=90)}.carousel-control .icon-prev,.carousel-control .icon-next,.carousel-control .glyphicon-chevron-left,.carousel-control .glyphicon-chevron-right{position:absolute;top:50%;z-index:5;display:inline-block}.carousel-control .icon-prev,.carousel-control .glyphicon-chevron-left{left:50%}.carousel-control .icon-next,.carousel-control .glyphicon-chevron-right{right:50%}.carousel-control .icon-prev,.carousel-control .icon-next{width:20px;height:20px;margin-top:-10px;margin-left:-10px;font-family:serif}.carousel-control .icon-prev:before{content:'\2039'}.carousel-control .icon-next:before{content:'\203a'}.carousel-indicators{position:absolute;bottom:10px;left:50%;z-index:15;width:60%;margin-left:-30%;padding-left:0;list-style:none;text-align:center}.carousel-indicators li{display:inline-block;width:10px;height:10px;margin:1px;text-indent:-999px;border:1px solid #fff;border-radius:10px;cursor:pointer;background-color:#000 \9;background-color:rgba(0,0,0,0)}.carousel-indicators .active{margin:0;width:12px;height:12px;background-color:#fff}.carousel-caption{position:absolute;left:15%;right:15%;bottom:20px;z-index:10;padding-top:20px;padding-bottom:20px;color:#fff;text-align:center;text-shadow:0 1px 2px rgba(0,0,0,.6)}.carousel-caption .btn{text-shadow:none}@media screen and (min-width:768px){.carousel-control .glyphicon-chevron-left,.carousel-control .glyphicon-chevron-right,.carousel-control .icon-prev,.carousel-control .icon-next{width:30px;height:30px;margin-top:-15px;margin-left:-15px;font-size:30px}.carousel-caption{left:20%;right:20%;padding-bottom:30px}.carousel-indicators{bottom:20px}}.clearfix:before,.clearfix:after,.container:before,.container:after,.container-fluid:before,.container-fluid:after,.row:before,.row:after,.form-horizontal .form-group:before,.form-horizontal .form-group:after,.btn-toolbar:before,.btn-toolbar:after,.btn-group-vertical>.btn-group:before,.btn-group-vertical>.btn-group:after,.nav:before,.nav:after,.navbar:before,.navbar:after,.navbar-header:before,.navbar-header:after,.navbar-collapse:before,.navbar-collapse:after,.pager:before,.pager:after,.panel-body:before,.panel-body:after,.modal-footer:before,.modal-footer:after{content:" ";display:table}.clearfix:after,.container:after,.container-fluid:after,.row:after,.form-horizontal .form-group:after,.btn-toolbar:after,.btn-group-vertical>.btn-group:after,.nav:after,.navbar:after,.navbar-header:after,.navbar-collapse:after,.pager:after,.panel-body:after,.modal-footer:after{clear:both}.center-block{display:block;margin-left:auto;margin-right:auto}.pull-right{float:right!important}.pull-left{float:left!important}.hide{display:none!important}.show{display:block!important}.invisible{visibility:hidden}.text-hide{font:0/0 a;color:transparent;text-shadow:none;background-color:transparent;border:0}.hidden{display:none!important;visibility:hidden!important}.affix{position:fixed}@-ms-viewport{width:device-width}.visible-xs,.visible-sm,.visible-md,.visible-lg{display:none!important}@media (max-width:767px){.visible-xs{display:block!important}table.visible-xs{display:table}tr.visible-xs{display:table-row!important}th.visible-xs,td.visible-xs{display:table-cell!important}}@media (min-width:768px) and (max-width:991px){.visible-sm{display:block!important}table.visible-sm{display:table}tr.visible-sm{display:table-row!important}th.visible-sm,td.visible-sm{display:table-cell!important}}@media (min-width:992px) and (max-width:1199px){.visible-md{display:block!important}table.visible-md{display:table}tr.visible-md{display:table-row!important}th.visible-md,td.visible-md{display:table-cell!important}}@media (min-width:1200px){.visible-lg{display:block!important}table.visible-lg{display:table}tr.visible-lg{display:table-row!important}th.visible-lg,td.visible-lg{display:table-cell!important}}@media (max-width:767px){.hidden-xs{display:none!important}}@media (min-width:768px) and (max-width:991px){.hidden-sm{display:none!important}}@media (min-width:992px) and (max-width:1199px){.hidden-md{display:none!important}}@media (min-width:1200px){.hidden-lg{display:none!important}}.visible-print{display:none!important}@media print{.visible-print{display:block!important}table.visible-print{display:table}tr.visible-print{display:table-row!important}th.visible-print,td.visible-print{display:table-cell!important}}@media print{.hidden-print{display:none!important}} \ No newline at end of file diff --git a/public/lb-faveo/installer/css/.DS_Store b/public/lb-faveo/installer/css/.DS_Store new file mode 100644 index 000000000..f0be4766b Binary files /dev/null and b/public/lb-faveo/installer/css/.DS_Store differ diff --git a/public/lb-faveo/installer/css/admin.css b/public/lb-faveo/installer/css/admin.css index 7ad2be151..b918e343b 100644 --- a/public/lb-faveo/installer/css/admin.css +++ b/public/lb-faveo/installer/css/admin.css @@ -1 +1 @@ -@charset "UTF-8";@-webkit-keyframes spin{100%{-webkit-transform:rotate(360deg)}}@-moz-keyframes spin{100%{-moz-transform:rotate(360deg)}}@keyframes spin{100%{-webkit-transform:rotate(360deg);-moz-transform:rotate(360deg);-ms-transform:rotate(360deg);-o-transform:rotate(360deg);transform:rotate(360deg)}}.woocommerce-checkout .form-row .chosen-container{width:100%!important}.woocommerce-checkout .form-row .chosen-container-single .chosen-single{height:28px;line-height:29px}.woocommerce-checkout .form-row .chosen-container-single .chosen-single div b{background:url(../images/chosen-sprite.png) 0 3px no-repeat!important}.woocommerce-checkout .form-row .chosen-container-active .chosen-single-with-drop div b{background-position:-18px 4px!important}.woocommerce-checkout .form-row .chosen-container-single .chosen-search input{line-height:13px;width:100%!important;-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}.woocommerce-checkout .form-row .chosen-container .chosen-drop{width:100%!important;-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}@media only screen and (-webkit-min-device-pixel-ratio:2),only screen and (min-resolution:144dpi){.woocommerce-checkout .form-row .chosen-container-single .chosen-single div b{background-image:url(../images/chosen-sprite@2x.png)!important;background-position:0 5px!important;background-repeat:no-repeat!important;background-size:52px 37px!important}.woocommerce-checkout .form-row .chosen-container-active .chosen-single-with-drop div b{background-position:-18px 5px!important}}.chosen-container{position:relative;display:inline-block;vertical-align:middle;font-size:13px;zoom:1;-webkit-user-select:none;-moz-user-select:none;user-select:none}.chosen-container .chosen-drop{position:absolute;top:100%;left:-9999px;z-index:1010;-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;width:100%;border:1px solid #aaa;border-top:0;background:#fff;box-shadow:0 4px 5px rgba(0,0,0,.15)}.chosen-container.chosen-with-drop .chosen-drop{left:0}.chosen-container a{cursor:pointer}.chosen-container-single .chosen-single{position:relative;display:block;overflow:hidden;padding:0 0 0 8px;height:26px;border:1px solid #aaa;border-radius:5px;background-color:#fff;background:-webkit-gradient(linear,50% 0,50% 100%,color-stop(20%,#fff),color-stop(50%,#f6f6f6),color-stop(52%,#eee),color-stop(100%,#f4f4f4));background:-webkit-linear-gradient(top,#fff 20%,#f6f6f6 50%,#eee 52%,#f4f4f4 100%);background:-moz-linear-gradient(top,#fff 20%,#f6f6f6 50%,#eee 52%,#f4f4f4 100%);background:-o-linear-gradient(top,#fff 20%,#f6f6f6 50%,#eee 52%,#f4f4f4 100%);background:linear-gradient(top,#fff 20%,#f6f6f6 50%,#eee 52%,#f4f4f4 100%);background-clip:padding-box;box-shadow:0 0 3px #fff inset,0 1px 1px rgba(0,0,0,.1);color:#444;text-decoration:none;white-space:nowrap;line-height:26px}.chosen-container-single .chosen-default{color:#999}.chosen-container-single .chosen-single span{display:block;overflow:hidden;margin-right:26px;text-overflow:ellipsis;white-space:nowrap}.chosen-container-single .chosen-single-with-deselect span{margin-right:38px}.chosen-container-single .chosen-single abbr{position:absolute;top:6px;right:26px;display:block;width:12px;height:12px;background:url(../images/chosen-sprite.png) -42px 1px no-repeat;font-size:1px}.chosen-container-single .chosen-single abbr:hover,.chosen-container-single.chosen-disabled .chosen-single abbr:hover{background-position:-42px -10px}.chosen-container-single .chosen-single div{position:absolute;top:0;right:0;display:block;width:18px;height:100%}.chosen-container-single .chosen-single div b{display:block;width:100%;height:100%;background:url(../images/chosen-sprite.png) 0 2px no-repeat}.chosen-container-single .chosen-search{position:relative;z-index:1010;margin:0;padding:3px 4px;white-space:nowrap}.chosen-container-single .chosen-search input[type=text]{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;margin:1px 0;padding:4px 20px 4px 5px;width:100%;height:auto;outline:0;border:1px solid #aaa;background:url(../images/chosen-sprite.png) 100% -20px no-repeat #fff;background:url(../images/chosen-sprite.png) 100% -20px no-repeat,-webkit-gradient(linear,50% 0,50% 100%,color-stop(1%,#eee),color-stop(15%,#fff));background:url(../images/chosen-sprite.png) 100% -20px no-repeat,-webkit-linear-gradient(#eee 1%,#fff 15%);background:url(../images/chosen-sprite.png) 100% -20px no-repeat,-moz-linear-gradient(#eee 1%,#fff 15%);background:url(../images/chosen-sprite.png) 100% -20px no-repeat,-o-linear-gradient(#eee 1%,#fff 15%);background:url(../images/chosen-sprite.png) 100% -20px no-repeat,linear-gradient(#eee 1%,#fff 15%);font-size:1em;font-family:sans-serif;line-height:normal;border-radius:0}.chosen-container-single .chosen-drop{margin-top:-1px;border-radius:0 0 4px 4px;background-clip:padding-box}.chosen-container-single.chosen-container-single-nosearch .chosen-search{position:absolute;left:-9999px}.chosen-container .chosen-results{position:relative;overflow-x:hidden;overflow-y:auto;margin:0 4px 4px 0;padding:0 0 0 4px;max-height:240px;-webkit-overflow-scrolling:touch}.chosen-container .chosen-results li{display:none;margin:0;padding:5px 6px;list-style:none;line-height:15px}.chosen-container .chosen-results li.active-result{display:list-item;cursor:pointer}.chosen-container .chosen-results li.disabled-result{display:list-item;color:#ccc;cursor:default}.chosen-container .chosen-results li.highlighted{background-color:#3875d7;background-image:-webkit-gradient(linear,50% 0,50% 100%,color-stop(20%,#3875d7),color-stop(90%,#2a62bc));background-image:-webkit-linear-gradient(#3875d7 20%,#2a62bc 90%);background-image:-moz-linear-gradient(#3875d7 20%,#2a62bc 90%);background-image:-o-linear-gradient(#3875d7 20%,#2a62bc 90%);background-image:linear-gradient(#3875d7 20%,#2a62bc 90%);color:#fff}.chosen-container .chosen-results li.no-results{display:list-item;background:#f4f4f4}.chosen-container .chosen-results li.group-result{display:list-item;font-weight:700;cursor:default}.chosen-container .chosen-results li.group-option{padding-left:15px}.chosen-container .chosen-results li em{font-style:normal;text-decoration:underline}.chosen-container-multi .chosen-choices{position:relative;overflow:hidden;-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;margin:0;padding:0;width:100%;height:auto!important;height:1%;border:1px solid #aaa;background-color:#fff;background-image:-webkit-gradient(linear,50% 0,50% 100%,color-stop(1%,#eee),color-stop(15%,#fff));background-image:-webkit-linear-gradient(#eee 1%,#fff 15%);background-image:-moz-linear-gradient(#eee 1%,#fff 15%);background-image:-o-linear-gradient(#eee 1%,#fff 15%);background-image:linear-gradient(#eee 1%,#fff 15%);cursor:text}.chosen-container-multi .chosen-choices li{float:left;list-style:none}.chosen-container-multi .chosen-choices li.search-field{margin:0;padding:0;white-space:nowrap}.chosen-container-multi .chosen-choices li.search-field input[type=text]{margin:1px 0;padding:5px;height:15px;outline:0;border:0!important;background:0 0!important;box-shadow:none;color:#666;font-size:100%;font-family:sans-serif;line-height:normal;border-radius:0}.chosen-container-multi .chosen-choices li.search-field .default{color:#999}.chosen-container-multi .chosen-choices li.search-choice{position:relative;margin:3px 0 3px 5px;padding:3px 20px 3px 5px;border:1px solid #aaa;border-radius:3px;background-color:#e4e4e4;background-image:-webkit-gradient(linear,50% 0,50% 100%,color-stop(20%,#f4f4f4),color-stop(50%,#f0f0f0),color-stop(52%,#e8e8e8),color-stop(100%,#eee));background-image:-webkit-linear-gradient(#f4f4f4 20%,#f0f0f0 50%,#e8e8e8 52%,#eee 100%);background-image:-moz-linear-gradient(#f4f4f4 20%,#f0f0f0 50%,#e8e8e8 52%,#eee 100%);background-image:-o-linear-gradient(#f4f4f4 20%,#f0f0f0 50%,#e8e8e8 52%,#eee 100%);background-image:linear-gradient(#f4f4f4 20%,#f0f0f0 50%,#e8e8e8 52%,#eee 100%);background-clip:padding-box;box-shadow:0 0 2px #fff inset,0 1px 0 rgba(0,0,0,.05);color:#333;line-height:13px;cursor:default}.chosen-container-multi .chosen-choices li.search-choice .search-choice-close{position:absolute;top:4px;right:3px;display:block;width:12px;height:12px;background:url(../images/chosen-sprite.png) -42px 1px no-repeat;font-size:1px}.chosen-container-multi .chosen-choices li.search-choice .search-choice-close:hover{background-position:-42px -10px}.chosen-container-multi .chosen-choices li.search-choice-disabled{padding-right:5px;border:1px solid #ccc;background-color:#e4e4e4;background-image:-webkit-gradient(linear,50% 0,50% 100%,color-stop(20%,#f4f4f4),color-stop(50%,#f0f0f0),color-stop(52%,#e8e8e8),color-stop(100%,#eee));background-image:-webkit-linear-gradient(top,#f4f4f4 20%,#f0f0f0 50%,#e8e8e8 52%,#eee 100%);background-image:-moz-linear-gradient(top,#f4f4f4 20%,#f0f0f0 50%,#e8e8e8 52%,#eee 100%);background-image:-o-linear-gradient(top,#f4f4f4 20%,#f0f0f0 50%,#e8e8e8 52%,#eee 100%);background-image:linear-gradient(top,#f4f4f4 20%,#f0f0f0 50%,#e8e8e8 52%,#eee 100%);color:#666}.chosen-container-multi .chosen-choices li.search-choice-focus{background:#d4d4d4}.chosen-container-multi .chosen-choices li.search-choice-focus .search-choice-close{background-position:-42px -10px}.chosen-container-multi .chosen-results{margin:0;padding:0}.chosen-container-multi .chosen-drop .result-selected{display:list-item;color:#ccc;cursor:default}.chosen-container-active .chosen-single{border:1px solid #5897fb;box-shadow:0 0 5px rgba(0,0,0,.3)}.chosen-container-active.chosen-with-drop .chosen-single{border:1px solid #aaa;-moz-border-radius-bottomright:0;border-bottom-right-radius:0;-moz-border-radius-bottomleft:0;border-bottom-left-radius:0;background-image:-webkit-gradient(linear,50% 0,50% 100%,color-stop(20%,#eee),color-stop(80%,#fff));background-image:-webkit-linear-gradient(#eee 20%,#fff 80%);background-image:-moz-linear-gradient(#eee 20%,#fff 80%);background-image:-o-linear-gradient(#eee 20%,#fff 80%);background-image:linear-gradient(#eee 20%,#fff 80%);box-shadow:0 1px 0 #fff inset}.chosen-container-active.chosen-with-drop .chosen-single div{border-left:none;background:0 0}.chosen-container-active.chosen-with-drop .chosen-single div b{background-position:-18px 2px}.chosen-container-active .chosen-choices{border:1px solid #5897fb;box-shadow:0 0 5px rgba(0,0,0,.3)}.chosen-container-active .chosen-choices li.search-field input[type=text]{color:#111!important}.chosen-disabled{opacity:.5!important;cursor:default}.chosen-disabled .chosen-choices .search-choice .search-choice-close,.chosen-disabled .chosen-single{cursor:default}.chosen-rtl{text-align:right}.chosen-rtl .chosen-single{overflow:visible;padding:0 8px 0 0}.chosen-rtl .chosen-single span{margin-right:0;margin-left:26px;direction:rtl}.chosen-rtl .chosen-single-with-deselect span{margin-left:38px}.chosen-rtl .chosen-single div{right:auto;left:3px}.chosen-rtl .chosen-single abbr{right:auto;left:26px}.chosen-rtl .chosen-choices li{float:right}.chosen-rtl .chosen-choices li.search-field input[type=text]{direction:rtl}.chosen-rtl .chosen-choices li.search-choice{margin:3px 5px 3px 0;padding:3px 5px 3px 19px}.chosen-rtl .chosen-choices li.search-choice .search-choice-close{right:auto;left:4px}.chosen-rtl .chosen-drop,.chosen-rtl.chosen-container-single-nosearch .chosen-search{left:9999px}.chosen-rtl.chosen-container-single .chosen-results{margin:0 0 4px 4px;padding:0 4px 0 0}.chosen-rtl .chosen-results li.group-option{padding-right:15px;padding-left:0}.chosen-rtl.chosen-container-active.chosen-with-drop .chosen-single div{border-right:none}.chosen-rtl .chosen-search input[type=text]{padding:4px 5px 4px 20px;background:url(../images/chosen-sprite.png) -30px -20px no-repeat #fff;background:url(../images/chosen-sprite.png) -30px -20px no-repeat,-webkit-gradient(linear,50% 0,50% 100%,color-stop(1%,#eee),color-stop(15%,#fff));background:url(../images/chosen-sprite.png) -30px -20px no-repeat,-webkit-linear-gradient(#eee 1%,#fff 15%);background:url(../images/chosen-sprite.png) -30px -20px no-repeat,-moz-linear-gradient(#eee 1%,#fff 15%);background:url(../images/chosen-sprite.png) -30px -20px no-repeat,-o-linear-gradient(#eee 1%,#fff 15%);background:url(../images/chosen-sprite.png) -30px -20px no-repeat,linear-gradient(#eee 1%,#fff 15%);direction:rtl}.chosen-rtl.chosen-container-single .chosen-single div b{background-position:6px 2px}.chosen-rtl.chosen-container-single.chosen-with-drop .chosen-single div b{background-position:-12px 2px}@media only screen and (-webkit-min-device-pixel-ratio:2),only screen and (min-resolution:144dpi){.chosen-container .chosen-results-scroll-down span,.chosen-container .chosen-results-scroll-up span,.chosen-container-multi .chosen-choices .search-choice .search-choice-close,.chosen-container-single .chosen-search input[type=text],.chosen-container-single .chosen-single abbr,.chosen-container-single .chosen-single div b,.chosen-rtl .chosen-search input[type=text]{background-image:url(../images/chosen-sprite@2x.png)!important;background-size:52px 37px!important;background-repeat:no-repeat!important}}.select2-container{margin:0;position:relative;display:block!important;zoom:1;vertical-align:middle}.select2-container,.select2-drop,.select2-search,.select2-search input{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}.select2-container .select2-choice{display:block;padding:0 0 0 8px;overflow:hidden;position:relative;border:1px solid #ccc;white-space:nowrap;color:#444;text-decoration:none;border-radius:3px;background-clip:padding-box;-webkit-touch-callout:none;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;background-color:#fff;font-weight:400}html[dir=rtl] .select2-container .select2-choice{padding:0 8px 0 0}.select2-container.select2-drop-above .select2-choice{border-bottom-color:#ccc;border-radius:0 0 4px 4px}.select2-container.select2-allowclear .select2-choice .select2-chosen{margin-right:42px}.select2-container .select2-choice>.select2-chosen{margin-right:26px;display:block;overflow:hidden;white-space:nowrap;text-overflow:ellipsis;float:none;width:auto}html[dir=rtl] .select2-container .select2-choice>.select2-chosen{margin-left:26px;margin-right:0}.select2-container .select2-choice abbr{display:none;width:12px;height:12px;position:absolute;right:24px;top:5px;font-size:1px;text-decoration:none;border:0;background:url(../images/select2.png) right top no-repeat;cursor:pointer;outline:0}.select2-container.select2-allowclear .select2-choice abbr{display:inline-block}.select2-container .select2-choice abbr:hover{background-position:right -11px;cursor:pointer}.select2-drop-mask{border:0;margin:0;padding:0;position:fixed;left:0;top:0;min-height:100%;min-width:100%;height:auto;width:auto;opacity:0;z-index:9998;background-color:#fff;filter:alpha(opacity=0)}.select2-drop{width:100%;margin-top:-1px;position:absolute;top:100%;background:#fff;color:#000;border:1px solid #ccc;border-top:0;border-radius:0 0 3px 3px}.select2-drop.select2-drop-above{margin-top:1px;border-top:1px solid #ccc;border-bottom:0;border-radius:3px 3px 0 0}.select2-drop-active{border:1px solid #666;border-top:none}.select2-drop.select2-drop-above.select2-drop-active{border-top:1px solid #666}.select2-drop-auto-width{border-top:1px solid #ccc;width:auto}.select2-drop-auto-width .select2-search{padding-top:4px}.select2-container .select2-choice .select2-arrow{display:inline-block;width:18px;height:100%;position:absolute;right:0;top:0;border-radius:0 3px 3px 0;background-clip:padding-box}html[dir=rtl] .select2-container .select2-choice .select2-arrow{left:0;right:auto;border-radius:3px 0 0 3px}.select2-container .select2-choice .select2-arrow b{display:block;width:100%;height:100%;position:relative}.select2-container .select2-choice .select2-arrow b:after{position:absolute;display:block;content:"";top:50%;left:50%;border:4px solid transparent;border-top-color:#666;margin-left:-7px;margin-top:-2px}.select2-search{display:inline-block;width:100%;margin:0;padding-left:4px;padding-right:4px;position:relative;z-index:10000;white-space:nowrap;padding-bottom:4px}.select2-search input{width:100%;height:auto!important;padding:4px 20px 4px 5px!important;margin:0;outline:0;font-family:sans-serif;font-size:1em;border:1px solid #ccc;-webkit-box-shadow:none;box-shadow:none;background:url(../images/select2.png) 100% -22px no-repeat #fff}html[dir=rtl] .select2-search input{padding:4px 5px 4px 20px;background:url(../images/select2.png) -37px -22px no-repeat #fff}.select2-drop.select2-drop-above .select2-search input{margin-top:4px}.select2-search input.select2-active{background:url(../images/select2-spinner.gif) 100% no-repeat #fff}.select2-container-active .select2-choice,.select2-container-active .select2-choices{border:1px solid #666;outline:0}.select2-dropdown-open .select2-choice{border-bottom-color:transparent;-webkit-box-shadow:0 1px 0 #fff inset;box-shadow:0 1px 0 #fff inset;border-bottom-left-radius:0;border-bottom-right-radius:0}.select2-dropdown-open .select2-choice .select2-arrow b:after{border-top-color:transparent;border-bottom-color:#666;margin-top:-6px}.select2-dropdown-open.select2-drop-above .select2-choice,.select2-dropdown-open.select2-drop-above .select2-choices{border:1px solid #666;border-top-color:transparent}.select2-dropdown-open .select2-choice .select2-arrow{background:0 0;border-left:none;filter:none}html[dir=rtl] .select2-dropdown-open .select2-choice .select2-arrow{border-right:none}.select2-dropdown-open .select2-choice .select2-arrow b{background-position:-18px 1px}html[dir=rtl] .select2-dropdown-open .select2-choice .select2-arrow b{background-position:-16px 1px}.select2-hidden-accessible{border:0;clip:rect(0 0 0 0);height:1px;margin:-1px;overflow:hidden;padding:0;position:absolute;width:1px}.select2-results{max-height:200px;padding:4px;margin:0;position:relative;overflow-x:hidden;overflow-y:auto;-webkit-tap-highlight-color:transparent;background:#fafafa}html[dir=rtl] .select2-results{padding:0 4px 0 0;margin:4px 0 4px 4px}.select2-results ul.select2-result-sub{margin:0;padding-left:0}.select2-results li{list-style:none;display:list-item;background-image:none;margin:3px 0}.select2-results li.select2-result-with-children>.select2-result-label{font-weight:700}.select2-results .select2-result-label{padding:5px 7px;margin:0;cursor:pointer;min-height:1em;-webkit-touch-callout:none;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.select2-results-dept-1 .select2-result-label{padding-left:20px}.select2-results-dept-2 .select2-result-label{padding-left:40px}.select2-results-dept-3 .select2-result-label{padding-left:60px}.select2-results-dept-4 .select2-result-label{padding-left:80px}.select2-results-dept-5 .select2-result-label{padding-left:100px}.select2-results-dept-6 .select2-result-label{padding-left:110px}.select2-results-dept-7 .select2-result-label{padding-left:120px}.select2-results .select2-highlighted{background:#f1f1f1;color:#000;border-radius:3px}.select2-results li em{background:#feffde;font-style:normal}.select2-results .select2-highlighted em{background:0 0}.select2-results .select2-highlighted ul{background:#fff;color:#000}.select2-results .select2-ajax-error,.select2-results .select2-no-results,.select2-results .select2-searching,.select2-results .select2-selection-limit{background:#f4f4f4;display:list-item;padding-left:5px}.select2-results .select2-disabled.select2-highlighted{color:#666;background:#f4f4f4;display:list-item;cursor:default}.select2-results .select2-disabled{background:#f4f4f4;display:list-item;cursor:default}.select2-results .select2-selected{display:none}.select2-more-results.select2-active{background:url(../images/select2-spinner.gif) 100% no-repeat #f4f4f4}.select2-results .select2-ajax-error{background:rgba(255,50,50,.2)}.select2-more-results{background:#f4f4f4;display:list-item}.select2-container.select2-container-disabled .select2-choice{background-color:#f4f4f4;background-image:none;border:1px solid #ddd;cursor:default}.select2-container.select2-container-disabled .select2-choice .select2-arrow{background-color:#f4f4f4;background-image:none;border-left:0}.select2-container.select2-container-disabled .select2-choice abbr{display:none}.select2-container-multi .select2-choices{height:auto!important;height:1%;margin:0;padding:0 5px 0 0;position:relative;border:1px solid #ccc;cursor:text;overflow:hidden;background-color:#fff;min-height:26px}html[dir=rtl] .select2-container-multi .select2-choices{padding:0 0 0 5px}.select2-locked{padding:3px 5px!important}.select2-container-multi.select2-container-active .select2-choices{border:1px solid #666;outline:0}.select2-container-multi .select2-choices li{float:left;list-style:none}html[dir=rtl] .select2-container-multi .select2-choices li{float:right}.select2-container-multi .select2-choices .select2-search-field{margin:0;padding:0;white-space:nowrap}.select2-container-multi .select2-choices .select2-search-field input{margin:1px 0;outline:0;border:0;-webkit-box-shadow:none;box-shadow:none;background:0 0!important}.select2-container-multi .select2-choices .select2-search-field input.select2-active{background:url(../images/select2-spinner.gif) 100% no-repeat #fff!important}.select2-default{color:#999!important}.select2-container-multi .select2-choices .select2-search-choice{padding:5px 8px 5px 24px;margin:3px 0 3px 5px;position:relative;line-height:15px;color:#333;cursor:default;border-radius:2px;background-clip:padding-box;-webkit-touch-callout:none;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;background-color:#e4e4e4}html[dir=rtl] .select2-container-multi .select2-choices .select2-search-choice{margin:3px 5px 3px 0;padding:5px 24px 5px 8px}.select2-container-multi .select2-choices .select2-search-choice .select2-chosen{cursor:default}.select2-container-multi .select2-choices .select2-search-choice-focus{background:#d4d4d4}.select2-search-choice-close{display:block;width:12px;height:13px;position:absolute;right:7px;top:6px;font-size:1px;outline:0;background:url(../images/select2.png) right top no-repeat}html[dir=rtl] .select2-search-choice-close{right:auto;left:7px}.select2-container-multi .select2-search-choice-close{left:7px}html[dir=rtl] .select2-container-multi .select2-search-choice-close{left:auto;right:7px}.select2-container-multi .select2-choices .select2-search-choice .select2-search-choice-close:hover,.select2-container-multi .select2-choices .select2-search-choice-focus .select2-search-choice-close{background-position:right -11px}.select2-container-multi.select2-container-disabled .select2-choices{background-color:#f4f4f4;background-image:none;border:1px solid #ddd;cursor:default}.select2-container-multi.select2-container-disabled .select2-choices .select2-search-choice{padding:3px 5px;border:1px solid #ddd;background-image:none;background-color:#f4f4f4}.select2-container-multi.select2-container-disabled .select2-choices .select2-search-choice .select2-search-choice-close{display:none;background:0 0}.select2-result-selectable .select2-match,.select2-result-unselectable .select2-match{text-decoration:underline}.select2-offscreen,.select2-offscreen:focus{clip:rect(0 0 0 0)!important;width:1px!important;height:1px!important;border:0!important;margin:0!important;padding:0!important;overflow:hidden!important;position:absolute!important;outline:0!important;left:0!important;top:0!important}.select2-display-none{display:none}.select2-measure-scrollbar{position:absolute;top:-10000px;left:-10000px;width:100px;height:100px;overflow:scroll}@media only screen and (-webkit-min-device-pixel-ratio:1.5),only screen and (min-resolution:2dppx){.select2-search input{background-image:url(../images/select2x2.png)!important;background-repeat:no-repeat!important;background-size:60px 40px!important;background-position:100% -21px!important}}@font-face{font-family:star;src:url(../fonts/star.eot);src:url(../fonts/star.eot?#iefix) format("embedded-opentype"),url(../fonts/star.woff) format("woff"),url(../fonts/star.ttf) format("truetype"),url(../fonts/star.svg#star) format("svg");font-weight:400;font-style:normal}@font-face{font-family:WooCommerce;src:url(../fonts/WooCommerce.eot);src:url(../fonts/WooCommerce.eot?#iefix) format("embedded-opentype"),url(../fonts/WooCommerce.woff) format("woff"),url(../fonts/WooCommerce.ttf) format("truetype"),url(../fonts/WooCommerce.svg#WooCommerce) format("svg");font-weight:400;font-style:normal}.blockUI.blockOverlay:before{height:1em;width:1em;position:absolute;top:50%;left:50%;margin-left:-.5em;margin-top:-.5em;display:block;content:"";-webkit-animation:spin 1s ease-in-out infinite;-moz-animation:spin 1s ease-in-out infinite;animation:spin 1s ease-in-out infinite;background:url(../images/icons/loader.svg) center center;background-size:cover;line-height:1;text-align:center;font-size:2em;color:rgba(0,0,0,.75)}.wc_addons_wrap .products{overflow:hidden}.wc_addons_wrap .products li{float:left;margin:0 1em 1em 0!important;padding:0;vertical-align:top;width:300px}.wc_addons_wrap .products li a{text-decoration:none;color:inherit;border:1px solid #ddd;display:block;min-height:220px;overflow:hidden;background:#f5f5f5;-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.2),inset 0 -1px 0 rgba(0,0,0,.1);box-shadow:inset 0 1px 0 rgba(255,255,255,.2),inset 0 -1px 0 rgba(0,0,0,.1)}.wc_addons_wrap .products li a img{max-width:258px;max-height:24px;padding:17px 20px;display:block;margin:0;background:#fff;border-right:260px solid #fff}.wc_addons_wrap .products li a .price,.wc_addons_wrap .products li a img.extension-thumb+h3{display:none}.wc_addons_wrap .products li a h3{margin:0!important;padding:20px!important;background:#fff}.wc_addons_wrap .products li a p{padding:20px!important;margin:0!important;border-top:1px solid #f1f1f1}.wc_addons_wrap .products li a:focus,.wc_addons_wrap .products li a:hover{background-color:#fff}.wc_addons_wrap .storefront{background:url(../images/storefront-bg.jpg) bottom right #f6f6f6;border:1px solid #ddd;padding:20px;overflow:hidden;zoom:1}.wc_addons_wrap .storefront img{width:278px;height:auto;float:left;margin:0 20px 0 0;box-shadow:0 1px 6px rgba(0,0,0,.1)}.wc_addons_wrap .storefront p{max-width:750px}.woocommerce-message{position:relative;border-left-color:#cc99c2!important;overflow:hidden}.woocommerce-message a.button-primary,.woocommerce-message button.button-primary{background:#bb77ae;border-color:#aa559a;-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.25),0 1px 0 rgba(0,0,0,.15);box-shadow:inset 0 1px 0 rgba(255,255,255,.25),0 1px 0 rgba(0,0,0,.15);color:#fff;text-decoration:none!important;text-shadow:0 -1px 1px #8a4f7f,1px 0 1px #8a4f7f,0 1px 1px #8a4f7f,-1px 0 1px #8a4f7f}.woocommerce-message a.button-primary:hover,.woocommerce-message button.button-primary:hover{background:#c480b7;border-color:#aa559a;-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.25),0 1px 0 rgba(0,0,0,.15);box-shadow:inset 0 1px 0 rgba(255,255,255,.25),0 1px 0 rgba(0,0,0,.15)}.woocommerce-message a.button-primary:active,.woocommerce-message button.button-primary:active{background:#aa559a;border-color:#873A79;-webkit-box-shadow:inset 0 2px 0 #873A79;box-shadow:inset 0 2px 0 #873A79}.woocommerce-message a.button-primary:focus,.woocommerce-message button.button-primary:focus{background:#bb77ae;border-color:#aa559a;-webkit-box-shadow:0 1px 0 #bb77ae,0 0 2px 1px #aa559a;box-shadow:0 1px 0 #bb77ae,0 0 2px 1px #aa559a}.woocommerce-message a.docs,.woocommerce-message a.skip{opacity:.5;text-decoration:none!important}.woocommerce-message .twitter-share-button{margin-top:-3px;margin-left:3px;vertical-align:middle}#variable_product_options #message{margin:10px}.clear{clear:both}#woocommerce-fields-bulk.inline-edit-col label,#woocommerce-fields.inline-edit-col{clear:left}.wrap.woocommerce div.error,.wrap.woocommerce div.updated{margin-top:10px}mark.amount{background:0 0;color:inherit}.postbox,.woocommerce{input:invalid;input-border:1px solid #cc010b;input-background:#ffebe8}.simplify-commerce-banner{overflow:hidden}.simplify-commerce-banner img{float:right;padding:15px 0;margin-left:1em;width:200px}table.wc_status_table{margin-bottom:1em}table.wc_status_table tr:nth-child(2n) td,table.wc_status_table tr:nth-child(2n) th{background:#fcfcfc}table.wc_status_table th{font-weight:700;padding:9px}table.wc_status_table td:first-child{width:33%}table.wc_status_table td.help{width:1em}table.wc_status_table td{padding:9px;font-size:1.1em}table.wc_status_table td mark{background:0 0}table.wc_status_table td mark.yes{color:#7ad03a}table.wc_status_table td mark.no{color:#999}table.wc_status_table td mark.error{color:#a00}table.wc_status_table td ul{margin:0}table.wc_status_table .help_tip{cursor:help}#debug-report{display:none;margin:10px 0;padding:0;position:relative}#debug-report textarea{font-family:monospace;width:100%;margin:0;height:300px;padding:20px;-moz-border-radius:0;-webkit-border-radius:0;border-radius:0;resize:none;font-size:12px;line-height:20px;outline:0}#log-viewer-select{padding:10px 0 8px;line-height:180%}#log-viewer textarea{width:100%;resize:vertical}.inline-edit-product.quick-edit-row .inline-edit-col-center,.inline-edit-product.quick-edit-row .inline-edit-col-right{float:right!important}#woocommerce-fields.inline-edit-col label.featured,#woocommerce-fields.inline-edit-col label.manage_stock{margin-left:10px}#woocommerce-fields.inline-edit-col .dimensions div{display:block;margin:.2em 0}#woocommerce-fields.inline-edit-col .dimensions div span.title{display:block;float:left;width:5em}#woocommerce-fields.inline-edit-col .dimensions div span.input-text-wrap{display:block;margin-left:5em}#woocommerce-fields.inline-edit-col .text{box-sizing:border-box;width:99%;float:left;margin:1px 1% 1px 1px}#woocommerce-fields.inline-edit-col .height,#woocommerce-fields.inline-edit-col .length,#woocommerce-fields.inline-edit-col .width{width:32.33%}#woocommerce-fields.inline-edit-col .height{margin-right:0}#woocommerce-fields-bulk.inline-edit-col .inline-edit-group label{clear:none;width:49%;margin:.2em 0}#woocommerce-fields-bulk.inline-edit-col .inline-edit-group.dimensions label{width:75%;max-width:75%}#woocommerce-fields-bulk.inline-edit-col .length,#woocommerce-fields-bulk.inline-edit-col .regular_price,#woocommerce-fields-bulk.inline-edit-col .sale_price,#woocommerce-fields-bulk.inline-edit-col .stock,#woocommerce-fields-bulk.inline-edit-col .weight{box-sizing:border-box;width:100%;margin-left:4.4em}#woocommerce-fields-bulk.inline-edit-col .height,#woocommerce-fields-bulk.inline-edit-col .length,#woocommerce-fields-bulk.inline-edit-col .width{box-sizing:border-box;width:25%}.column-coupon_code{line-height:2.25em}.column-coupon_code,ul.wc_coupon_list{margin:0;overflow:hidden;zoom:1;clear:both}ul.wc_coupon_list li{margin:0}ul.wc_coupon_list li.code{display:inline-block}ul.wc_coupon_list li.code:after{content:", "}ul.wc_coupon_list li.code:last-of-type:after{display:none}ul.wc_coupon_list li.code .tips{cursor:pointer}ul.wc_coupon_list_block{margin:0;padding-bottom:2px}ul.wc_coupon_list_block li{border-top:1px solid #fff;border-bottom:1px solid #ccc;line-height:2.5em;margin:0;padding:.5em 0}ul.wc_coupon_list_block li:first-child{border-top:0;padding-top:0}ul.wc_coupon_list_block li:last-child{border-bottom:0;padding-bottom:0}.button.wc-reload{text-indent:-9999px;position:relative;padding:0;-webkit-border-radius:100%;border-radius:100%;height:24px;width:24px!important;display:inline-block}.button.wc-reload:after{font-family:WooCommerce;speak:none;font-weight:400;font-variant:normal;text-transform:none;-webkit-font-smoothing:antialiased;margin:0;text-indent:0;position:absolute;top:0;left:0;width:100%;height:100%;text-align:center;content:"";line-height:22px}#order_data h2,#order_data p.order_number{font-family:HelveticaNeue-Light,"Helvetica Neue Light","Helvetica Neue",sans-serif;font-weight:400}.tablenav .actions{overflow:visible}.tablenav .select2-container{float:left;max-width:200px;font-size:14px;vertical-align:middle;margin:1px 6px 1px 1px}#woocommerce-order-data .handlediv,#woocommerce-order-data .hndle{display:none}#woocommerce-order-data .inside{display:block!important}#order_data{padding:23px 24px 12px}#order_data h2{margin:0;font-size:21px;line-height:1.2;text-shadow:1px 1px 1px #fff;padding:0}#order_data h4{color:#333;margin:1.33em 0 0}#order_data p{color:#777}#order_data p.order_number{margin:0;line-height:1.6em;font-size:16px}#order_data .order_data_column_container{clear:both}#order_data .order_data_column{width:32%;padding:0 2% 0 0;float:left}#order_data .order_data_column:last-child{padding-right:0}#order_data .order_data_column p{padding:0!important}#order_data .order_data_column .address strong{display:block}#order_data .order_data_column .form-field{float:left;width:48%;padding:0;margin:9px 0 0}#order_data .order_data_column .form-field label{display:block;padding:0 0 3px}#order_data .order_data_column .form-field input,#order_data .order_data_column .form-field select,#order_data .order_data_column .form-field textarea{width:100%}#order_data .order_data_column .form-field .select2-container{width:100%!important}#order_data .order_data_column .form-field .date-picker{width:50%}#order_data .order_data_column .form-field .hour,#order_data .order_data_column .form-field .minute{width:2.5em}#order_data .order_data_column .form-field small{display:block;margin:5px 0 0;color:#999}#order_data .order_data_column .form-field.last{float:right}#order_data .order_data_column .form-field-wide{width:100%;clear:both}#order_data .order_data_column .form-field-wide .wc-customer-search,#order_data .order_data_column .form-field-wide .wc-enhanced-select,#order_data .order_data_column .form-field-wide input,#order_data .order_data_column .form-field-wide select,#order_data .order_data_column .form-field-wide textarea{width:100%}#order_data .order_data_column p.none_set{color:#999}#order_data .order_data_column ._billing_address_1_field,#order_data .order_data_column ._billing_city_field,#order_data .order_data_column ._billing_country_field,#order_data .order_data_column ._billing_email_field,#order_data .order_data_column ._billing_first_name_field,#order_data .order_data_column ._shipping_address_1_field,#order_data .order_data_column ._shipping_city_field,#order_data .order_data_column ._shipping_country_field,#order_data .order_data_column ._shipping_first_name_field{float:left}#order_data .order_data_column ._billing_address_2_field,#order_data .order_data_column ._billing_last_name_field,#order_data .order_data_column ._billing_phone_field,#order_data .order_data_column ._billing_postcode_field,#order_data .order_data_column ._billing_state_field,#order_data .order_data_column ._shipping_address_2_field,#order_data .order_data_column ._shipping_last_name_field,#order_data .order_data_column ._shipping_postcode_field,#order_data .order_data_column ._shipping_state_field,#order_data .order_data_column .wc-customer-user label a{float:right}#order_data .order_data_column ._billing_company_field,#order_data .order_data_column ._shipping_company_field,#order_data .order_data_column ._transaction_id_field{clear:both;width:100%}#order_data .order_data_column ._billing_email_field{clear:left}#order_data .order_data_column div.edit_address{display:none;zoom:1;padding-right:1px}#order_data .order_data_column .billing-same-as-shipping,#order_data .order_data_column .load_customer_billing,#order_data .order_data_column .load_customer_shipping,#order_data .order_data_column a.edit_address{width:14px;height:0;padding:14px 0 0;margin:0 0 0 6px;overflow:hidden;position:relative;color:#999;border:0;float:right}#order_data .order_data_column .billing-same-as-shipping:focus,#order_data .order_data_column .billing-same-as-shipping:hover,#order_data .order_data_column .load_customer_billing:focus,#order_data .order_data_column .load_customer_billing:hover,#order_data .order_data_column .load_customer_shipping:focus,#order_data .order_data_column .load_customer_shipping:hover,#order_data .order_data_column a.edit_address:focus,#order_data .order_data_column a.edit_address:hover{color:#000}#order_data .order_data_column .billing-same-as-shipping:after,#order_data .order_data_column .load_customer_billing:after,#order_data .order_data_column .load_customer_shipping:after,#order_data .order_data_column a.edit_address:after{font-family:WooCommerce;position:absolute;top:0;left:0;text-align:center;vertical-align:top;line-height:14px;font-size:14px;font-weight:400;-webkit-font-smoothing:antialiased}#order_data .order_data_column .billing-same-as-shipping:after{content:"\e008"}#order_data .order_data_column .load_customer_billing:after,#order_data .order_data_column .load_customer_shipping:after{content:"\e03a"}#order_data .order_data_column a.edit_address:after{content:"\e603"}.order_actions{margin:0;overflow:hidden;zoom:1}.order_actions li{border-top:1px solid #fff;border-bottom:1px solid #ddd;padding:6px 0;margin:0;line-height:1.6em;float:left;width:50%;text-align:center}.order_actions li a{float:none;text-align:center;text-decoration:underline}.order_actions li.wide{width:auto;float:none;clear:both;padding:6px;text-align:left;overflow:hidden}.order_actions li #delete-action{line-height:25px;vertical-align:middle;text-align:left;float:left}.order_actions li .save_order{float:right}.order_actions li#actions{overflow:hidden}.order_actions li#actions .button{width:24px;box-sizing:border-box;float:right}.order_actions li#actions select{width:225px;box-sizing:border-box;float:left}#woocommerce-order-items .inside{margin:0;padding:0;background:#fefefe}#woocommerce-order-items .wc-order-data-row{border-bottom:1px solid #DFDFDF;padding:12px;background:#f8f8f8;line-height:2em;text-align:right}#woocommerce-order-items .wc-order-data-row:after,#woocommerce-order-items .wc-order-data-row:before{content:" ";display:table}#woocommerce-order-items .wc-order-data-row:after{clear:both}#woocommerce-order-items .wc-order-data-row p{margin:0;line-height:2em}#woocommerce-order-items .wc-order-data-row .wc-used-coupons{text-align:left}#woocommerce-order-items .wc-order-data-row .wc-used-coupons .tips{display:inline-block}#woocommerce-order-items .wc-order-bulk-actions{background:#fefefe;vertical-align:top;border-top:0}#woocommerce-order-items .wc-order-bulk-actions select{vertical-align:top}#woocommerce-order-items .wc-order-bulk-actions p.bulk-actions{float:left}#woocommerce-order-items .wc-order-add-item{background:#fff;vertical-align:top;border-top:none}#woocommerce-order-items .wc-order-add-item .add_item_id,#woocommerce-order-items .wc-order-add-item .select2-container{vertical-align:top}#woocommerce-order-items .wc-order-add-item .add_item_id .search-field input,#woocommerce-order-items .wc-order-add-item .select2-container .search-field input{min-width:100px}#woocommerce-order-items .wc-order-add-item .select2-container{width:400px!important;text-align:left}#woocommerce-order-items .wc-order-add-item .calculate-action,#woocommerce-order-items .wc-order-add-item .cancel-action,#woocommerce-order-items .wc-order-add-item .save-action{float:left;margin-right:2px}#woocommerce-order-items .wc-used-coupons{float:left;width:50%}#woocommerce-order-items .wc-order-totals{float:right;width:50%;margin:0;padding:0}#woocommerce-order-items .wc-order-totals .amount{font-weight:700}#woocommerce-order-items .wc-order-totals .label{vertical-align:top}#woocommerce-order-items .wc-order-totals .total{font-size:1em!important;width:10em;margin:0 0 0 .5em;box-sizing:border-box}#woocommerce-order-items .wc-order-totals .total input[type=text]{width:96%;float:right}#woocommerce-order-items .wc-order-totals .refunded-total{color:#a00}#woocommerce-order-items .refund-actions{margin-top:5px;padding-top:12px;border-top:1px solid #DFDFDF}#woocommerce-order-items .refund-actions .button{float:right;margin-left:4px}#woocommerce-order-items .refund-actions .cancel-action{float:left;margin-left:0}#woocommerce-order-items .add_meta{margin-left:0!important}#woocommerce-order-items h3 small{color:#999}#woocommerce-order-items .amount{white-space:nowrap}#woocommerce-order-items .add-items .description{margin-right:10px}.woocommerce_order_items_wrapper{margin:0;overflow:auto}.woocommerce_order_items_wrapper table.woocommerce_order_items{width:100%;background:#fff}.woocommerce_order_items_wrapper table.woocommerce_order_items thead th{background:#f8f8f8;padding:8px;font-size:11px;text-align:left;color:#555;-webkit-touch-callout:none;-webkit-user-select:none;-khtml-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.woocommerce_order_items_wrapper table.woocommerce_order_items thead th:last-child{padding-right:12px}.woocommerce_order_items_wrapper table.woocommerce_order_items thead th:first-child{padding-left:12px}.woocommerce_order_items_wrapper table.woocommerce_order_items thead th.sortable{cursor:pointer}.woocommerce_order_items_wrapper table.woocommerce_order_items tbody th,.woocommerce_order_items_wrapper table.woocommerce_order_items td{padding:8px;text-align:left;line-height:26px;vertical-align:top;border-bottom:1px dotted #ececec}.woocommerce_order_items_wrapper table.woocommerce_order_items tbody th textarea,.woocommerce_order_items_wrapper table.woocommerce_order_items td textarea{width:100%}.woocommerce_order_items_wrapper table.woocommerce_order_items tbody th select,.woocommerce_order_items_wrapper table.woocommerce_order_items td select{width:50%}.woocommerce_order_items_wrapper table.woocommerce_order_items tbody th input,.woocommerce_order_items_wrapper table.woocommerce_order_items tbody th textarea,.woocommerce_order_items_wrapper table.woocommerce_order_items td input,.woocommerce_order_items_wrapper table.woocommerce_order_items td textarea{font-size:14px;padding:4px;color:#555}.woocommerce_order_items_wrapper table.woocommerce_order_items tbody th:last-child,.woocommerce_order_items_wrapper table.woocommerce_order_items td:last-child{padding-right:12px}.woocommerce_order_items_wrapper table.woocommerce_order_items tbody th:first-child,.woocommerce_order_items_wrapper table.woocommerce_order_items td:first-child{padding-left:12px}.woocommerce_order_items_wrapper table.woocommerce_order_items tbody tr:last-child td{border-bottom:1px solid #dfdfdf}.woocommerce_order_items_wrapper table.woocommerce_order_items tbody tr:first-child td{border-top:8px solid #f8f8f8}.woocommerce_order_items_wrapper table.woocommerce_order_items tbody#order_line_items tr:first-child td{border-top:none}.woocommerce_order_items_wrapper table.woocommerce_order_items td.check-column{padding:8px 8px 8px 12px;width:1%}.woocommerce_order_items_wrapper table.woocommerce_order_items .item{min-width:200px}.woocommerce_order_items_wrapper table.woocommerce_order_items .center,.woocommerce_order_items_wrapper table.woocommerce_order_items .variation-id{text-align:center}.woocommerce_order_items_wrapper table.woocommerce_order_items .cost,.woocommerce_order_items_wrapper table.woocommerce_order_items .item_cost,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_cost,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_tax,.woocommerce_order_items_wrapper table.woocommerce_order_items .quantity,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax_class{text-align:right}.woocommerce_order_items_wrapper table.woocommerce_order_items .cost label,.woocommerce_order_items_wrapper table.woocommerce_order_items .item_cost label,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_cost label,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_tax label,.woocommerce_order_items_wrapper table.woocommerce_order_items .quantity label,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax label,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax_class label{white-space:nowrap;color:#999;font-size:.833em}.woocommerce_order_items_wrapper table.woocommerce_order_items .cost label input,.woocommerce_order_items_wrapper table.woocommerce_order_items .item_cost label input,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_cost label input,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_tax label input,.woocommerce_order_items_wrapper table.woocommerce_order_items .quantity label input,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax label input,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax_class label input{display:inline}.woocommerce_order_items_wrapper table.woocommerce_order_items .cost input,.woocommerce_order_items_wrapper table.woocommerce_order_items .item_cost input,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_cost input,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_tax input,.woocommerce_order_items_wrapper table.woocommerce_order_items .quantity input,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax input,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax_class input{width:70px;vertical-align:middle;text-align:right}.woocommerce_order_items_wrapper table.woocommerce_order_items .cost select,.woocommerce_order_items_wrapper table.woocommerce_order_items .item_cost select,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_cost select,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_tax select,.woocommerce_order_items_wrapper table.woocommerce_order_items .quantity select,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax select,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax_class select{width:85px;height:26px;vertical-align:middle;font-size:1em}.woocommerce_order_items_wrapper table.woocommerce_order_items .cost .split-input,.woocommerce_order_items_wrapper table.woocommerce_order_items .item_cost .split-input,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_cost .split-input,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_tax .split-input,.woocommerce_order_items_wrapper table.woocommerce_order_items .quantity .split-input,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax .split-input,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax_class .split-input{display:block;background:#fff;border:1px solid #ddd;box-shadow:inset 0 1px 2px rgba(0,0,0,.07);margin:1px;width:70px}.woocommerce_order_items_wrapper table.woocommerce_order_items .cost .split-input input,.woocommerce_order_items_wrapper table.woocommerce_order_items .item_cost .split-input input,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_cost .split-input input,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_tax .split-input input,.woocommerce_order_items_wrapper table.woocommerce_order_items .quantity .split-input input,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax .split-input input,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax_class .split-input input{width:100%;box-sizing:border-box;border:0;box-shadow:none;margin:0;color:#555;background:0 0}.woocommerce_order_items_wrapper table.woocommerce_order_items .cost .split-input input:last-child,.woocommerce_order_items_wrapper table.woocommerce_order_items .item_cost .split-input input:last-child,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_cost .split-input input:last-child,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_tax .split-input input:last-child,.woocommerce_order_items_wrapper table.woocommerce_order_items .quantity .split-input input:last-child,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax .split-input input:last-child,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax_class .split-input input:last-child{color:#bbb;border-top:1px dashed #ddd}.woocommerce_order_items_wrapper table.woocommerce_order_items .cost .view,.woocommerce_order_items_wrapper table.woocommerce_order_items .item_cost .view,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_cost .view,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_tax .view,.woocommerce_order_items_wrapper table.woocommerce_order_items .quantity .view,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax .view,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax_class .view{white-space:nowrap}.woocommerce_order_items_wrapper table.woocommerce_order_items .cost del,.woocommerce_order_items_wrapper table.woocommerce_order_items .item_cost del,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_cost del,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_tax del,.woocommerce_order_items_wrapper table.woocommerce_order_items .quantity del,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax del,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax_class del{color:#ccc}.woocommerce_order_items_wrapper table.woocommerce_order_items .quantity{text-align:center}.woocommerce_order_items_wrapper table.woocommerce_order_items .quantity input{text-align:center;width:50px}.woocommerce_order_items_wrapper table.woocommerce_order_items span.subtotal{opacity:.5}.woocommerce_order_items_wrapper table.woocommerce_order_items td.tax_class,.woocommerce_order_items_wrapper table.woocommerce_order_items th.tax_class{text-align:left}.woocommerce_order_items_wrapper table.woocommerce_order_items .calculated{border-color:#ae8ca2;border-style:dotted}.woocommerce_order_items_wrapper table.woocommerce_order_items table.meta{width:100%}.woocommerce_order_items_wrapper table.woocommerce_order_items table.display_meta,.woocommerce_order_items_wrapper table.woocommerce_order_items table.meta{margin:.5em 0 0}.woocommerce_order_items_wrapper table.woocommerce_order_items table.display_meta tr th,.woocommerce_order_items_wrapper table.woocommerce_order_items table.meta tr th{border:0;padding:0 4px .5em 0;line-height:1.5em;width:20%}.woocommerce_order_items_wrapper table.woocommerce_order_items table.display_meta tr td,.woocommerce_order_items_wrapper table.woocommerce_order_items table.meta tr td{padding:0 4px .5em 0;border:0;line-height:1.5em}.woocommerce_order_items_wrapper table.woocommerce_order_items table.display_meta tr td input,.woocommerce_order_items_wrapper table.woocommerce_order_items table.meta tr td input{width:100%;margin:0;position:relative;border-bottom:0;box-shadow:none}.woocommerce_order_items_wrapper table.woocommerce_order_items table.display_meta tr td textarea,.woocommerce_order_items_wrapper table.woocommerce_order_items table.meta tr td textarea{width:100%;height:4em;margin:0;box-shadow:none}.woocommerce_order_items_wrapper table.woocommerce_order_items table.display_meta tr td input:focus+textarea,.woocommerce_order_items_wrapper table.woocommerce_order_items table.meta tr td input:focus+textarea{border-top-color:#999}.woocommerce_order_items_wrapper table.woocommerce_order_items table.display_meta tr td p,.woocommerce_order_items_wrapper table.woocommerce_order_items table.meta tr td p{margin:0 0 .5em;line-height:1.5em}.woocommerce_order_items_wrapper table.woocommerce_order_items table.display_meta tr td p:last-child,.woocommerce_order_items_wrapper table.woocommerce_order_items table.meta tr td p:last-child{margin:0}.woocommerce_order_items_wrapper table.woocommerce_order_items .thumb{text-align:left;width:27px}.wc-order-items-editable .delete-order-item:before,.wc-order-items-editable .delete_refund:before,.wc-order-items-editable .edit-order-item:before,.woocommerce_order_items_wrapper table.woocommerce_order_items tr.fee .thumb div:before,.woocommerce_order_items_wrapper table.woocommerce_order_items tr.refund .thumb div:before,.woocommerce_order_items_wrapper table.woocommerce_order_items tr.shipping .thumb div:before{text-align:center;font-family:WooCommerce;speak:none;font-weight:400;font-variant:normal;text-transform:none;line-height:1;-webkit-font-smoothing:antialiased;top:0;left:0}.woocommerce_order_items_wrapper table.woocommerce_order_items .thumb a{display:block}.woocommerce_order_items_wrapper table.woocommerce_order_items .thumb img{padding:1px;margin:0;border:1px solid #dfdfdf;vertical-align:middle;width:21px;height:21px}.woocommerce_order_items_wrapper table.woocommerce_order_items .refund_by,ul.order_notes li p.meta .exact-date{border-bottom:1px dotted #999}.woocommerce_order_items_wrapper table.woocommerce_order_items tr.fee .thumb div{display:block;text-indent:-9999px;position:relative;height:1em;width:1em;font-size:14px;margin:6px}.woocommerce_order_items_wrapper table.woocommerce_order_items tr.fee .thumb div:before{margin:0;text-indent:0;position:absolute;width:100%;height:100%;content:"";color:#bbb}.woocommerce_order_items_wrapper table.woocommerce_order_items tr.refund .thumb div{display:block;text-indent:-9999px;position:relative;height:1em;width:1em;font-size:14px;margin:6px}.woocommerce_order_items_wrapper table.woocommerce_order_items tr.refund .thumb div:before{margin:0;text-indent:0;position:absolute;width:100%;height:100%;content:"";color:#bbb}.woocommerce_order_items_wrapper table.woocommerce_order_items tr.shipping .thumb div{display:block;text-indent:-9999px;position:relative;height:1em;width:1em;font-size:14px;margin:6px}.woocommerce_order_items_wrapper table.woocommerce_order_items tr.shipping .thumb div:before{margin:0;text-indent:0;position:absolute;width:100%;height:100%;content:"";color:#bbb}.woocommerce_order_items_wrapper table.woocommerce_order_items th.line_tax{white-space:nowrap}.woocommerce_order_items_wrapper table.woocommerce_order_items td.line_tax,.woocommerce_order_items_wrapper table.woocommerce_order_items th.line_tax{padding:8px 16px 8px 8px}.woocommerce_order_items_wrapper table.woocommerce_order_items td.line_tax .delete-order-tax,.woocommerce_order_items_wrapper table.woocommerce_order_items th.line_tax .delete-order-tax{display:block;text-indent:-9999px;position:relative;height:1em;width:1em;font-size:12px;visibility:hidden;float:right;margin:2px -16px 0 0}.woocommerce_order_items_wrapper table.woocommerce_order_items td.line_tax .delete-order-tax:before,.woocommerce_order_items_wrapper table.woocommerce_order_items th.line_tax .delete-order-tax:before{font-family:WooCommerce;speak:none;font-weight:400;font-variant:normal;text-transform:none;line-height:1;-webkit-font-smoothing:antialiased;margin:0;text-indent:0;position:absolute;top:0;left:0;width:100%;height:100%;text-align:center;content:"";color:#fff;background-color:#000;-webkit-border-radius:100%;border-radius:100%;border:1px solid #000;box-shadow:0 1px 2px rgba(0,0,0,.2)}.woocommerce_order_items_wrapper table.woocommerce_order_items td.line_tax .delete-order-tax:hover:before,.woocommerce_order_items_wrapper table.woocommerce_order_items th.line_tax .delete-order-tax:hover:before{border-color:#a00;background-color:#a00}.woocommerce_order_items_wrapper table.woocommerce_order_items td.line_tax:hover .delete-order-tax,.woocommerce_order_items_wrapper table.woocommerce_order_items th.line_tax:hover .delete-order-tax{visibility:visible}.woocommerce_order_items_wrapper table.woocommerce_order_items small.refunded{display:block;color:#a00;white-space:nowrap}.wc-order-items-editable .edit-order-item{text-indent:-9999px;position:relative;height:1em;width:1em;display:inline-block;margin:0 .5em 0 0}.wc-order-items-editable .edit-order-item:before{margin:0;text-indent:0;position:absolute;width:100%;height:100%;content:"";content:"\e603";color:#999}.wc-order-items-editable .edit-order-item:hover:before{color:#555}.wc-order-items-editable .delete-order-item,.wc-order-items-editable .delete_refund{text-indent:-9999px;position:relative;height:1em;width:1em;display:inline-block;margin:0}.wc-order-items-editable .delete-order-item:before,.wc-order-items-editable .delete_refund:before{margin:0;text-indent:0;position:absolute;width:100%;height:100%;content:"";content:"\e013";color:#999}.wc-order-items-editable .delete-order-item:hover:before,.wc-order-items-editable .delete_refund:hover:before{color:#a00}.wc-order-items-editable .wc-order-edit-line-item-actions{width:2.5em;text-align:right}.wc-order-items-editable .wc-order-totals .wc-order-edit-line-item-actions{width:1.5em}.wc-order-items-editable .wc-order-totals .edit-order-item{margin:0}#woocommerce-order-downloads .buttons{float:left;padding:0;margin:0;vertical-align:top}#woocommerce-order-downloads .buttons .add_item_id,#woocommerce-order-downloads .buttons .select2-container{width:400px!important;margin-right:9px;vertical-align:top;float:left}#woocommerce-order-downloads .buttons button{margin:2px 0 0}#woocommerce-order-downloads h3 small{color:#999}#poststuff #woocommerce-order-actions .inside{margin:0;padding:0}#poststuff #woocommerce-order-actions .inside ul.order_actions li{padding:6px 10px;box-sizing:border-box}#poststuff #woocommerce-order-actions .inside ul.order_actions li:last-child{border-bottom:0}#poststuff #woocommerce-order-notes .inside{margin:0;padding:0}#poststuff #woocommerce-order-notes .inside ul.order_notes li{padding:0 10px}#woocommerce_customers p.search-box{margin:6px 0 4px;float:left}#woocommerce_customers .tablenav{float:right;clear:none}.widefat.customers td{vertical-align:middle;padding:4px 7px}.widefat .column-order_title{width:15%}.widefat .column-order_title time{display:block;color:#999;margin:3px 0}.widefat .column-orders,.widefat .column-paying,.widefat .column-spent{text-align:center;width:8%}.widefat .column-last_order{width:11%}.widefat .column-order_actions,.widefat .column-user_actions,.widefat .column-wc_actions{width:110px}.widefat .column-order_actions a.button,.widefat .column-user_actions a.button,.widefat .column-wc_actions a.button{float:left;margin:0 4px 2px 0;cursor:pointer;padding:3px 4px;height:auto}.widefat .column-order_actions a.button img,.widefat .column-user_actions a.button img,.widefat .column-wc_actions a.button img{display:block;width:12px;height:auto}.widefat small.meta{display:block;color:#999;font-size:inherit;margin:3px 0}.widefat .column-order_date,.widefat .column-order_total{width:9%}.widefat .column-order_status{width:45px;text-align:center}.widefat .column-order_status mark{display:block;text-indent:-9999px;position:relative;height:1em;width:1em;background:0 0;font-size:1.4em;margin:0 auto}.widefat .column-order_status mark.cancelled:after,.widefat .column-order_status mark.completed:after,.widefat .column-order_status mark.failed:after,.widefat .column-order_status mark.on-hold:after,.widefat .column-order_status mark.pending:after,.widefat .column-order_status mark.processing:after,.widefat .column-order_status mark.refunded:after{font-family:WooCommerce;speak:none;font-weight:400;font-variant:normal;text-transform:none;line-height:1;-webkit-font-smoothing:antialiased;margin:0;text-indent:0;position:absolute;top:0;left:0;width:100%;height:100%;text-align:center}.widefat .column-order_status mark.pending:after{content:"\e012";color:#ffba00}.widefat .column-order_status mark.completed:after{content:"\e015";color:#2ea2cc}.widefat .column-order_status mark.on-hold:after{content:"\e033";color:#999}.widefat .column-order_status mark.failed:after{content:"\e016";color:#d0c21f}.widefat .column-order_status mark.cancelled:after{content:"\e013";color:#a00}.widefat .column-order_status mark.processing:after{content:"\e011";color:#73a724}.widefat .column-order_status mark.refunded:after{content:"\e014";color:#999}.widefat td.column-order_status{padding-top:9px}.column-customer_message .note-on{display:block;text-indent:-9999px;position:relative;height:1em;width:1em;margin:0 auto;color:#999}.column-customer_message .note-on:after,.column-order_notes .note-on:after{font-family:WooCommerce;speak:none;font-weight:400;font-variant:normal;text-transform:none;-webkit-font-smoothing:antialiased;margin:0;top:0;left:0;text-align:center;line-height:16px}.column-customer_message .note-on:after{text-indent:0;position:absolute;width:100%;height:100%;content:""}.column-order_notes .note-on{display:block;text-indent:-9999px;position:relative;height:1em;width:1em;margin:0 auto;color:#999}.column-order_notes .note-on:after{text-indent:0;position:absolute;width:100%;height:100%;content:""}.attributes-table .attribute-actions .configure-terms:after,.order_actions .complete:after,.order_actions .processing:after,.order_actions .view:after,.user_actions .edit:after,.user_actions .link:after,.user_actions .refresh:after,.user_actions .view:after{font-family:WooCommerce;speak:none;font-variant:normal;text-transform:none;-webkit-font-smoothing:antialiased;top:0;left:0;line-height:1.85;margin:0;text-align:center;font-weight:400}.order_actions .complete,.order_actions .processing,.order_actions .view{display:block;text-indent:-9999px;position:relative;padding:0!important;height:2em!important;width:2em}.order_actions .complete:after,.order_actions .processing:after,.order_actions .view:after{text-indent:0;position:absolute;width:100%;height:100%}.order_actions .processing:after{content:"\e00f"}.order_actions .complete:after{content:"\e017"}.order_actions .view:after{content:"\e010"}.user_actions .edit,.user_actions .link,.user_actions .refresh,.user_actions .view{display:block;text-indent:-9999px;position:relative;padding:0!important;height:2em!important;width:2em}.user_actions .edit:after,.user_actions .link:after,.user_actions .refresh:after,.user_actions .view:after{text-indent:0;position:absolute;width:100%;height:100%}.user_actions .edit:after{content:"\e603"}.user_actions .link:after{content:"\e00d"}.user_actions .view:after{content:"\e010"}.user_actions .refresh:after{content:"\e031"}.attributes-table td,.attributes-table th{width:15%;vertical-align:top}.attributes-table .attribute-terms{width:32%}.attributes-table .attribute-actions{width:2em}.attributes-table .attribute-actions .configure-terms{display:block;text-indent:-9999px;position:relative;padding:0!important;height:2em!important;width:2em}.attributes-table .attribute-actions .configure-terms:after{text-indent:0;position:absolute;width:100%;height:100%;content:""}ul.order_notes{padding:2px 0 0}ul.order_notes li .note_content{padding:10px;background:#efefef;position:relative}ul.order_notes li .note_content p{margin:0;padding:0;word-wrap:break-word}ul.order_notes li p.meta{padding:10px;color:#999;margin:0;font-size:11px}ul.order_notes li a.delete_note{color:#a00}table.wp-list-table .row-actions,table.wp-list-table span.na{color:#999}ul.order_notes li .note_content:after{content:"";display:block;position:absolute;bottom:-10px;left:20px;width:0;height:0;border-width:10px 10px 0 0;border-style:solid;border-color:#efefef transparent}ul.order_notes li.customer-note .note_content{background:#d7cad2}ul.order_notes li.customer-note .note_content:after{border-color:#d7cad2 transparent}.add_note{border-top:1px solid #ddd;padding:10px 10px 0}.add_note h4{margin-top:5px!important}.add_note #add_order_note{width:100%;height:50px}table.wp-list-table .column-thumb{width:52px;text-align:center;white-space:nowrap}table.wp-list-table .column-name{width:22%}table.wp-list-table .column-product_cat,table.wp-list-table .column-product_tag{width:11%!important}table.wp-list-table .column-featured,table.wp-list-table .column-product_type{width:48px;text-align:left!important}table.wp-list-table .column-customer_message,table.wp-list-table .column-order_notes{width:48px;text-align:center}table.wp-list-table .column-customer_message img,table.wp-list-table .column-order_notes img{margin:0 auto;padding-top:0!important}table.wp-list-table .manage-column.column-featured img,table.wp-list-table .manage-column.column-product_type img{padding-left:2px}table.wp-list-table .column-price .woocommerce-price-suffix{display:none}table.wp-list-table img{margin:1px 2px}table.wp-list-table td.column-thumb img{margin:0;vertical-align:middle;width:auto;height:auto;max-width:40px;max-height:40px}table.wp-list-table .column-is_in_stock{text-align:left!important}table.wp-list-table .notes_head:after,table.wp-list-table .order-notes_head:after,table.wp-list-table .status_head:after,table.wp-list-table span.product-type:before,table.wp-list-table span.wc-featured:before,table.wp-list-table span.wc-image:before,table.wp-list-table span.wc-type:before{speak:none;font-variant:normal;text-transform:none;-webkit-font-smoothing:antialiased;top:0;left:0;text-align:center;line-height:1;font-family:WooCommerce}table.wp-list-table span.wc-featured,table.wp-list-table span.wc-image,table.wp-list-table span.wc-type{display:block;text-indent:-9999px;position:relative;height:1em;width:1em;margin:0 auto}table.wp-list-table span.wc-featured:before,table.wp-list-table span.wc-image:before,table.wp-list-table span.wc-type:before{font-weight:400;margin:0;text-indent:0;position:absolute;width:100%;height:100%;content:""}table.wp-list-table span.wc-featured{margin:0;cursor:pointer}table.wp-list-table span.wc-featured:before{content:"\e020"}table.wp-list-table span.wc-featured.not-featured:before{content:"\e021"}table.wp-list-table td.column-featured span.wc-featured{font-size:1.2em}table.wp-list-table span.wc-type{margin:0}table.wp-list-table span.wc-type:before{content:"\e01d"}table.wp-list-table span.product-type{display:block;text-indent:-9999px;position:relative;height:1em;width:1em;font-size:1.2em}table.wp-list-table span.product-type:before{font-weight:400;margin:0;text-indent:0;position:absolute;width:100%;height:100%;content:""}table.wp-list-table span.product-type.grouped:before{content:"\e002"}table.wp-list-table span.product-type.external:before{content:"\e034"}table.wp-list-table span.product-type.variable:before{content:"\e003"}table.wp-list-table span.product-type.downloadable:before{content:"\e001"}table.wp-list-table span.product-type.virtual:before{content:"\e000"}table.wp-list-table mark.instock{font-weight:700;color:#7ad03a;background:0 0;line-height:1}table.wp-list-table mark.outofstock{font-weight:700;color:#a44;background:0 0;line-height:1}table.wp-list-table .notes_head,table.wp-list-table .order-notes_head,table.wp-list-table .status_head{display:block;text-indent:-9999px;position:relative;height:1em;width:1em;margin:0 auto}table.wp-list-table .notes_head:after,table.wp-list-table .order-notes_head:after,table.wp-list-table .status_head:after{font-weight:400;margin:0;text-indent:0;position:absolute;width:100%;height:100%}table.wp-list-table .order-notes_head:after{content:"\e028"}table.wp-list-table .notes_head:after{content:"\e026"}table.wp-list-table .status_head:after{content:"\e011"}table.wp-list-table .column-order_items{width:12%}table.wp-list-table .column-order_items table.order_items{width:100%;margin:3px 0 0;padding:0;display:none}table.wp-list-table .column-order_items table.order_items td{border:0;margin:0;padding:0 0 3px}table.wp-list-table .column-order_items table.order_items td.qty{color:#999;padding-right:6px;text-align:left}table.wp-list-table .toggle-row{display:none}mark.notice{background:#fff;color:#a00;margin:0 0 0 10px}a.export_rates,a.import_rates{float:right;margin-left:9px;margin-top:-2px;margin-bottom:0}table.wc_input_table,table.wc_tax_rates{width:100%}table.wc_input_table span.tips,table.wc_tax_rates span.tips{color:#2ea2cc}table.wc_input_table td,table.wc_tax_rates td{padding:0;border-right:1px solid #DFDFDF;border-bottom:1px solid #DFDFDF;border-top:0;background:#fff}table.wc_input_table td input[type=text],table.wc_input_table td input[type=number],table.wc_tax_rates td input[type=text],table.wc_tax_rates td input[type=number]{width:100%;padding:5px 7px;margin:0;border:0;background:0 0}table.wc_input_table td.apply_to_shipping,table.wc_input_table td.compound,table.wc_tax_rates td.apply_to_shipping,table.wc_tax_rates td.compound{padding:5px 7px;vertical-align:middle}table.wc_input_table td.apply_to_shipping input,table.wc_input_table td.compound input,table.wc_tax_rates td.apply_to_shipping input,table.wc_tax_rates td.compound input{width:auto;padding:0}table.wc_input_table td:last-child,table.wc_tax_rates td:last-child{border-right:0}table.wc_input_table tr.current td,table.wc_tax_rates tr.current td{background-color:#fefbcc}table.wc_input_table .cost,table.wc_input_table .cost input,table.wc_input_table .item_cost,table.wc_input_table .item_cost input,table.wc_tax_rates .cost,table.wc_tax_rates .cost input,table.wc_tax_rates .item_cost,table.wc_tax_rates .item_cost input{text-align:right}table.wc_input_table th.sort,table.wc_tax_rates th.sort{width:17px;padding:0}table.wc_input_table td.sort,table.wc_tax_rates td.sort{padding:0 4px;cursor:move;background:#f9f9f9;text-align:center;vertical-align:middle}table.wc_input_table td.sort:before,table.wc_tax_rates td.sort:before{content:"\e032";font-family:WooCommerce;text-align:center;line-height:1;color:#999;display:block;width:17px;float:left;height:100%}table.wc_input_table td.sort:hover:before,table.wc_tax_rates td.sort:hover:before{color:#333}table.wc_input_table .button,table.wc_tax_rates .button{float:left;margin-right:5px}table.wc_input_table .export,table.wc_input_table .import,table.wc_tax_rates .export,table.wc_tax_rates .import{float:right;margin-right:0;margin-left:5px}table.wc_input_table span.tips,table.wc_tax_rates span.tips{padding:0 3px}table.wc_input_table .pagination,table.wc_tax_rates .pagination{float:right}table.wc_input_table .pagination .button,table.wc_tax_rates .pagination .button{margin-left:5px;margin-right:0}table.wc_input_table .pagination .current,table.wc_tax_rates .pagination .current{background:#bbb;text-shadow:none}table.wc_input_table tfoot th,table.wc_tax_rates tfoot th{padding-left:20px;padding-right:20px}table.wc_input_table tr:last-child td,table.wc_tax_rates tr:last-child td{border-bottom:0}table.wc_gateways,table.wc_shipping{position:relative}table.wc_gateways td,table.wc_shipping td{vertical-align:middle;padding:7px;line-height:2em}table.wc_gateways tr:nth-child(odd) td,table.wc_shipping tr:nth-child(odd) td{background:#f9f9f9}table.wc_gateways th,table.wc_shipping th{padding:9px 7px!important;vertical-align:middle}table.wc_gateways td.name,table.wc_shipping td.name{font-weight:700}table.wc_gateways .settings,table.wc_shipping .settings{text-align:right}table.wc_gateways .default,table.wc_gateways .radio,table.wc_gateways .status,table.wc_shipping .default,table.wc_shipping .radio,table.wc_shipping .status{text-align:center}table.wc_gateways .default .tips,table.wc_gateways .radio .tips,table.wc_gateways .status .tips,table.wc_shipping .default .tips,table.wc_shipping .radio .tips,table.wc_shipping .status .tips{margin:0 auto}table.wc_gateways .default input,table.wc_gateways .radio input,table.wc_gateways .status input,table.wc_shipping .default input,table.wc_shipping .radio input,table.wc_shipping .status input{margin:0}table.wc_gateways th.sort,table.wc_shipping th.sort{width:28px;padding:0}table.wc_gateways td.sort,table.wc_shipping td.sort{padding:0 7px;cursor:move;text-align:center;vertical-align:middle}table.wc_gateways td.sort:before,table.wc_shipping td.sort:before{content:"\e032";font-family:WooCommerce;text-align:center;line-height:1;color:#ccc;display:block;width:17px;float:left;height:100%}img.help_tip{vertical-align:middle;margin:0 0 0 9px}.postbox img.help_tip{margin-top:-4px}.status-disabled,.status-enabled{font-size:1.4em;display:block;text-indent:-9999px;position:relative;height:1em;width:1em}#woocommerce-product-images .inside #product_images_container ul li.wc-metabox-sortable-placeholder:after,.status-enabled:before{font-family:WooCommerce;speak:none;font-weight:400;font-variant:normal;text-transform:none;-webkit-font-smoothing:antialiased;text-indent:0;top:0;left:0;text-align:center}.status-enabled:before{line-height:1;margin:0;position:absolute;width:100%;height:100%;content:"";color:#a46497}.woocommerce .woo-nav-tab-wrapper{margin-bottom:16px!important}.woocommerce .subsubsub{margin:-8px 0 0}.woocommerce #template div{margin:0}.woocommerce #template div p .button{float:right;margin-left:10px;margin-top:-4px}.woocommerce #template div .editor textarea{margin-bottom:8px}.woocommerce textarea[disabled=disabled]{background:#DFDFDF!important}.woocommerce table.form-table{margin:0;position:relative}.woocommerce table.form-table .forminp-radio ul{margin:0}.woocommerce table.form-table .forminp-radio ul li{line-height:1.4em}.woocommerce table.form-table textarea.input-text{height:100%;min-width:150px;display:block}.woocommerce table.form-table input.regular-input{width:25em}.woocommerce table.form-table textarea.wide-input{width:100%}.woocommerce table.form-table img.help_tip{padding:0;margin:-4px 0 0 5px;vertical-align:middle;cursor:help;line-height:1}.woocommerce table.form-table span.help_tip{cursor:help;color:#2ea2cc}.woocommerce table.form-table th{position:relative;padding-right:24px}.woocommerce table.form-table .select2-container{display:block;max-width:350px;vertical-align:top;margin-bottom:3px}.woocommerce table.form-table table.widefat th{padding-right:inherit}.woocommerce table.form-table th img.help_tip{margin:0 -24px 0 0;float:right}.woocommerce table.form-table fieldset{margin-top:4px}.woocommerce table.form-table fieldset img.help_tip{margin:-3px 0 0 5px}.woocommerce table.form-table fieldset p.description{margin-bottom:8px}.woocommerce table.form-table fieldset:first-child{margin-top:0}.woocommerce table.form-table .iris-picker{z-index:100;display:none;position:absolute;border:1px solid #ccc;border-radius:3px;box-shadow:0 1px 3px rgba(0,0,0,.2)}.woocommerce table.form-table .iris-picker .ui-slider{border:0!important;margin:0!important;width:auto!important;height:auto!important;background:none!important}.woocommerce table.form-table .iris-picker .ui-slider .ui-slider-handle{margin-bottom:0!important}.woocommerce table.form-table .colorpickpreview{padding:3px 3px 3px 20px;border:1px solid #ddd;border-right:0}.woocommerce table.form-table .colorpick{border-left:0}.woocommerce table.form-table .image_width_settings{vertical-align:middle}.woocommerce table.form-table .image_width_settings label{margin-left:10px}.woocommerce #tabs-wrap table a.remove{margin-left:4px}.woocommerce #tabs-wrap table p{margin:0 0 4px!important;overflow:hidden;zoom:1}.woocommerce #tabs-wrap table p a.add{float:left}#wp-excerpt-editor-container{background:#fff}#product_variation-parent #parent_id{width:100%}#postimagediv img{border:1px solid #d5d5d5;max-width:100%}#woocommerce-product-images .inside{margin:0;padding:0}#woocommerce-product-images .inside .add_product_images{padding:0 12px 12px}#woocommerce-product-images .inside #product_images_container{padding:0 0 0 9px}#woocommerce-product-images .inside #product_images_container ul{margin:0;padding:0}#woocommerce-product-images .inside #product_images_container ul:after,#woocommerce-product-images .inside #product_images_container ul:before{content:" ";display:table}#woocommerce-product-images .inside #product_images_container ul:after{clear:both}#woocommerce-product-images .inside #product_images_container ul li.add,#woocommerce-product-images .inside #product_images_container ul li.image,#woocommerce-product-images .inside #product_images_container ul li.wc-metabox-sortable-placeholder{width:80px;float:left;cursor:move;border:1px solid #d5d5d5;margin:9px 9px 0 0;background:#f7f7f7;border-radius:2px;position:relative;box-sizing:border-box}#woocommerce-product-images .inside #product_images_container ul li.add img,#woocommerce-product-images .inside #product_images_container ul li.image img,#woocommerce-product-images .inside #product_images_container ul li.wc-metabox-sortable-placeholder img{width:100%;height:auto;display:block}#woocommerce-product-images .inside #product_images_container ul li.wc-metabox-sortable-placeholder{border:3px dashed #ddd;position:relative}#woocommerce-product-images .inside #product_images_container ul li.wc-metabox-sortable-placeholder:after{margin:0;position:absolute;width:100%;height:100%;content:"";font-size:2.618em;line-height:72px;color:#ddd}#woocommerce-product-images .inside #product_images_container ul ul.actions li a.delete:before,#woocommerce-product-images .inside #product_images_container ul ul.actions li a.view:before{font-family:WooCommerce;speak:none;font-weight:400;font-variant:normal;text-transform:none;line-height:1;-webkit-font-smoothing:antialiased;color:#fff;background-color:#000;text-align:center;left:0}#woocommerce-product-images .inside #product_images_container ul ul.actions{position:absolute;top:-8px;right:-8px;padding:2px;display:none}#woocommerce-product-images .inside #product_images_container ul ul.actions li{float:right;margin:0 0 0 2px}#woocommerce-product-images .inside #product_images_container ul ul.actions li a{width:1em;margin:0;height:0;display:block;overflow:hidden}#woocommerce-product-images .inside #product_images_container ul ul.actions li a.tips{cursor:pointer}#woocommerce-product-images .inside #product_images_container ul ul.actions li a.view{display:block;text-indent:-9999px;position:relative;height:1em;width:1em;font-size:1.4em}#woocommerce-product-images .inside #product_images_container ul ul.actions li a.view:before{margin:0;text-indent:0;position:absolute;top:0;width:100%;height:100%;content:""}#woocommerce-product-images .inside #product_images_container ul ul.actions li a.delete{display:block;text-indent:-9999px;position:relative;height:1em;width:1em;font-size:1.4em}#woocommerce-product-images .inside #product_images_container ul ul.actions li a.delete:before{margin:0;text-indent:0;position:absolute;top:0;width:100%;height:100%;content:"";border-radius:100%;box-shadow:0 1px 2px rgba(0,0,0,.2)}#woocommerce-product-images .inside #product_images_container ul ul.actions li a.delete:hover before{background-color:#a00}#woocommerce-product-images .inside #product_images_container ul li:hover ul.actions{display:block}#woocommerce-product-data .hndle{padding:10px}#woocommerce-product-data .hndle span{display:block;vertical-align:middle;line-height:24px}#woocommerce-product-data .hndle span span{display:inline;line-height:inherit;vertical-align:baseline}#woocommerce-product-data .hndle label{padding-right:1em;font-size:12px;vertical-align:baseline}#woocommerce-product-data .hndle label:first-child{margin-right:1em;border-right:1px solid #dfdfdf}#woocommerce-product-data .hndle input,#woocommerce-product-data .hndle select{margin:-3px 0 0 .5em;vertical-align:middle}#woocommerce-product-data>.handlediv{margin-top:4px}#woocommerce-product-data .wrap{margin:0}#woocommerce-coupon-description{padding:3px 8px;font-size:1.7em;line-height:1.42em;height:auto;width:100%;outline:0;margin:10px 0;display:block}#woocommerce-coupon-description::-webkit-input-placeholder{line-height:1.42em;color:#bbb}#woocommerce-coupon-description::-moz-placeholder{line-height:1.42em;color:#bbb}#woocommerce-coupon-description:-ms-input-placeholder{line-height:1.42em;color:#bbb}#woocommerce-coupon-description:-moz-placeholder{line-height:1.42em;color:#bbb}#woocommerce-coupon-data .panel-wrap,#woocommerce-product-data .panel-wrap{background:#fff}#woocommerce-coupon-data .wc-metaboxes-wrapper,#woocommerce-coupon-data .woocommerce_options_panel,#woocommerce-product-data .wc-metaboxes-wrapper,#woocommerce-product-data .woocommerce_options_panel{float:left;width:80%}#woocommerce-coupon-data .wc-metaboxes-wrapper .wc-radios,#woocommerce-coupon-data .woocommerce_options_panel .wc-radios,#woocommerce-product-data .wc-metaboxes-wrapper .wc-radios,#woocommerce-product-data .woocommerce_options_panel .wc-radios{display:block;float:left;margin:0}#woocommerce-coupon-data .wc-metaboxes-wrapper .wc-radios li,#woocommerce-coupon-data .woocommerce_options_panel .wc-radios li,#woocommerce-product-data .wc-metaboxes-wrapper .wc-radios li,#woocommerce-product-data .woocommerce_options_panel .wc-radios li{display:block;padding:0 0 10px}#woocommerce-coupon-data .wc-metaboxes-wrapper .wc-radios li input,#woocommerce-coupon-data .woocommerce_options_panel .wc-radios li input,#woocommerce-product-data .wc-metaboxes-wrapper .wc-radios li input,#woocommerce-product-data .woocommerce_options_panel .wc-radios li input{width:auto}#woocommerce-coupon-data .panel-wrap,#woocommerce-product-data .panel-wrap,.woocommerce .panel-wrap{overflow:hidden}#woocommerce-coupon-data ul.wc-tabs,#woocommerce-product-data ul.wc-tabs,.woocommerce ul.wc-tabs{margin:0;width:20%;float:left;line-height:1em;padding:0 0 10px;position:relative;background-color:#fafafa;border-right:1px solid #eee;box-sizing:border-box}#woocommerce-coupon-data ul.wc-tabs:after,#woocommerce-product-data ul.wc-tabs:after,.woocommerce ul.wc-tabs:after{content:"";display:block;width:100%;height:9999em;position:absolute;bottom:-9999em;left:0;background-color:#fafafa;border-right:1px solid #eee}#woocommerce-coupon-data ul.wc-tabs li,#woocommerce-product-data ul.wc-tabs li,.woocommerce ul.wc-tabs li{margin:0;padding:0;display:block;position:relative}#woocommerce-coupon-data ul.wc-tabs li a,#woocommerce-product-data ul.wc-tabs li a,.woocommerce ul.wc-tabs li a{margin:0;padding:10px;display:block;box-shadow:none;text-decoration:none;line-height:20px!important;border-bottom:1px solid #eee}#woocommerce-coupon-data ul.wc-tabs li a:before,#woocommerce-product-data ul.wc-tabs li a:before,.woocommerce ul.wc-tabs li a:before,.woocommerce_page_wc-settings .shippingrows .add.button:before{line-height:1;margin-right:.618em;font-weight:400;font-variant:normal;-webkit-font-smoothing:antialiased;font-family:WooCommerce;speak:none;text-transform:none;text-decoration:none}#woocommerce-coupon-data ul.wc-tabs li a:before,#woocommerce-product-data ul.wc-tabs li a:before,.woocommerce ul.wc-tabs li a:before{content:""}#woocommerce-coupon-data ul.wc-tabs li.general_options a:before,#woocommerce-product-data ul.wc-tabs li.general_options a:before,.woocommerce ul.wc-tabs li.general_options a:before{content:"\e006"}#woocommerce-coupon-data ul.wc-tabs li.inventory_options a:before,#woocommerce-product-data ul.wc-tabs li.inventory_options a:before,.woocommerce ul.wc-tabs li.inventory_options a:before{content:"\e02c"}#woocommerce-coupon-data ul.wc-tabs li.shipping_options a:before,#woocommerce-product-data ul.wc-tabs li.shipping_options a:before,.woocommerce ul.wc-tabs li.shipping_options a:before{content:"\e01a"}#woocommerce-coupon-data ul.wc-tabs li.linked_product_options a:before,#woocommerce-product-data ul.wc-tabs li.linked_product_options a:before,.woocommerce ul.wc-tabs li.linked_product_options a:before{content:"\e00d"}#woocommerce-coupon-data ul.wc-tabs li.attribute_options a:before,#woocommerce-product-data ul.wc-tabs li.attribute_options a:before,.woocommerce ul.wc-tabs li.attribute_options a:before{content:"\e02b"}#woocommerce-coupon-data ul.wc-tabs li.advanced_options a:before,#woocommerce-product-data ul.wc-tabs li.advanced_options a:before,.woocommerce ul.wc-tabs li.advanced_options a:before{content:"\e01c"}#woocommerce-coupon-data ul.wc-tabs li.variation_options a:before,#woocommerce-product-data ul.wc-tabs li.variation_options a:before,.woocommerce ul.wc-tabs li.variation_options a:before{content:"\e003"}#woocommerce-coupon-data ul.wc-tabs li.usage_restriction_options a:before,#woocommerce-product-data ul.wc-tabs li.usage_restriction_options a:before,.woocommerce ul.wc-tabs li.usage_restriction_options a:before{content:"\e602"}#woocommerce-coupon-data ul.wc-tabs li.usage_limit_options a:before,#woocommerce-product-data ul.wc-tabs li.usage_limit_options a:before,.woocommerce ul.wc-tabs li.usage_limit_options a:before{content:"\e601"}#woocommerce-coupon-data ul.wc-tabs li.general_coupon_data a:before,#woocommerce-product-data ul.wc-tabs li.general_coupon_data a:before,.woocommerce ul.wc-tabs li.general_coupon_data a:before{content:"\e600"}#woocommerce-coupon-data ul.wc-tabs li.active a,#woocommerce-product-data ul.wc-tabs li.active a,.woocommerce ul.wc-tabs li.active a{color:#555;position:relative;background-color:#eee}.woocommerce_page_wc-settings .shippingrows th.check-column{padding-top:20px}.woocommerce_page_wc-settings .shippingrows tfoot th{padding-left:10px}.woocommerce_page_wc-settings .shippingrows .add.button:before{content:""}.woocommerce_page_wc-settings h3.wc-settings-sub-title{font-size:1.2em}#woocommerce-coupon-data .inside,#woocommerce-order-data .inside,#woocommerce-order-downloads .inside,#woocommerce-product-data .inside,#woocommerce-product-type-options .inside{padding:0;margin:0}.panel,.woocommerce_options_panel{padding:9px;color:#555}.panel,.woocommerce_page_settings .woocommerce_options_panel{padding:0}#woocommerce-product-specs .inside,#woocommerce-product-type-options .panel{padding:9px;margin:0}#woocommerce-product-type-options .panel p,.woocommerce_options_panel fieldset.form-field,.woocommerce_options_panel p{margin:0 0 9px;font-size:12px;padding:5px 9px;line-height:24px}#woocommerce-product-type-options .panel p:after,.woocommerce_options_panel fieldset.form-field:after,.woocommerce_options_panel p:after{content:".";display:block;height:0;clear:both;visibility:hidden}.woocommerce_options_panel .checkbox,.woocommerce_variable_attributes .checkbox{width:auto;vertical-align:middle;margin:7px 0}.woocommerce_options_panel .downloadable_files table,.woocommerce_variations .downloadable_files table{width:100%;padding:0!important}.woocommerce_options_panel .downloadable_files table th,.woocommerce_variations .downloadable_files table th{padding:7px 0 7px 7px!important}.woocommerce_options_panel .downloadable_files table td,.woocommerce_variations .downloadable_files table td{vertical-align:middle!important;padding:4px 0 4px 7px!important;position:relative}.woocommerce_options_panel .downloadable_files table td:last-child,.woocommerce_variations .downloadable_files table td:last-child{padding-right:7px!important}.woocommerce_options_panel .downloadable_files table td input.input_text,.woocommerce_variations .downloadable_files table td input.input_text{width:100%;float:none;margin:1px 0;min-width:0}.woocommerce_options_panel .downloadable_files table td .upload_file_button,.woocommerce_variations .downloadable_files table td .upload_file_button{float:right;width:auto;cursor:pointer}.woocommerce_options_panel .downloadable_files table td .delete,.woocommerce_variations .downloadable_files table td .delete{display:block;text-indent:-9999px;position:relative;height:1em;width:1em}.woocommerce_options_panel .downloadable_files table td .delete:before,.woocommerce_variations .downloadable_files table td .delete:before{font-family:WooCommerce;speak:none;font-weight:400;font-variant:normal;text-transform:none;line-height:1;-webkit-font-smoothing:antialiased;margin:0;text-indent:0;position:absolute;top:0;left:0;width:100%;height:100%;text-align:center;content:"";content:"\e013";color:#999}.woocommerce_options_panel .downloadable_files table td .delete:hover:before,.woocommerce_variations .downloadable_files table td .delete:hover:before{color:#a00}.woocommerce_options_panel .downloadable_files table th.sort,.woocommerce_variations .downloadable_files table th.sort{width:17px;padding:0}.woocommerce_options_panel .downloadable_files table td.sort,.woocommerce_variations .downloadable_files table td.sort{padding:0 8px;cursor:move;background:#f9f9f9;text-align:center;vertical-align:middle}.woocommerce_options_panel .downloadable_files table td.sort:before,.woocommerce_variations .downloadable_files table td.sort:before{content:"\e032";font-family:WooCommerce;text-align:center;line-height:1;color:#999;display:block;width:17px;float:left;height:100%}.woocommerce_options_panel .downloadable_files table td.sort:hover:before,.woocommerce_variations .downloadable_files table td.sort:hover:before{color:#333}.woocommerce_variation h3 .sort{cursor:move;text-align:center;float:right;height:26px;width:17px;visibility:hidden;vertical-align:middle;margin-right:.5em;color:#a0a5aa}.woocommerce_variation h3 .sort:before{content:"\e032";font-family:WooCommerce;text-align:center;cursor:move;display:block;width:17px;line-height:28px}.woocommerce_variation h3 .sort:hover{color:#777}.woocommerce_variation h3:hover .sort,.woocommerce_variation.ui-sortable-helper .sort{visibility:visible}.woocommerce_options_panel{box-sizing:border-box}.woocommerce_options_panel .downloadable_files{padding:0 9px 0 162px;position:relative;margin:9px 0}.woocommerce_options_panel .downloadable_files label{position:absolute;left:0;margin:0 0 0 12px;line-height:24px}.woocommerce_options_panel p{margin:9px 0}.woocommerce_options_panel fieldset.form-field,.woocommerce_options_panel p.form-field{padding:5px 20px 5px 162px!important}.woocommerce_options_panel .sale_price_dates_fields .short:first-of-type{margin-bottom:1em}.woocommerce_options_panel .sale_price_dates_fields .short:nth-of-type(2){clear:left}.woocommerce_options_panel label,.woocommerce_options_panel legend{float:left;width:150px;padding:0;margin:0 0 0 -150px}.woocommerce_options_panel label .req,.woocommerce_options_panel legend .req{font-weight:700;font-style:normal;color:#a00}.woocommerce_options_panel .description{padding:0;margin:0 0 0 7px;clear:none;display:inline}.woocommerce_options_panel .description-block{margin-left:0;display:block}.woocommerce_options_panel input,.woocommerce_options_panel select,.woocommerce_options_panel textarea{margin:0}.woocommerce_options_panel textarea{vertical-align:top;height:3.5em;line-height:1.5em}.woocommerce_options_panel input[type=text],.woocommerce_options_panel input[type=number],.woocommerce_options_panel input[type=email]{width:50%;float:left}.woocommerce_options_panel input.button{width:auto;margin-left:8px}.woocommerce_options_panel select{float:left}.woocommerce_options_panel .short,.woocommerce_options_panel input[type=text].short,.woocommerce_options_panel input[type=number].short,.woocommerce_options_panel input[type=email].short{width:50%}.woocommerce_options_panel .sized{width:auto!important;margin-right:6px}.woocommerce_options_panel .options_group{border-top:1px solid #fff;border-bottom:1px solid #eee}.woocommerce_options_panel .options_group:first-child{border-top:0}.woocommerce_options_panel .options_group:last-child{border-bottom:0}.woocommerce_options_panel .options_group fieldset{margin:9px 0;font-size:12px;padding:5px 9px;line-height:24px}.woocommerce_options_panel .options_group fieldset label{width:auto;float:none}.woocommerce_options_panel .options_group fieldset ul{float:left;width:50%;margin:0;padding:0}.woocommerce_options_panel .options_group fieldset ul li{margin:0;width:auto}.woocommerce_options_panel .options_group fieldset ul li input{width:auto;float:none;margin-right:4px}.woocommerce_options_panel .options_group fieldset ul.wc-radios label{margin-left:0}.woocommerce_options_panel .dimensions_field .wrap{display:block;width:50%}.woocommerce_options_panel .dimensions_field .wrap input{width:30.75%;margin-right:3.8%}.woocommerce_options_panel .dimensions_field .wrap .last{margin-right:0}.woocommerce_options_panel.padded{padding:1em}#woocommerce-product-data input.dp-applied,.woocommerce_options_panel .select2-container{float:left}#grouped_product_options,#simple_product_options,#virtual_product_options{padding:12px;font-style:italic;color:#666}.wc-metaboxes-wrapper .toolbar{margin:0!important;border-top:1px solid #fff;border-bottom:1px solid #eee;padding:9px 12px!important}.wc-metaboxes-wrapper .toolbar:first-child{border-top:0}.wc-metaboxes-wrapper .toolbar:last-child{border-bottom:0}.wc-metaboxes-wrapper .toolbar .add_variation{float:right;margin-left:5px}.wc-metaboxes-wrapper .toolbar .cancel-variation-changes,.wc-metaboxes-wrapper .toolbar .save-variation-changes{float:left;margin-right:5px}.wc-metaboxes-wrapper p.toolbar{overflow:hidden;zoom:1}.wc-metaboxes-wrapper .expand-close{margin-right:2px;color:#777;font-size:12px;font-style:italic}.wc-metaboxes-wrapper .expand-close a{background:0 0;padding:0;font-size:12px;text-decoration:none}.wc-metaboxes-wrapper#product_attributes .expand-close{float:right;line-height:28px}.wc-metaboxes-wrapper .fr,.wc-metaboxes-wrapper button.add_variable_attribute{float:right;margin:0 0 0 6px}.wc-metaboxes-wrapper .wc-metaboxes{border-bottom:1px solid #eee}.wc-metaboxes-wrapper .wc-metabox-sortable-placeholder{border-color:#bbb;background-color:#f5f5f5;margin-bottom:9px;border-width:1px;border-style:dashed}.wc-metaboxes-wrapper .wc-metabox{background:#fff;border-bottom:1px solid #eee;margin:0!important}.wc-metaboxes-wrapper .wc-metabox select{font-weight:400}.wc-metaboxes-wrapper .wc-metabox:last-of-type{border-bottom:0}.wc-metaboxes-wrapper .wc-metabox .handlediv{width:27px}.wc-metaboxes-wrapper .wc-metabox .handlediv:before{content:"\f142"!important;cursor:pointer;display:inline-block;font:400 20px/1 Dashicons;line-height:.5!important;padding:8px 10px;position:relative;right:12px;top:0}.wc-metaboxes-wrapper .wc-metabox.closed{border-radius:3px}.wc-metaboxes-wrapper .wc-metabox.closed .handlediv:before{content:"\f140"!important}.wc-metaboxes-wrapper .wc-metabox.closed h3{border:0}.wc-metaboxes-wrapper .wc-metabox h3{margin:0!important;padding:.75em .75em .75em 1em!important;font-size:1em!important;overflow:hidden;zoom:1;cursor:move}.wc-metaboxes-wrapper .wc-metabox h3 a.delete,.wc-metaboxes-wrapper .wc-metabox h3 button{float:right}.wc-metaboxes-wrapper .wc-metabox h3 a.delete{color:red;font-weight:400;line-height:26px;text-decoration:none;position:relative;visibility:hidden}.wc-metaboxes-wrapper .wc-metabox h3 strong{line-height:26px;font-weight:700}.wc-metaboxes-wrapper .wc-metabox h3 select{font-family:sans-serif;max-width:20%;margin:.25em .25em .25em 0}.wc-metaboxes-wrapper .wc-metabox h3 .handlediv{background-position:6px 5px!important;visibility:hidden;height:26px}.wc-metaboxes-wrapper .wc-metabox h3.fixed{cursor:pointer!important}.wc-metaboxes-wrapper .wc-metabox.woocommerce_variation h3{cursor:pointer;padding:.5em .75em .5em 1em!important}.wc-metaboxes-wrapper .wc-metabox.woocommerce_variation h3 .handlediv,.wc-metaboxes-wrapper .wc-metabox.woocommerce_variation h3 .sort,.wc-metaboxes-wrapper .wc-metabox.woocommerce_variation h3 a.delete{margin-top:.25em}.wc-metaboxes-wrapper .wc-metabox h3:hover .handlediv,.wc-metaboxes-wrapper .wc-metabox h3:hover a.delete,.wc-metaboxes-wrapper .wc-metabox.ui-sortable-helper .handlediv,.wc-metaboxes-wrapper .wc-metabox.ui-sortable-helper a.delete{visibility:visible}.wc-metaboxes-wrapper .wc-metabox table{width:100%;position:relative;background-color:#fdfdfd;padding:1em;border-top:1px solid #eee}.wc-metaboxes-wrapper .wc-metabox table td{text-align:left;padding:0 6px 1em 0;vertical-align:top;border:0}.wc-metaboxes-wrapper .wc-metabox table td label{text-align:left;display:block;line-height:21px}.wc-metaboxes-wrapper .wc-metabox table td input{float:left;min-width:200px}.wc-metaboxes-wrapper .wc-metabox table td input,.wc-metaboxes-wrapper .wc-metabox table td textarea{width:100%;margin:0;display:block;font-size:14px;padding:4px;color:#555}.wc-metaboxes-wrapper .wc-metabox table td .select2-container,.wc-metaboxes-wrapper .wc-metabox table td select{width:100%!important}.wc-metaboxes-wrapper .wc-metabox table td input.short{width:200px}.wc-metaboxes-wrapper .wc-metabox table td input.checkbox{width:16px;min-width:inherit;vertical-align:text-bottom;display:inline-block;float:none}.wc-metaboxes-wrapper .wc-metabox table td.attribute_name{width:200px}.wc-metaboxes-wrapper .wc-metabox table .minus,.wc-metaboxes-wrapper .wc-metabox table .plus{margin-top:6px}.wc-metaboxes-wrapper .wc-metabox table .fl{float:left}.wc-metaboxes-wrapper .wc-metabox table .fr{float:right}.variations-pagenav{float:right;line-height:24px}.variations-pagenav .displaying-num{color:#777;font-size:12px;font-style:italic}.variations-pagenav a{padding:0 10px 3px;background:rgba(0,0,0,.05);font-size:16px;font-weight:400;text-decoration:none}.variations-pagenav a.disabled,.variations-pagenav a.disabled:active,.variations-pagenav a.disabled:focus,.variations-pagenav a.disabled:hover{color:#A0A5AA;background:rgba(0,0,0,.05)}.variations-defaults{float:left}.variations-defaults select{margin:.25em .25em .25em 0}.woocommerce_variable_attributes{background-color:#fdfdfd;border-top:1px solid #eee}.woocommerce_variable_attributes .data{padding:1em 2em}.woocommerce_variable_attributes .data:after,.woocommerce_variable_attributes .data:before{content:" ";display:table}.woocommerce_variable_attributes .data:after{clear:both}.woocommerce_variable_attributes .upload_image_button{display:block;width:48px;height:48px;float:left;margin-right:20px;position:relative;cursor:pointer}.woocommerce_variable_attributes .upload_image_button img{width:100%;height:auto;display:none}.woocommerce_variable_attributes .upload_image_button:before{content:"\f128";font-family:Dashicons;position:absolute;top:0;left:0;right:0;bottom:0;text-align:center;line-height:48px;font-size:48px;font-weight:400;-webkit-font-smoothing:antialiased}.woocommerce_variable_attributes .upload_image_button.remove img{display:block}.woocommerce_variable_attributes .upload_image_button.remove:before{content:"\f335";display:none}.woocommerce_variable_attributes .upload_image_button.remove:hover:before{display:block}.woocommerce_variable_attributes .options{border:1px solid #eee;border-width:1px 0;padding:.25em 0}.woocommerce_variable_attributes .options label{display:inline-block;padding:4px 1em 2px 0}.woocommerce_variable_attributes .options input[type=checkbox]{margin-top:5px;margin-right:3px}.form-row label{display:block}.form-row input[type=number],.form-row input[type=text],.form-row select{width:100%}.form-row.dimensions_field input{width:25%;float:left;margin-right:1%}.form-row.dimensions_field input:last-of-type{margin-right:0}.form-row-first,.form-row-last{width:48%;float:right}.form-row-first{clear:both;float:left}.form-row-full{clear:both}.tips{cursor:help;text-decoration:none}img.tips{padding:5px 0 0}#tiptip_holder{display:none;position:absolute;top:0;left:0;z-index:9999999}#tiptip_holder.tip_top{padding-bottom:5px}#tiptip_holder.tip_top #tiptip_arrow_inner{margin-top:-7px;margin-left:-6px;border-top-color:#333}#tiptip_holder.tip_bottom{padding-top:5px}#tiptip_holder.tip_bottom #tiptip_arrow_inner{margin-top:-5px;margin-left:-6px;border-bottom-color:#333}#tiptip_holder.tip_right{padding-left:5px}#tiptip_holder.tip_right #tiptip_arrow_inner{margin-top:-6px;margin-left:-5px;border-right-color:#333}#tiptip_holder.tip_left{padding-right:5px}#tiptip_holder.tip_left #tiptip_arrow_inner{margin-top:-6px;margin-left:-7px;border-left-color:#333}#tiptip_content,.chart-tooltip,.wc_error_tip{color:#fff;font-size:.8em;max-width:150px;background:#333;text-align:center;border-radius:3px;padding:.618em 1em;box-shadow:0 1px 3px rgba(0,0,0,.2)}#tiptip_content code,.chart-tooltip code,.wc_error_tip code{padding:1px;background:#888}#tiptip_arrow,#tiptip_arrow_inner{position:absolute;border-color:transparent;border-style:solid;border-width:6px;height:0;width:0}.wc_error_tip{max-width:20em;line-height:1.8em;position:absolute;white-space:normal;background:#d82223;margin:1.5em 1px 0 -1em;z-index:9999999}.wc_error_tip:after{content:"";display:block;border:8px solid #d82223;border-right-color:transparent;border-left-color:transparent;border-top-color:transparent;position:absolute;top:-3px;left:50%;margin:-1em 0 0 -3px}img.ui-datepicker-trigger{vertical-align:middle;margin-top:-1px;cursor:pointer}.wc-metabox-content img.ui-datepicker-trigger,.woocommerce_options_panel img.ui-datepicker-trigger{float:left;margin-right:8px;margin-top:4px;margin-left:4px}#ui-datepicker-div{display:none}.woocommerce-reports-wide.woocommerce-reports-wrap,.woocommerce-reports-wrap.woocommerce-reports-wrap{margin-left:300px;padding-top:18px}.woocommerce-reports-wide.halved,.woocommerce-reports-wrap.halved{margin:0;overflow:hidden;zoom:1}.woocommerce-reports-wide .widefat td,.woocommerce-reports-wrap .widefat td{vertical-align:top;padding:7px}.woocommerce-reports-wide .widefat td .description,.woocommerce-reports-wrap .widefat td .description{margin:4px 0 0}.woocommerce-reports-wide .postbox:after,.woocommerce-reports-wrap .postbox:after{content:".";display:block;height:0;clear:both;visibility:hidden}.woocommerce-reports-wide .postbox h3,.woocommerce-reports-wrap .postbox h3{cursor:default!important}.woocommerce-reports-wide .postbox .inside,.woocommerce-reports-wrap .postbox .inside{padding:10px;margin:0!important}.woocommerce-reports-wide .postbox h3.stats_range,.woocommerce-reports-wrap .postbox h3.stats_range{border-bottom-color:#dfdfdf;margin:0;padding:0!important}.woocommerce-reports-wide .postbox h3.stats_range .export_csv,.woocommerce-reports-wrap .postbox h3.stats_range .export_csv{float:right;line-height:26px;border-left:1px solid #dfdfdf;padding:10px;display:block;text-decoration:none}.woocommerce-reports-wide .postbox h3.stats_range .export_csv:before,.woocommerce-reports-wrap .postbox h3.stats_range .export_csv:before{font-family:WooCommerce;speak:none;font-weight:400;font-variant:normal;text-transform:none;line-height:1;-webkit-font-smoothing:antialiased;content:"";text-decoration:none;margin-right:4px}.woocommerce-reports-wide .postbox h3.stats_range ul,.woocommerce-reports-wrap .postbox h3.stats_range ul{list-style:none;margin:0;padding:0;zoom:1;background:#f5f5f5}.woocommerce-reports-wide .postbox h3.stats_range ul:after,.woocommerce-reports-wide .postbox h3.stats_range ul:before,.woocommerce-reports-wrap .postbox h3.stats_range ul:after,.woocommerce-reports-wrap .postbox h3.stats_range ul:before{content:" ";display:table}.woocommerce-reports-wide .postbox h3.stats_range ul:after,.woocommerce-reports-wrap .postbox h3.stats_range ul:after{clear:both}.woocommerce-reports-wide .postbox h3.stats_range ul li,.woocommerce-reports-wrap .postbox h3.stats_range ul li{float:left;margin:0;padding:0;line-height:26px}.woocommerce-reports-wide .postbox h3.stats_range ul li a,.woocommerce-reports-wrap .postbox h3.stats_range ul li a{border-right:1px solid #dfdfdf;padding:10px;display:block;text-decoration:none}.woocommerce-reports-wide .postbox h3.stats_range ul li.active,.woocommerce-reports-wrap .postbox h3.stats_range ul li.active{background:#fff;-webkit-box-shadow:0 4px 0 0 #fff;box-shadow:0 4px 0 0 #fff}.woocommerce-reports-wide .postbox h3.stats_range ul li.active a,.woocommerce-reports-wrap .postbox h3.stats_range ul li.active a{color:#777}.woocommerce-reports-wide .postbox h3.stats_range ul li.custom,.woocommerce-reports-wrap .postbox h3.stats_range ul li.custom{padding:9px 10px;vertical-align:middle}.woocommerce-reports-wide .postbox h3.stats_range ul li.custom div,.woocommerce-reports-wide .postbox h3.stats_range ul li.custom form,.woocommerce-reports-wrap .postbox h3.stats_range ul li.custom div,.woocommerce-reports-wrap .postbox h3.stats_range ul li.custom form{display:inline;margin:0}.woocommerce-reports-wide .postbox h3.stats_range ul li.custom div input.range_datepicker,.woocommerce-reports-wide .postbox h3.stats_range ul li.custom form input.range_datepicker,.woocommerce-reports-wrap .postbox h3.stats_range ul li.custom div input.range_datepicker,.woocommerce-reports-wrap .postbox h3.stats_range ul li.custom form input.range_datepicker{padding:0;margin:0 10px 0 0;background:0 0;border:0;color:#777;text-align:center;-webkit-box-shadow:none;box-shadow:none}.woocommerce-reports-wide .postbox .chart-with-sidebar,.woocommerce-reports-wrap .postbox .chart-with-sidebar{padding:12px 12px 12px 249px;margin:0!important}.woocommerce-reports-wide .postbox .chart-with-sidebar .chart-sidebar,.woocommerce-reports-wrap .postbox .chart-with-sidebar .chart-sidebar{width:225px;margin-left:-237px;float:left}.woocommerce-reports-wide .postbox .chart-widgets,.woocommerce-reports-wrap .postbox .chart-widgets{margin:0;padding:0}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget{margin:0 0 1em;background:#fafafa;border:1px solid #dfdfdf}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget:after,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget:after{content:".";display:block;height:0;clear:both;visibility:hidden}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget h4,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget h4{background:#fff;border:1px solid #dfdfdf;border-left-width:0;border-right-width:0;padding:10px;margin:0;color:#2ea2cc;border-top-width:0;background-image:-webkit-gradient(linear,left bottom,left top,from(#ececec),to(#f9f9f9));background-image:-webkit-linear-gradient(bottom,#ececec,#f9f9f9);background-image:-moz-linear-gradient(bottom,#ececec,#f9f9f9);background-image:-o-linear-gradient(bottom,#ececec,#f9f9f9);background-image:linear-gradient(to top,#ececec,#f9f9f9)}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget table td.count,.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget table tr.active td,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget table td.count,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget table tr.active td{background:#f5f5f5}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget h4.section_title:hover,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget h4.section_title:hover{color:#a00}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget .section_title,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget .section_title{cursor:pointer}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget .section_title span,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget .section_title span{display:block}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget .section_title span:after,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget .section_title span:after{font-family:WooCommerce;speak:none;font-weight:400;font-variant:normal;text-transform:none;-webkit-font-smoothing:antialiased;margin-left:.618em;content:"";text-decoration:none;float:right;font-size:.9em;line-height:1.618}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget .section_title.open,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget .section_title.open{color:#333}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget .section_title.open span:after,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget .section_title.open span:after{display:none}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget .section,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget .section{border-bottom:1px solid #dfdfdf}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget .section .select2-container,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget .section .select2-container{width:100%!important}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget .section:last-of-type,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget .section:last-of-type{border-radius:0 0 3px 3px}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget table,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget table{width:100%}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget table td,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget table td{padding:7px 10px;vertical-align:top;border-top:1px solid #e5e5e5;line-height:1.4em}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget table td.sparkline,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget table td.sparkline,form.report_filters div,form.report_filters input,form.report_filters label,form.report_filters p{vertical-align:middle}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget table tr:first-child td,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget table tr:first-child td{border-top:0}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget table td.name,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget table td.name{max-width:175px}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget table td.name a,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget table td.name a{word-wrap:break-word}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget table .wc_sparkline,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget table .wc_sparkline{width:32px;height:1em;display:block;float:right}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget form,.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget p,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget form,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget p{margin:0;padding:10px}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget form .submit,.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget p .submit,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget form .submit,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget p .submit{margin-top:10px}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget #product_ids,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget #product_ids{width:100%}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget .select_all,.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget .select_none,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget .select_all,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget .select_none{float:right;color:#999;margin-left:4px;margin-top:10px}.woocommerce-reports-wide .postbox .chart-legend,.woocommerce-reports-wrap .postbox .chart-legend{list-style:none;margin:0 0 1em;padding:0;border:1px solid #dfdfdf;border-right-width:0;border-bottom-width:0;background:#fff}.woocommerce-reports-wide .postbox .chart-legend li,.woocommerce-reports-wrap .postbox .chart-legend li{border-right:5px solid #aaa;color:#aaa;padding:1em;display:block;margin:0;-webkit-transition:all ease .5s;box-shadow:inset 0 -1px 0 0 #dfdfdf}.woocommerce-reports-wide .postbox .chart-legend li strong,.woocommerce-reports-wrap .postbox .chart-legend li strong{font-size:1.618em;line-height:1.2em;color:#464646;font-weight:400;display:block;font-family:HelveticaNeue-Light,"Helvetica Neue Light","Helvetica Neue",sans-serif}.woocommerce-reports-wide .postbox .chart-legend li strong del,.woocommerce-reports-wrap .postbox .chart-legend li strong del{color:#e74c3c;font-weight:400}.woocommerce-reports-wide .postbox .chart-legend li:hover,.woocommerce-reports-wrap .postbox .chart-legend li:hover{box-shadow:inset 0 -1px 0 0 #dfdfdf,inset 300px 0 0 rgba(156,93,144,.1);border-right:5px solid #9c5d90!important;padding-left:1.5em;color:#9c5d90}.woocommerce-reports-wide .postbox .pie-chart-legend,.woocommerce-reports-wrap .postbox .pie-chart-legend{margin:12px 0 0;overflow:hidden}.woocommerce-reports-wide .postbox .pie-chart-legend li,.woocommerce-reports-wrap .postbox .pie-chart-legend li{float:left;margin:0;padding:6px 0 0;border-top:4px solid #999;text-align:center;box-sizing:border-box;width:50%}.woocommerce-reports-wide .postbox .stat,.woocommerce-reports-wrap .postbox .stat{font-size:1.5em!important;font-weight:700;text-align:center}.woocommerce-reports-wide .postbox .chart-placeholder,.woocommerce-reports-wrap .postbox .chart-placeholder{width:100%;height:650px;overflow:hidden;position:relative}.woocommerce-reports-wide .postbox .chart-prompt,.woocommerce-reports-wrap .postbox .chart-prompt{line-height:650px;margin:0;color:#999;font-size:1.2em;font-style:italic;text-align:center}.woocommerce-reports-wide .postbox .chart-container,.woocommerce-reports-wrap .postbox .chart-container{background:#fff;padding:12px;position:relative;border:1px solid #dfdfdf;border-radius:3px}.woocommerce-reports-wide .postbox .main .chart-legend,.woocommerce-reports-wrap .postbox .main .chart-legend{margin-top:12px}.woocommerce-reports-wide .postbox .main .chart-legend li,.woocommerce-reports-wrap .postbox .main .chart-legend li{border-right:0;margin:0 8px 0 0;float:left;border-top:4px solid #aaa}.woocommerce-reports-wide .woocommerce-reports-main,.woocommerce-reports-wrap .woocommerce-reports-main{float:left;min-width:100%}.woocommerce-reports-wide .woocommerce-reports-main table td,.woocommerce-reports-wrap .woocommerce-reports-main table td{padding:9px}.woocommerce-reports-wide .woocommerce-reports-sidebar,.woocommerce-reports-wrap .woocommerce-reports-sidebar{display:inline;width:281px;margin-left:-300px;clear:both;float:left}.woocommerce-reports-wide .woocommerce-reports-left,.woocommerce-reports-wrap .woocommerce-reports-left{width:49.5%;float:left}.woocommerce-reports-wide .woocommerce-reports-right,.woocommerce-reports-wrap .woocommerce-reports-right{width:49.5%;float:right}.woocommerce-reports-wide .column-wc_actions a.edit,.woocommerce-reports-wide .column-wc_actions a.view,.woocommerce-reports-wrap .column-wc_actions a.edit,.woocommerce-reports-wrap .column-wc_actions a.view{display:block;text-indent:-9999px;position:relative;padding:0!important;height:2em!important;width:2em}.woocommerce-reports-wide .column-wc_actions a.edit:after,.woocommerce-reports-wide .column-wc_actions a.view:after,.woocommerce-reports-wrap .column-wc_actions a.edit:after,.woocommerce-reports-wrap .column-wc_actions a.view:after{font-family:WooCommerce;speak:none;font-weight:400;font-variant:normal;text-transform:none;-webkit-font-smoothing:antialiased;margin:0;text-indent:0;position:absolute;top:0;left:0;width:100%;height:100%;text-align:center;line-height:1.85}.woocommerce-reports-wide .column-wc_actions a.edit:after,.woocommerce-reports-wrap .column-wc_actions a.edit:after{content:"\e01c"}.woocommerce-reports-wide .column-wc_actions a.view:after,.woocommerce-reports-wrap .column-wc_actions a.view:after{content:"\e010"}.woocommerce-wide-reports-wrap{padding-bottom:11px}.woocommerce-wide-reports-wrap .widefat .export-data{float:right}.woocommerce-wide-reports-wrap .widefat td,.woocommerce-wide-reports-wrap .widefat th{vertical-align:middle;padding:7px}.chart-tooltip{position:absolute;display:none;line-height:1}table.bar_chart{width:100%}table.bar_chart thead th{text-align:left;color:#ccc;padding:6px 0}table.bar_chart tbody th{padding:6px 0;width:25%;text-align:left!important;font-weight:400!important;border-bottom:1px solid #fee}table.bar_chart tbody td{text-align:right;line-height:24px;padding:6px 6px 6px 0;border-bottom:1px solid #fee}table.bar_chart tbody td span{color:#8a4b75;display:block}table.bar_chart tbody td span.alt{color:#47a03e;margin-top:6px}table.bar_chart tbody td.bars{position:relative;text-align:left;padding:6px 6px 6px 0;border-bottom:1px solid #fee}table.bar_chart tbody td.bars a,table.bar_chart tbody td.bars span{text-decoration:none;clear:both;background:#8a4b75;float:left;display:block;line-height:24px;height:24px;-moz-border-radius:3px;-webkit-border-radius:3px;-o-border-radius:3px;-khtml-border-radius:3px;border-radius:3px}table.bar_chart tbody td.bars span.alt{clear:both;background:#47a03e}table.bar_chart tbody td.bars span.alt span{margin:0;color:#c5dec2!important;text-shadow:0 1px 0 #47a03e;background:0 0}@media only screen and (max-width:1280px){#order_data .order_data_column{width:48%}#order_data .order_data_column:first-child{width:100%}.woocommerce_options_panel .description{display:block;clear:both;margin-left:0}.woocommerce_options_panel .dimensions_field .wrap,.woocommerce_options_panel .short,.woocommerce_options_panel input[type=email].short,.woocommerce_options_panel input[type=number].short,.woocommerce_options_panel input[type=text].short{width:80%}.woocommerce_options_panel .downloadable_files,.woocommerce_variations .downloadable_files{padding:0;clear:both}.woocommerce_options_panel .downloadable_files label,.woocommerce_variations .downloadable_files label{position:static}.woocommerce_options_panel .downloadable_files table,.woocommerce_variations .downloadable_files table{margin:0 12px 24px;width:94%}.woocommerce_options_panel .downloadable_files table .sort,.woocommerce_variations .downloadable_files table .sort{visibility:hidden}.woocommerce_options_panel .woocommerce_variable_attributes .downloadable_files table,.woocommerce_variations .woocommerce_variable_attributes .downloadable_files table{margin:0 0 1em;width:100%}}@media only screen and (max-width:900px){#woocommerce-coupon-data ul.coupon_data_tabs,#woocommerce-product-data .wc-tabs-back,#woocommerce-product-data ul.product_data_tabs{width:10%}#woocommerce-coupon-data .wc-metaboxes-wrapper,#woocommerce-coupon-data .woocommerce_options_panel,#woocommerce-product-data .wc-metaboxes-wrapper,#woocommerce-product-data .woocommerce_options_panel{width:90%}#woocommerce-coupon-data ul.coupon_data_tabs li a,#woocommerce-product-data ul.product_data_tabs li a{position:relative;text-indent:-999px;padding:10px}#woocommerce-coupon-data ul.coupon_data_tabs li a:before,#woocommerce-product-data ul.product_data_tabs li a:before{position:absolute;top:0;right:0;bottom:0;left:0;text-indent:0;text-align:center;line-height:40px;width:100%;height:40px}}@media only screen and (max-width:782px){#wp-excerpt-media-buttons a{font-size:16px;line-height:37px;height:39px;padding:0 20px 0 15px}#wp-excerpt-editor-tools{padding-top:20px;padding-right:15px;overflow:hidden;margin-bottom:-1px}.post-type-product .wp-list-table .is-expanded td:not(.hidden),.post-type-shop_order .wp-list-table .is-expanded td:not(.hidden){overflow:visible}#woocommerce-product-data .checkbox{width:25px}.variations-pagenav{float:none;text-align:center;font-size:18px}.variations-pagenav .displaying-num{font-size:16px}.variations-pagenav a{padding:8px 20px 11px;font-size:18px}.variations-pagenav select{padding:0 20px}.variations-defaults{float:none;text-align:center;margin-top:10px}.post-type-product .wp-list-table .column-thumb{display:none;text-align:left;padding-bottom:0}.post-type-product .wp-list-table .column-thumb:before{display:none!important}.post-type-product .wp-list-table .column-thumb img{max-width:32px}.post-type-product .wp-list-table .toggle-row{top:-28px}.post-type-shop_order .wp-list-table .column-order_status{display:none;text-align:left;padding-bottom:0}.post-type-shop_order .wp-list-table .column-order_status mark{margin:0}.post-type-shop_order .wp-list-table .column-order_status:before{display:none!important}.post-type-shop_order .wp-list-table .column-customer_message,.post-type-shop_order .wp-list-table .column-order_notes{text-align:inherit}.post-type-shop_order .wp-list-table .column-order_notes .note-on{font-size:1.3em;margin:0}.post-type-shop_order .wp-list-table .toggle-row{top:-15px}}@media only screen and (max-width:500px){.woocommerce_options_panel label,.woocommerce_options_panel legend{float:none;width:auto;display:block;margin:0}.woocommerce_options_panel fieldset.form-field,.woocommerce_options_panel p.form-field{padding:5px 20px!important}}.wc-backbone-modal *{box-sizing:border-box}.wc-backbone-modal .wc-backbone-modal-content{position:fixed;top:50%;left:50%;width:500px;background:#fff;z-index:100000}.wc-backbone-modal-backdrop{position:fixed;top:0;left:0;right:0;bottom:0;min-height:360px;background:#000;opacity:.7;z-index:99900}.wc-backbone-modal-main{padding-bottom:51px}.wc-backbone-modal-main article,.wc-backbone-modal-main header{display:block;position:relative}.wc-backbone-modal-main .wc-backbone-modal-header{height:50px;background:#fcfcfc;padding:0 50px 0 16px;border-bottom:1px solid #ddd}.wc-backbone-modal-main .wc-backbone-modal-header h1{margin:0;font-size:18px;font-weight:700;line-height:50px}.wc-backbone-modal-main .wc-backbone-modal-header .modal-close-link{cursor:pointer;color:#777;height:50px;width:50px;padding:0;position:absolute;top:0;right:0;text-align:center;border:0;border-left:1px solid #ddd;background-color:transparent;-webkit-transition:color .1s ease-in-out,background .1s ease-in-out;transition:color .1s ease-in-out,background .1s ease-in-out}.wc-backbone-modal-main .wc-backbone-modal-header .modal-close-link:before{font:400 22px/50px dashicons!important;color:#666;display:block;content:'\f335';font-weight:300}.wc-backbone-modal-main .wc-backbone-modal-header .modal-close-link:focus,.wc-backbone-modal-main .wc-backbone-modal-header .modal-close-link:hover{background:#ddd;border-color:#ccc;color:#000}.wc-backbone-modal-main .wc-backbone-modal-header .modal-close-link:focus{outline:0}.wc-backbone-modal-main article{padding:10px 16px}.wc-backbone-modal-main article .pagination{padding:10px 0 0;text-align:center}.wc-backbone-modal-main footer{position:absolute;left:0;right:0;bottom:0;z-index:100;padding:10px 16px;background:#fcfcfc;border-top:1px solid #dfdfdf;box-shadow:0 -4px 4px -4px rgba(0,0,0,.1)}.wc-backbone-modal-main footer .inner{float:right;line-height:23px}.wc-backbone-modal-main footer .inner .button{margin-bottom:0}.select2-drop{z-index:999999!important}.select2-container-multi .select2-choices .select2-search-field input{font-family:inherit;font-size:inherit;font-weight:inherit;padding:3px 5px}.select2-container{line-height:1.85em;font-size:14px} \ No newline at end of file +@charset "UTF-8";@-webkit-keyframes spin{100%{-webkit-transform:rotate(360deg)}}@-moz-keyframes spin{100%{-moz-transform:rotate(360deg)}}@keyframes spin{100%{-webkit-transform:rotate(360deg);-moz-transform:rotate(360deg);-ms-transform:rotate(360deg);-o-transform:rotate(360deg);transform:rotate(360deg)}}.woocommerce-checkout .form-row .chosen-container{width:100%!important}.woocommerce-checkout .form-row .chosen-container-single .chosen-single{height:28px;line-height:29px}.woocommerce-checkout .form-row .chosen-container-single .chosen-single div b{background:url(../images/chosen-sprite.png) 0 3px no-repeat!important}.woocommerce-checkout .form-row .chosen-container-active .chosen-single-with-drop div b{background-position:-18px 4px!important}.woocommerce-checkout .form-row .chosen-container-single .chosen-search input{line-height:13px;width:100%!important;-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}.woocommerce-checkout .form-row .chosen-container .chosen-drop{width:100%!important;-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}@media only screen and (-webkit-min-device-pixel-ratio:2),only screen and (min-resolution:144dpi){.woocommerce-checkout .form-row .chosen-container-single .chosen-single div b{background-image:url(../images/chosen-sprite@2x.png)!important;background-position:0 5px!important;background-repeat:no-repeat!important;background-size:52px 37px!important}.woocommerce-checkout .form-row .chosen-container-active .chosen-single-with-drop div b{background-position:-18px 5px!important}}.chosen-container{position:relative;display:inline-block;vertical-align:middle;font-size:13px;zoom:1;-webkit-user-select:none;-moz-user-select:none;user-select:none}.chosen-container .chosen-drop{position:absolute;top:100%;left:-9999px;z-index:1010;-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;width:100%;border:1px solid #aaa;border-top:0;background:#fff;box-shadow:0 4px 5px rgba(0,0,0,.15)}.chosen-container.chosen-with-drop .chosen-drop{left:0}.chosen-container a{cursor:pointer}.chosen-container-single .chosen-single{position:relative;display:block;overflow:hidden;padding:0 0 0 8px;height:26px;border:1px solid #aaa;border-radius:5px;background-color:#fff;background:-webkit-gradient(linear,50% 0,50% 100%,color-stop(20%,#fff),color-stop(50%,#f6f6f6),color-stop(52%,#eee),color-stop(100%,#f4f4f4));background:-webkit-linear-gradient(top,#fff 20%,#f6f6f6 50%,#eee 52%,#f4f4f4 100%);background:-moz-linear-gradient(top,#fff 20%,#f6f6f6 50%,#eee 52%,#f4f4f4 100%);background:-o-linear-gradient(top,#fff 20%,#f6f6f6 50%,#eee 52%,#f4f4f4 100%);background:linear-gradient(top,#fff 20%,#f6f6f6 50%,#eee 52%,#f4f4f4 100%);background-clip:padding-box;box-shadow:0 0 3px #fff inset,0 1px 1px rgba(0,0,0,.1);color:#444;text-decoration:none;white-space:nowrap;line-height:26px}.chosen-container-single .chosen-default{color:#999}.chosen-container-single .chosen-single span{display:block;overflow:hidden;margin-right:26px;text-overflow:ellipsis;white-space:nowrap}.chosen-container-single .chosen-single-with-deselect span{margin-right:38px}.chosen-container-single .chosen-single abbr{position:absolute;top:6px;right:26px;display:block;width:12px;height:12px;background:url(../images/chosen-sprite.png) -42px 1px no-repeat;font-size:1px}.chosen-container-single .chosen-single abbr:hover,.chosen-container-single.chosen-disabled .chosen-single abbr:hover{background-position:-42px -10px}.chosen-container-single .chosen-single div{position:absolute;top:0;right:0;display:block;width:18px;height:100%}.chosen-container-single .chosen-single div b{display:block;width:100%;height:100%;background:url(../images/chosen-sprite.png) 0 2px no-repeat}.chosen-container-single .chosen-search{position:relative;z-index:1010;margin:0;padding:3px 4px;white-space:nowrap}.chosen-container-single .chosen-search input[type=text]{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;margin:1px 0;padding:4px 20px 4px 5px;width:100%;height:auto;outline:0;border:1px solid #aaa;background:url(../images/chosen-sprite.png) 100% -20px no-repeat #fff;background:url(../images/chosen-sprite.png) 100% -20px no-repeat,-webkit-gradient(linear,50% 0,50% 100%,color-stop(1%,#eee),color-stop(15%,#fff));background:url(../images/chosen-sprite.png) 100% -20px no-repeat,-webkit-linear-gradient(#eee 1%,#fff 15%);background:url(../images/chosen-sprite.png) 100% -20px no-repeat,-moz-linear-gradient(#eee 1%,#fff 15%);background:url(../images/chosen-sprite.png) 100% -20px no-repeat,-o-linear-gradient(#eee 1%,#fff 15%);background:url(../images/chosen-sprite.png) 100% -20px no-repeat,linear-gradient(#eee 1%,#fff 15%);font-size:1em;font-family:sans-serif;line-height:normal;border-radius:0}.chosen-container-single .chosen-drop{margin-top:-1px;border-radius:0 0 4px 4px;background-clip:padding-box}.chosen-container-single.chosen-container-single-nosearch .chosen-search{position:absolute;left:-9999px}.chosen-container .chosen-results{position:relative;overflow-x:hidden;overflow-y:auto;margin:0 4px 4px 0;padding:0 0 0 4px;max-height:240px;-webkit-overflow-scrolling:touch}.chosen-container .chosen-results li{display:none;margin:0;padding:5px 6px;list-style:none;line-height:15px}.chosen-container .chosen-results li.active-result{display:list-item;cursor:pointer}.chosen-container .chosen-results li.disabled-result{display:list-item;color:#ccc;cursor:default}.chosen-container .chosen-results li.highlighted{background-color:#3875d7;background-image:-webkit-gradient(linear,50% 0,50% 100%,color-stop(20%,#3875d7),color-stop(90%,#2a62bc));background-image:-webkit-linear-gradient(#3875d7 20%,#2a62bc 90%);background-image:-moz-linear-gradient(#3875d7 20%,#2a62bc 90%);background-image:-o-linear-gradient(#3875d7 20%,#2a62bc 90%);background-image:linear-gradient(#3875d7 20%,#2a62bc 90%);color:#fff}.chosen-container .chosen-results li.no-results{display:list-item;background:#f4f4f4}.chosen-container .chosen-results li.group-result{display:list-item;font-weight:700;cursor:default}.chosen-container .chosen-results li.group-option{padding-left:15px}.chosen-container .chosen-results li em{font-style:normal;text-decoration:underline}.chosen-container-multi .chosen-choices{position:relative;overflow:hidden;-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;margin:0;padding:0;width:100%;height:auto!important;height:1%;border:1px solid #aaa;background-color:#fff;background-image:-webkit-gradient(linear,50% 0,50% 100%,color-stop(1%,#eee),color-stop(15%,#fff));background-image:-webkit-linear-gradient(#eee 1%,#fff 15%);background-image:-moz-linear-gradient(#eee 1%,#fff 15%);background-image:-o-linear-gradient(#eee 1%,#fff 15%);background-image:linear-gradient(#eee 1%,#fff 15%);cursor:text}.chosen-container-multi .chosen-choices li{float:left;list-style:none}.chosen-container-multi .chosen-choices li.search-field{margin:0;padding:0;white-space:nowrap}.chosen-container-multi .chosen-choices li.search-field input[type=text]{margin:1px 0;padding:5px;height:15px;outline:0;border:0!important;background:0 0!important;box-shadow:none;color:#666;font-size:100%;font-family:sans-serif;line-height:normal;border-radius:0}.chosen-container-multi .chosen-choices li.search-field .default{color:#999}.chosen-container-multi .chosen-choices li.search-choice{position:relative;margin:3px 0 3px 5px;padding:3px 20px 3px 5px;border:1px solid #aaa;border-radius:3px;background-color:#e4e4e4;background-image:-webkit-gradient(linear,50% 0,50% 100%,color-stop(20%,#f4f4f4),color-stop(50%,#f0f0f0),color-stop(52%,#e8e8e8),color-stop(100%,#eee));background-image:-webkit-linear-gradient(#f4f4f4 20%,#f0f0f0 50%,#e8e8e8 52%,#eee 100%);background-image:-moz-linear-gradient(#f4f4f4 20%,#f0f0f0 50%,#e8e8e8 52%,#eee 100%);background-image:-o-linear-gradient(#f4f4f4 20%,#f0f0f0 50%,#e8e8e8 52%,#eee 100%);background-image:linear-gradient(#f4f4f4 20%,#f0f0f0 50%,#e8e8e8 52%,#eee 100%);background-clip:padding-box;box-shadow:0 0 2px #fff inset,0 1px 0 rgba(0,0,0,.05);color:#333;line-height:13px;cursor:default}.chosen-container-multi .chosen-choices li.search-choice .search-choice-close{position:absolute;top:4px;right:3px;display:block;width:12px;height:12px;background:url(../images/chosen-sprite.png) -42px 1px no-repeat;font-size:1px}.chosen-container-multi .chosen-choices li.search-choice .search-choice-close:hover{background-position:-42px -10px}.chosen-container-multi .chosen-choices li.search-choice-disabled{padding-right:5px;border:1px solid #ccc;background-color:#e4e4e4;background-image:-webkit-gradient(linear,50% 0,50% 100%,color-stop(20%,#f4f4f4),color-stop(50%,#f0f0f0),color-stop(52%,#e8e8e8),color-stop(100%,#eee));background-image:-webkit-linear-gradient(top,#f4f4f4 20%,#f0f0f0 50%,#e8e8e8 52%,#eee 100%);background-image:-moz-linear-gradient(top,#f4f4f4 20%,#f0f0f0 50%,#e8e8e8 52%,#eee 100%);background-image:-o-linear-gradient(top,#f4f4f4 20%,#f0f0f0 50%,#e8e8e8 52%,#eee 100%);background-image:linear-gradient(top,#f4f4f4 20%,#f0f0f0 50%,#e8e8e8 52%,#eee 100%);color:#666}.chosen-container-multi .chosen-choices li.search-choice-focus{background:#d4d4d4}.chosen-container-multi .chosen-choices li.search-choice-focus .search-choice-close{background-position:-42px -10px}.chosen-container-multi .chosen-results{margin:0;padding:0}.chosen-container-multi .chosen-drop .result-selected{display:list-item;color:#ccc;cursor:default}.chosen-container-active .chosen-single{border:1px solid #5897fb;box-shadow:0 0 5px rgba(0,0,0,.3)}.chosen-container-active.chosen-with-drop .chosen-single{border:1px solid #aaa;-moz-border-radius-bottomright:0;border-bottom-right-radius:0;-moz-border-radius-bottomleft:0;border-bottom-left-radius:0;background-image:-webkit-gradient(linear,50% 0,50% 100%,color-stop(20%,#eee),color-stop(80%,#fff));background-image:-webkit-linear-gradient(#eee 20%,#fff 80%);background-image:-moz-linear-gradient(#eee 20%,#fff 80%);background-image:-o-linear-gradient(#eee 20%,#fff 80%);background-image:linear-gradient(#eee 20%,#fff 80%);box-shadow:0 1px 0 #fff inset}.chosen-container-active.chosen-with-drop .chosen-single div{border-left:none;background:0 0}.chosen-container-active.chosen-with-drop .chosen-single div b{background-position:-18px 2px}.chosen-container-active .chosen-choices{border:1px solid #5897fb;box-shadow:0 0 5px rgba(0,0,0,.3)}.chosen-container-active .chosen-choices li.search-field input[type=text]{color:#111!important}.chosen-disabled{opacity:.5!important;cursor:default}.chosen-disabled .chosen-choices .search-choice .search-choice-close,.chosen-disabled .chosen-single{cursor:default}.chosen-rtl{text-align:right}.chosen-rtl .chosen-single{overflow:visible;padding:0 8px 0 0}.chosen-rtl .chosen-single span{margin-right:0;margin-left:26px;direction:rtl}.chosen-rtl .chosen-single-with-deselect span{margin-left:38px}.chosen-rtl .chosen-single div{right:auto;left:3px}.chosen-rtl .chosen-single abbr{right:auto;left:26px}.chosen-rtl .chosen-choices li{float:right}.chosen-rtl .chosen-choices li.search-field input[type=text]{direction:rtl}.chosen-rtl .chosen-choices li.search-choice{margin:3px 5px 3px 0;padding:3px 5px 3px 19px}.chosen-rtl .chosen-choices li.search-choice .search-choice-close{right:auto;left:4px}.chosen-rtl .chosen-drop,.chosen-rtl.chosen-container-single-nosearch .chosen-search{left:9999px}.chosen-rtl.chosen-container-single .chosen-results{margin:0 0 4px 4px;padding:0 4px 0 0}.chosen-rtl .chosen-results li.group-option{padding-right:15px;padding-left:0}.chosen-rtl.chosen-container-active.chosen-with-drop .chosen-single div{border-right:none}.chosen-rtl .chosen-search input[type=text]{padding:4px 5px 4px 20px;background:url(../images/chosen-sprite.png) -30px -20px no-repeat #fff;background:url(../images/chosen-sprite.png) -30px -20px no-repeat,-webkit-gradient(linear,50% 0,50% 100%,color-stop(1%,#eee),color-stop(15%,#fff));background:url(../images/chosen-sprite.png) -30px -20px no-repeat,-webkit-linear-gradient(#eee 1%,#fff 15%);background:url(../images/chosen-sprite.png) -30px -20px no-repeat,-moz-linear-gradient(#eee 1%,#fff 15%);background:url(../images/chosen-sprite.png) -30px -20px no-repeat,-o-linear-gradient(#eee 1%,#fff 15%);background:url(../images/chosen-sprite.png) -30px -20px no-repeat,linear-gradient(#eee 1%,#fff 15%);direction:rtl}.chosen-rtl.chosen-container-single .chosen-single div b{background-position:6px 2px}.chosen-rtl.chosen-container-single.chosen-with-drop .chosen-single div b{background-position:-12px 2px}@media only screen and (-webkit-min-device-pixel-ratio:2),only screen and (min-resolution:144dpi){.chosen-container .chosen-results-scroll-down span,.chosen-container .chosen-results-scroll-up span,.chosen-container-multi .chosen-choices .search-choice .search-choice-close,.chosen-container-single .chosen-search input[type=text],.chosen-container-single .chosen-single abbr,.chosen-container-single .chosen-single div b,.chosen-rtl .chosen-search input[type=text]{background-image:url(../images/chosen-sprite@2x.png)!important;background-size:52px 37px!important;background-repeat:no-repeat!important}}.select2-container{margin:0;position:relative;display:block!important;zoom:1;vertical-align:middle}.select2-container,.select2-drop,.select2-search,.select2-search input{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}.select2-container .select2-choice{display:block;padding:0 0 0 8px;overflow:hidden;position:relative;border:1px solid #ccc;white-space:nowrap;color:#444;text-decoration:none;border-radius:3px;background-clip:padding-box;-webkit-touch-callout:none;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;background-color:#fff;font-weight:400}html[dir=rtl] .select2-container .select2-choice{padding:0 8px 0 0}.select2-container.select2-drop-above .select2-choice{border-bottom-color:#ccc;border-radius:0 0 4px 4px}.select2-container.select2-allowclear .select2-choice .select2-chosen{margin-right:42px}.select2-container .select2-choice>.select2-chosen{margin-right:26px;display:block;overflow:hidden;white-space:nowrap;text-overflow:ellipsis;float:none;width:auto}html[dir=rtl] .select2-container .select2-choice>.select2-chosen{margin-left:26px;margin-right:0}.select2-container .select2-choice abbr{display:none;width:12px;height:12px;position:absolute;right:24px;top:5px;font-size:1px;text-decoration:none;border:0;background:url(../images/select2.png) right top no-repeat;cursor:pointer;outline:0}.select2-container.select2-allowclear .select2-choice abbr{display:inline-block}.select2-container .select2-choice abbr:hover{background-position:right -11px;cursor:pointer}.select2-drop-mask{border:0;margin:0;padding:0;position:fixed;left:0;top:0;min-height:100%;min-width:100%;height:auto;width:auto;opacity:0;z-index:9998;background-color:#fff;filter:alpha(opacity=0)}.select2-drop{width:100%;margin-top:-1px;position:absolute;top:100%;background:#fff;color:#000;border:1px solid #ccc;border-top:0;border-radius:0 0 3px 3px}.select2-drop.select2-drop-above{margin-top:1px;border-top:1px solid #ccc;border-bottom:0;border-radius:3px 3px 0 0}.select2-drop-active{border:1px solid #666;border-top:none}.select2-drop.select2-drop-above.select2-drop-active{border-top:1px solid #666}.select2-drop-auto-width{border-top:1px solid #ccc;width:auto}.select2-drop-auto-width .select2-search{padding-top:4px}.select2-container .select2-choice .select2-arrow{display:inline-block;width:18px;height:100%;position:absolute;right:0;top:0;border-radius:0 3px 3px 0;background-clip:padding-box}html[dir=rtl] .select2-container .select2-choice .select2-arrow{left:0;right:auto;border-radius:3px 0 0 3px}.select2-container .select2-choice .select2-arrow b{display:block;width:100%;height:100%;position:relative}.select2-container .select2-choice .select2-arrow b:after{position:absolute;display:block;content:"";top:50%;left:50%;border:4px solid transparent;border-top-color:#666;margin-left:-7px;margin-top:-2px}.select2-search{display:inline-block;width:100%;margin:0;padding-left:4px;padding-right:4px;position:relative;z-index:10000;white-space:nowrap;padding-bottom:4px}.select2-search input{width:100%;height:auto!important;padding:4px 20px 4px 5px!important;margin:0;outline:0;font-family:sans-serif;font-size:1em;border:1px solid #ccc;-webkit-box-shadow:none;box-shadow:none;background:url(../images/select2.png) 100% -22px no-repeat #fff}html[dir=rtl] .select2-search input{padding:4px 5px 4px 20px;background:url(../images/select2.png) -37px -22px no-repeat #fff}.select2-drop.select2-drop-above .select2-search input{margin-top:4px}.select2-search input.select2-active{background:url(../images/select2-spinner.gif) 100% no-repeat #fff}.select2-container-active .select2-choice,.select2-container-active .select2-choices{border:1px solid #666;outline:0}.select2-dropdown-open .select2-choice{border-bottom-color:transparent;-webkit-box-shadow:0 1px 0 #fff inset;box-shadow:0 1px 0 #fff inset;border-bottom-left-radius:0;border-bottom-right-radius:0}.select2-dropdown-open .select2-choice .select2-arrow b:after{border-top-color:transparent;border-bottom-color:#666;margin-top:-6px}.select2-dropdown-open.select2-drop-above .select2-choice,.select2-dropdown-open.select2-drop-above .select2-choices{border:1px solid #666;border-top-color:transparent}.select2-dropdown-open .select2-choice .select2-arrow{background:0 0;border-left:none;filter:none}html[dir=rtl] .select2-dropdown-open .select2-choice .select2-arrow{border-right:none}.select2-dropdown-open .select2-choice .select2-arrow b{background-position:-18px 1px}html[dir=rtl] .select2-dropdown-open .select2-choice .select2-arrow b{background-position:-16px 1px}.select2-hidden-accessible{border:0;clip:rect(0 0 0 0);height:1px;margin:-1px;overflow:hidden;padding:0;position:absolute;width:1px}.select2-results{max-height:200px;padding:4px;margin:0;position:relative;overflow-x:hidden;overflow-y:auto;-webkit-tap-highlight-color:transparent;background:#fafafa}html[dir=rtl] .select2-results{padding:0 4px 0 0;margin:4px 0 4px 4px}.select2-results ul.select2-result-sub{margin:0;padding-left:0}.select2-results li{list-style:none;display:list-item;background-image:none;margin:3px 0}.select2-results li.select2-result-with-children>.select2-result-label{font-weight:700}.select2-results .select2-result-label{padding:5px 7px;margin:0;cursor:pointer;min-height:1em;-webkit-touch-callout:none;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.select2-results-dept-1 .select2-result-label{padding-left:20px}.select2-results-dept-2 .select2-result-label{padding-left:40px}.select2-results-dept-3 .select2-result-label{padding-left:60px}.select2-results-dept-4 .select2-result-label{padding-left:80px}.select2-results-dept-5 .select2-result-label{padding-left:100px}.select2-results-dept-6 .select2-result-label{padding-left:110px}.select2-results-dept-7 .select2-result-label{padding-left:120px}.select2-results .select2-highlighted{background:#f1f1f1;color:#000;border-radius:3px}.select2-results li em{background:#feffde;font-style:normal}.select2-results .select2-highlighted em{background:0 0}.select2-results .select2-highlighted ul{background:#fff;color:#000}.select2-results .select2-ajax-error,.select2-results .select2-no-results,.select2-results .select2-searching,.select2-results .select2-selection-limit{background:#f4f4f4;display:list-item;padding-left:5px}.select2-results .select2-disabled.select2-highlighted{color:#666;background:#f4f4f4;display:list-item;cursor:default}.select2-results .select2-disabled{background:#f4f4f4;display:list-item;cursor:default}.select2-results .select2-selected{display:none}.select2-more-results.select2-active{background:url(../images/select2-spinner.gif) 100% no-repeat #f4f4f4}.select2-results .select2-ajax-error{background:rgba(255,50,50,.2)}.select2-more-results{background:#f4f4f4;display:list-item}.select2-container.select2-container-disabled .select2-choice{background-color:#f4f4f4;background-image:none;border:1px solid #ddd;cursor:default}.select2-container.select2-container-disabled .select2-choice .select2-arrow{background-color:#f4f4f4;background-image:none;border-left:0}.select2-container.select2-container-disabled .select2-choice abbr{display:none}.select2-container-multi .select2-choices{height:auto!important;height:1%;margin:0;padding:0 5px 0 0;position:relative;border:1px solid #ccc;cursor:text;overflow:hidden;background-color:#fff;min-height:26px}html[dir=rtl] .select2-container-multi .select2-choices{padding:0 0 0 5px}.select2-locked{padding:3px 5px!important}.select2-container-multi.select2-container-active .select2-choices{border:1px solid #666;outline:0}.select2-container-multi .select2-choices li{float:left;list-style:none}html[dir=rtl] .select2-container-multi .select2-choices li{float:right}.select2-container-multi .select2-choices .select2-search-field{margin:0;padding:0;white-space:nowrap}.select2-container-multi .select2-choices .select2-search-field input{margin:1px 0;outline:0;border:0;-webkit-box-shadow:none;box-shadow:none;background:0 0!important}.select2-container-multi .select2-choices .select2-search-field input.select2-active{background:url(../images/select2-spinner.gif) 100% no-repeat #fff!important}.select2-default{color:#999!important}.select2-container-multi .select2-choices .select2-search-choice{padding:5px 8px 5px 24px;margin:3px 0 3px 5px;position:relative;line-height:15px;color:#333;cursor:default;border-radius:2px;background-clip:padding-box;-webkit-touch-callout:none;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;background-color:#e4e4e4}html[dir=rtl] .select2-container-multi .select2-choices .select2-search-choice{margin:3px 5px 3px 0;padding:5px 24px 5px 8px}.select2-container-multi .select2-choices .select2-search-choice .select2-chosen{cursor:default}.select2-container-multi .select2-choices .select2-search-choice-focus{background:#d4d4d4}.select2-search-choice-close{display:block;width:12px;height:13px;position:absolute;right:7px;top:6px;font-size:1px;outline:0;background:url(../images/select2.png) right top no-repeat}html[dir=rtl] .select2-search-choice-close{right:auto;left:7px}.select2-container-multi .select2-search-choice-close{left:7px}html[dir=rtl] .select2-container-multi .select2-search-choice-close{left:auto;right:7px}.select2-container-multi .select2-choices .select2-search-choice .select2-search-choice-close:hover,.select2-container-multi .select2-choices .select2-search-choice-focus .select2-search-choice-close{background-position:right -11px}.select2-container-multi.select2-container-disabled .select2-choices{background-color:#f4f4f4;background-image:none;border:1px solid #ddd;cursor:default}.select2-container-multi.select2-container-disabled .select2-choices .select2-search-choice{padding:3px 5px;border:1px solid #ddd;background-image:none;background-color:#f4f4f4}.select2-container-multi.select2-container-disabled .select2-choices .select2-search-choice .select2-search-choice-close{display:none;background:0 0}.select2-result-selectable .select2-match,.select2-result-unselectable .select2-match{text-decoration:underline}.select2-offscreen,.select2-offscreen:focus{clip:rect(0 0 0 0)!important;width:1px!important;height:1px!important;border:0!important;margin:0!important;padding:0!important;overflow:hidden!important;position:absolute!important;outline:0!important;left:0!important;top:0!important}.select2-display-none{display:none}.select2-measure-scrollbar{position:absolute;top:-10000px;left:-10000px;width:100px;height:100px;overflow:scroll}@media only screen and (-webkit-min-device-pixel-ratio:1.5),only screen and (min-resolution:2dppx){.select2-search input{background-image:url(../images/select2x2.png)!important;background-repeat:no-repeat!important;background-size:60px 40px!important;background-position:100% -21px!important}}@font-face{font-family:star;src:url(../fonts/star.eot);src:url(../fonts/star.eot?#iefix) format("embedded-opentype"),url(../fonts/star.woff) format("woff"),url(../fonts/star.ttf) format("truetype"),url(../fonts/star.svg#star) format("svg");font-weight:400;font-style:normal}@font-face{font-family:WooCommerce;src:url(../fonts/WooCommerce.eot);src:url(../fonts/WooCommerce.eot?#iefix) format("embedded-opentype"),url(../fonts/WooCommerce.woff) format("woff"),url(../fonts/WooCommerce.ttf) format("truetype"),url(../fonts/WooCommerce.svg#WooCommerce) format("svg");font-weight:400;font-style:normal}.blockUI.blockOverlay:before{height:1em;width:1em;position:absolute;top:50%;left:50%;margin-left:-.5em;margin-top:-.5em;display:block;content:"";-webkit-animation:spin 1s ease-in-out infinite;-moz-animation:spin 1s ease-in-out infinite;animation:spin 1s ease-in-out infinite;background:url(../images/icons/loader.svg) center center;background-size:cover;line-height:1;text-align:center;font-size:2em;color:rgba(0,0,0,.75)}.wc_addons_wrap .products{overflow:hidden}.wc_addons_wrap .products li{float:left;margin:0 1em 1em 0!important;padding:0;vertical-align:top;width:300px}.wc_addons_wrap .products li a{text-decoration:none;color:inherit;border:1px solid #ddd;display:block;min-height:220px;overflow:hidden;background:#f5f5f5;-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.2),inset 0 -1px 0 rgba(0,0,0,.1);box-shadow:inset 0 1px 0 rgba(255,255,255,.2),inset 0 -1px 0 rgba(0,0,0,.1)}.wc_addons_wrap .products li a img{max-width:258px;max-height:24px;padding:17px 20px;display:block;margin:0;background:#fff;border-right:260px solid #fff}.wc_addons_wrap .products li a .price,.wc_addons_wrap .products li a img.extension-thumb+h3{display:none}.wc_addons_wrap .products li a h3{margin:0!important;padding:20px!important;background:#fff}.wc_addons_wrap .products li a p{padding:20px!important;margin:0!important;border-top:1px solid #f1f1f1}.wc_addons_wrap .products li a:focus,.wc_addons_wrap .products li a:hover{background-color:#fff}.wc_addons_wrap .storefront{background:url(../images/storefront-bg.jpg) bottom right #f6f6f6;border:1px solid #ddd;padding:20px;overflow:hidden;zoom:1}.wc_addons_wrap .storefront img{width:278px;height:auto;float:left;margin:0 20px 0 0;box-shadow:0 1px 6px rgba(0,0,0,.1)}.wc_addons_wrap .storefront p{max-width:750px}.woocommerce-message{position:relative;border-left-color:#cc99c2!important;overflow:hidden}.woocommerce-message a.button-primary,.woocommerce-message button.button-primary{background:#bb77ae;border-color:#aa559a;-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.25),0 1px 0 rgba(0,0,0,.15);box-shadow:inset 0 1px 0 rgba(255,255,255,.25),0 1px 0 rgba(0,0,0,.15);color:#fff;text-decoration:none!important;text-shadow:0 -1px 1px #8a4f7f,1px 0 1px #8a4f7f,0 1px 1px #8a4f7f,-1px 0 1px #8a4f7f}.woocommerce-message a.button-primary:hover,.woocommerce-message button.button-primary:hover{background:#c480b7;border-color:#aa559a;-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.25),0 1px 0 rgba(0,0,0,.15);box-shadow:inset 0 1px 0 rgba(255,255,255,.25),0 1px 0 rgba(0,0,0,.15)}.woocommerce-message a.button-primary:active,.woocommerce-message button.button-primary:active{background:#aa559a;border-color:#873A79;-webkit-box-shadow:inset 0 2px 0 #873A79;box-shadow:inset 0 2px 0 #873A79}.woocommerce-message a.button-primary:focus,.woocommerce-message button.button-primary:focus{background:#bb77ae;border-color:#aa559a;-webkit-box-shadow:0 1px 0 #bb77ae,0 0 2px 1px #aa559a;box-shadow:0 1px 0 #bb77ae,0 0 2px 1px #aa559a}.woocommerce-message a.docs,.woocommerce-message a.skip{opacity:.5;text-decoration:none!important}.woocommerce-message .twitter-share-button{margin-top:-3px;margin-left:3px;vertical-align:middle}#variable_product_options #message{margin:10px}.clear{clear:both}#woocommerce-fields-bulk.inline-edit-col label,#woocommerce-fields.inline-edit-col{clear:left}.wrap.woocommerce div.error,.wrap.woocommerce div.updated{margin-top:10px}mark.amount{background:0 0;color:inherit}.postbox,.woocommerce{input:invalid;input-border:1px solid #cc010b;input-background:#ffebe8}.simplify-commerce-banner{overflow:hidden}.simplify-commerce-banner img{float:right;padding:15px 0;margin-left:1em;width:200px}table.wc_status_table{margin-bottom:1em}table.wc_status_table tr:nth-child(2n) td,table.wc_status_table tr:nth-child(2n) th{background:#fcfcfc}table.wc_status_table th{font-weight:700;padding:9px}table.wc_status_table td:first-child{width:33%}table.wc_status_table td.help{width:1em}table.wc_status_table td{padding:9px;font-size:1.1em}table.wc_status_table td mark{background:0 0}table.wc_status_table td mark.yes{color:#7ad03a}table.wc_status_table td mark.no{color:#999}table.wc_status_table td mark.error{color:#a00}table.wc_status_table td ul{margin:0}table.wc_status_table .help_tip{cursor:help}#debug-report{display:none;margin:10px 0;padding:0;position:relative}#debug-report textarea{font-family:monospace;width:100%;margin:0;height:300px;padding:20px;-moz-border-radius:0;-webkit-border-radius:0;border-radius:0;resize:none;font-size:12px;line-height:20px;outline:0}#log-viewer-select{padding:10px 0 8px;line-height:180%}#log-viewer textarea{width:100%;resize:vertical}.inline-edit-product.quick-edit-row .inline-edit-col-center,.inline-edit-product.quick-edit-row .inline-edit-col-right{float:right!important}#woocommerce-fields.inline-edit-col label.featured,#woocommerce-fields.inline-edit-col label.manage_stock{margin-left:10px}#woocommerce-fields.inline-edit-col .dimensions div{display:block;margin:.2em 0}#woocommerce-fields.inline-edit-col .dimensions div span.title{display:block;float:left;width:5em}#woocommerce-fields.inline-edit-col .dimensions div span.input-text-wrap{display:block;margin-left:5em}#woocommerce-fields.inline-edit-col .text{box-sizing:border-box;width:99%;float:left;margin:1px 1% 1px 1px}#woocommerce-fields.inline-edit-col .height,#woocommerce-fields.inline-edit-col .length,#woocommerce-fields.inline-edit-col .width{width:32.33%}#woocommerce-fields.inline-edit-col .height{margin-right:0}#woocommerce-fields-bulk.inline-edit-col .inline-edit-group label{clear:none;width:49%;margin:.2em 0}#woocommerce-fields-bulk.inline-edit-col .inline-edit-group.dimensions label{width:75%;max-width:75%}#woocommerce-fields-bulk.inline-edit-col .length,#woocommerce-fields-bulk.inline-edit-col .regular_price,#woocommerce-fields-bulk.inline-edit-col .sale_price,#woocommerce-fields-bulk.inline-edit-col .stock,#woocommerce-fields-bulk.inline-edit-col .weight{box-sizing:border-box;width:100%;margin-left:4.4em}#woocommerce-fields-bulk.inline-edit-col .height,#woocommerce-fields-bulk.inline-edit-col .length,#woocommerce-fields-bulk.inline-edit-col .width{box-sizing:border-box;width:25%}.column-coupon_code{line-height:2.25em}.column-coupon_code,ul.wc_coupon_list{margin:0;overflow:hidden;zoom:1;clear:both}ul.wc_coupon_list li{margin:0}ul.wc_coupon_list li.code{display:inline-block}ul.wc_coupon_list li.code:after{content:", "}ul.wc_coupon_list li.code:last-of-type:after{display:none}ul.wc_coupon_list li.code .tips{cursor:pointer}ul.wc_coupon_list_block{margin:0;padding-bottom:2px}ul.wc_coupon_list_block li{border-top:1px solid #fff;border-bottom:1px solid #ccc;line-height:2.5em;margin:0;padding:.5em 0}ul.wc_coupon_list_block li:first-child{border-top:0;padding-top:0}ul.wc_coupon_list_block li:last-child{border-bottom:0;padding-bottom:0}.button.wc-reload{text-indent:-9999px;position:relative;padding:0;-webkit-border-radius:100%;border-radius:100%;height:24px;width:24px!important;display:inline-block}.button.wc-reload:after{font-family:WooCommerce;speak:none;font-weight:400;font-variant:normal;text-transform:none;-webkit-font-smoothing:antialiased;margin:0;text-indent:0;position:absolute;top:0;left:0;width:100%;height:100%;text-align:center;content:"";line-height:22px}#order_data h2,#order_data p.order_number{font-family:HelveticaNeue-Light,"Helvetica Neue Light","Helvetica Neue",sans-serif;font-weight:400}.tablenav .actions{overflow:visible}.tablenav .select2-container{float:left;max-width:200px;font-size:14px;vertical-align:middle;margin:1px 6px 1px 1px}#woocommerce-order-data .handlediv,#woocommerce-order-data .hndle{display:none}#woocommerce-order-data .inside{display:block!important}#order_data{padding:23px 24px 12px}#order_data h2{margin:0;font-size:21px;line-height:1.2;text-shadow:1px 1px 1px #fff;padding:0}#order_data h4{color:#333;margin:1.33em 0 0}#order_data p{color:#777}#order_data p.order_number{margin:0;line-height:1.6em;font-size:16px}#order_data .order_data_column_container{clear:both}#order_data .order_data_column{width:32%;padding:0 2% 0 0;float:left}#order_data .order_data_column:last-child{padding-right:0}#order_data .order_data_column p{padding:0!important}#order_data .order_data_column .address strong{display:block}#order_data .order_data_column .form-field{float:left;width:48%;padding:0;margin:9px 0 0}#order_data .order_data_column .form-field label{display:block;padding:0 0 3px}#order_data .order_data_column .form-field input,#order_data .order_data_column .form-field select,#order_data .order_data_column .form-field textarea{width:100%}#order_data .order_data_column .form-field .select2-container{width:100%!important}#order_data .order_data_column .form-field .date-picker{width:50%}#order_data .order_data_column .form-field .hour,#order_data .order_data_column .form-field .minute{width:2.5em}#order_data .order_data_column .form-field small{display:block;margin:5px 0 0;color:#999}#order_data .order_data_column .form-field.last{float:right}#order_data .order_data_column .form-field-wide{width:100%;clear:both}#order_data .order_data_column .form-field-wide .wc-customer-search,#order_data .order_data_column .form-field-wide .wc-enhanced-select,#order_data .order_data_column .form-field-wide input,#order_data .order_data_column .form-field-wide select,#order_data .order_data_column .form-field-wide textarea{width:100%}#order_data .order_data_column p.none_set{color:#999}#order_data .order_data_column ._billing_address_1_field,#order_data .order_data_column ._billing_city_field,#order_data .order_data_column ._billing_country_field,#order_data .order_data_column ._billing_email_field,#order_data .order_data_column ._billing_first_name_field,#order_data .order_data_column ._shipping_address_1_field,#order_data .order_data_column ._shipping_city_field,#order_data .order_data_column ._shipping_country_field,#order_data .order_data_column ._shipping_first_name_field{float:left}#order_data .order_data_column ._billing_address_2_field,#order_data .order_data_column ._billing_last_name_field,#order_data .order_data_column ._billing_phone_field,#order_data .order_data_column ._billing_postcode_field,#order_data .order_data_column ._billing_state_field,#order_data .order_data_column ._shipping_address_2_field,#order_data .order_data_column ._shipping_last_name_field,#order_data .order_data_column ._shipping_postcode_field,#order_data .order_data_column ._shipping_state_field,#order_data .order_data_column .wc-customer-user label a{float:right}#order_data .order_data_column ._billing_company_field,#order_data .order_data_column ._shipping_company_field,#order_data .order_data_column ._transaction_id_field{clear:both;width:100%}#order_data .order_data_column ._billing_email_field{clear:left}#order_data .order_data_column div.edit_address{display:none;zoom:1;padding-right:1px}#order_data .order_data_column .billing-same-as-shipping,#order_data .order_data_column .load_customer_billing,#order_data .order_data_column .load_customer_shipping,#order_data .order_data_column a.edit_address{width:14px;height:0;padding:14px 0 0;margin:0 0 0 6px;overflow:hidden;position:relative;color:#999;border:0;float:right}#order_data .order_data_column .billing-same-as-shipping:focus,#order_data .order_data_column .billing-same-as-shipping:hover,#order_data .order_data_column .load_customer_billing:focus,#order_data .order_data_column .load_customer_billing:hover,#order_data .order_data_column .load_customer_shipping:focus,#order_data .order_data_column .load_customer_shipping:hover,#order_data .order_data_column a.edit_address:focus,#order_data .order_data_column a.edit_address:hover{color:#000}#order_data .order_data_column .billing-same-as-shipping:after,#order_data .order_data_column .load_customer_billing:after,#order_data .order_data_column .load_customer_shipping:after,#order_data .order_data_column a.edit_address:after{font-family:WooCommerce;position:absolute;top:0;left:0;text-align:center;vertical-align:top;line-height:14px;font-size:14px;font-weight:400;-webkit-font-smoothing:antialiased}#order_data .order_data_column .billing-same-as-shipping:after{content:"\e008"}#order_data .order_data_column .load_customer_billing:after,#order_data .order_data_column .load_customer_shipping:after{content:"\e03a"}#order_data .order_data_column a.edit_address:after{content:"\e603"}.order_actions{margin:0;overflow:hidden;zoom:1}.order_actions li{border-top:1px solid #fff;border-bottom:1px solid #ddd;padding:6px 0;margin:0;line-height:1.6em;float:left;width:50%;text-align:center}.order_actions li a{float:none;text-align:center;text-decoration:underline}.order_actions li.wide{width:auto;float:none;clear:both;padding:6px;text-align:left;overflow:hidden}.order_actions li #delete-action{line-height:25px;vertical-align:middle;text-align:left;float:left}.order_actions li .save_order{float:right}.order_actions li#actions{overflow:hidden}.order_actions li#actions .button{width:24px;box-sizing:border-box;float:right}.order_actions li#actions select{width:225px;box-sizing:border-box;float:left}#woocommerce-order-items .inside{margin:0;padding:0;background:#fefefe}#woocommerce-order-items .wc-order-data-row{border-bottom:1px solid #DFDFDF;padding:12px;background:#f8f8f8;line-height:2em;text-align:right}#woocommerce-order-items .wc-order-data-row:after,#woocommerce-order-items .wc-order-data-row:before{content:" ";display:table}#woocommerce-order-items .wc-order-data-row:after{clear:both}#woocommerce-order-items .wc-order-data-row p{margin:0;line-height:2em}#woocommerce-order-items .wc-order-data-row .wc-used-coupons{text-align:left}#woocommerce-order-items .wc-order-data-row .wc-used-coupons .tips{display:inline-block}#woocommerce-order-items .wc-order-bulk-actions{background:#fefefe;vertical-align:top;border-top:0}#woocommerce-order-items .wc-order-bulk-actions select{vertical-align:top}#woocommerce-order-items .wc-order-bulk-actions p.bulk-actions{float:left}#woocommerce-order-items .wc-order-add-item{background:#fff;vertical-align:top;border-top:none}#woocommerce-order-items .wc-order-add-item .add_item_id,#woocommerce-order-items .wc-order-add-item .select2-container{vertical-align:top}#woocommerce-order-items .wc-order-add-item .add_item_id .search-field input,#woocommerce-order-items .wc-order-add-item .select2-container .search-field input{min-width:100px}#woocommerce-order-items .wc-order-add-item .select2-container{width:400px!important;text-align:left}#woocommerce-order-items .wc-order-add-item .calculate-action,#woocommerce-order-items .wc-order-add-item .cancel-action,#woocommerce-order-items .wc-order-add-item .save-action{float:left;margin-right:2px}#woocommerce-order-items .wc-used-coupons{float:left;width:50%}#woocommerce-order-items .wc-order-totals{float:right;width:50%;margin:0;padding:0}#woocommerce-order-items .wc-order-totals .amount{font-weight:700}#woocommerce-order-items .wc-order-totals .label{vertical-align:top}#woocommerce-order-items .wc-order-totals .total{font-size:1em!important;width:10em;margin:0 0 0 .5em;box-sizing:border-box}#woocommerce-order-items .wc-order-totals .total input[type=text]{width:96%;float:right}#woocommerce-order-items .wc-order-totals .refunded-total{color:#a00}#woocommerce-order-items .refund-actions{margin-top:5px;padding-top:12px;border-top:1px solid #DFDFDF}#woocommerce-order-items .refund-actions .button{float:right;margin-left:4px}#woocommerce-order-items .refund-actions .cancel-action{float:left;margin-left:0}#woocommerce-order-items .add_meta{margin-left:0!important}#woocommerce-order-items h3 small{color:#999}#woocommerce-order-items .amount{white-space:nowrap}#woocommerce-order-items .add-items .description{margin-right:10px}.woocommerce_order_items_wrapper{margin:0;overflow:auto}.woocommerce_order_items_wrapper table.woocommerce_order_items{width:100%;background:#fff}.woocommerce_order_items_wrapper table.woocommerce_order_items thead th{background:#f8f8f8;padding:8px;font-size:11px;text-align:left;color:#555;-webkit-touch-callout:none;-webkit-user-select:none;-khtml-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.woocommerce_order_items_wrapper table.woocommerce_order_items thead th:last-child{padding-right:12px}.woocommerce_order_items_wrapper table.woocommerce_order_items thead th:first-child{padding-left:12px}.woocommerce_order_items_wrapper table.woocommerce_order_items thead th.sortable{cursor:pointer}.woocommerce_order_items_wrapper table.woocommerce_order_items tbody th,.woocommerce_order_items_wrapper table.woocommerce_order_items td{padding:8px;text-align:left;line-height:26px;vertical-align:top;border-bottom:1px dotted #ececec}.woocommerce_order_items_wrapper table.woocommerce_order_items tbody th textarea,.woocommerce_order_items_wrapper table.woocommerce_order_items td textarea{width:100%}.woocommerce_order_items_wrapper table.woocommerce_order_items tbody th select,.woocommerce_order_items_wrapper table.woocommerce_order_items td select{width:50%}.woocommerce_order_items_wrapper table.woocommerce_order_items tbody th input,.woocommerce_order_items_wrapper table.woocommerce_order_items tbody th textarea,.woocommerce_order_items_wrapper table.woocommerce_order_items td input,.woocommerce_order_items_wrapper table.woocommerce_order_items td textarea{font-size:14px;padding:4px;color:#555}.woocommerce_order_items_wrapper table.woocommerce_order_items tbody th:last-child,.woocommerce_order_items_wrapper table.woocommerce_order_items td:last-child{padding-right:12px}.woocommerce_order_items_wrapper table.woocommerce_order_items tbody th:first-child,.woocommerce_order_items_wrapper table.woocommerce_order_items td:first-child{padding-left:12px}.woocommerce_order_items_wrapper table.woocommerce_order_items tbody tr:last-child td{border-bottom:1px solid #dfdfdf}.woocommerce_order_items_wrapper table.woocommerce_order_items tbody tr:first-child td{border-top:8px solid #f8f8f8}.woocommerce_order_items_wrapper table.woocommerce_order_items tbody#order_line_items tr:first-child td{border-top:none}.woocommerce_order_items_wrapper table.woocommerce_order_items td.check-column{padding:8px 8px 8px 12px;width:1%}.woocommerce_order_items_wrapper table.woocommerce_order_items .item{min-width:200px}.woocommerce_order_items_wrapper table.woocommerce_order_items .center,.woocommerce_order_items_wrapper table.woocommerce_order_items .variation-id{text-align:center}.woocommerce_order_items_wrapper table.woocommerce_order_items .cost,.woocommerce_order_items_wrapper table.woocommerce_order_items .item_cost,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_cost,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_tax,.woocommerce_order_items_wrapper table.woocommerce_order_items .quantity,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax_class{text-align:right}.woocommerce_order_items_wrapper table.woocommerce_order_items .cost label,.woocommerce_order_items_wrapper table.woocommerce_order_items .item_cost label,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_cost label,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_tax label,.woocommerce_order_items_wrapper table.woocommerce_order_items .quantity label,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax label,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax_class label{white-space:nowrap;color:#999;font-size:.833em}.woocommerce_order_items_wrapper table.woocommerce_order_items .cost label input,.woocommerce_order_items_wrapper table.woocommerce_order_items .item_cost label input,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_cost label input,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_tax label input,.woocommerce_order_items_wrapper table.woocommerce_order_items .quantity label input,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax label input,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax_class label input{display:inline}.woocommerce_order_items_wrapper table.woocommerce_order_items .cost input,.woocommerce_order_items_wrapper table.woocommerce_order_items .item_cost input,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_cost input,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_tax input,.woocommerce_order_items_wrapper table.woocommerce_order_items .quantity input,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax input,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax_class input{width:70px;vertical-align:middle;text-align:right}.woocommerce_order_items_wrapper table.woocommerce_order_items .cost select,.woocommerce_order_items_wrapper table.woocommerce_order_items .item_cost select,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_cost select,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_tax select,.woocommerce_order_items_wrapper table.woocommerce_order_items .quantity select,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax select,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax_class select{width:85px;height:26px;vertical-align:middle;font-size:1em}.woocommerce_order_items_wrapper table.woocommerce_order_items .cost .split-input,.woocommerce_order_items_wrapper table.woocommerce_order_items .item_cost .split-input,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_cost .split-input,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_tax .split-input,.woocommerce_order_items_wrapper table.woocommerce_order_items .quantity .split-input,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax .split-input,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax_class .split-input{display:block;background:#fff;border:1px solid #ddd;box-shadow:inset 0 1px 2px rgba(0,0,0,.07);margin:1px;width:70px}.woocommerce_order_items_wrapper table.woocommerce_order_items .cost .split-input input,.woocommerce_order_items_wrapper table.woocommerce_order_items .item_cost .split-input input,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_cost .split-input input,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_tax .split-input input,.woocommerce_order_items_wrapper table.woocommerce_order_items .quantity .split-input input,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax .split-input input,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax_class .split-input input{width:100%;box-sizing:border-box;border:0;box-shadow:none;margin:0;color:#555;background:0 0}.woocommerce_order_items_wrapper table.woocommerce_order_items .cost .split-input input:last-child,.woocommerce_order_items_wrapper table.woocommerce_order_items .item_cost .split-input input:last-child,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_cost .split-input input:last-child,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_tax .split-input input:last-child,.woocommerce_order_items_wrapper table.woocommerce_order_items .quantity .split-input input:last-child,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax .split-input input:last-child,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax_class .split-input input:last-child{color:#bbb;border-top:1px dashed #ddd}.woocommerce_order_items_wrapper table.woocommerce_order_items .cost .view,.woocommerce_order_items_wrapper table.woocommerce_order_items .item_cost .view,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_cost .view,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_tax .view,.woocommerce_order_items_wrapper table.woocommerce_order_items .quantity .view,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax .view,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax_class .view{white-space:nowrap}.woocommerce_order_items_wrapper table.woocommerce_order_items .cost del,.woocommerce_order_items_wrapper table.woocommerce_order_items .item_cost del,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_cost del,.woocommerce_order_items_wrapper table.woocommerce_order_items .line_tax del,.woocommerce_order_items_wrapper table.woocommerce_order_items .quantity del,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax del,.woocommerce_order_items_wrapper table.woocommerce_order_items .tax_class del{color:#ccc}.woocommerce_order_items_wrapper table.woocommerce_order_items .quantity{text-align:center}.woocommerce_order_items_wrapper table.woocommerce_order_items .quantity input{text-align:center;width:50px}.woocommerce_order_items_wrapper table.woocommerce_order_items span.subtotal{opacity:.5}.woocommerce_order_items_wrapper table.woocommerce_order_items td.tax_class,.woocommerce_order_items_wrapper table.woocommerce_order_items th.tax_class{text-align:left}.woocommerce_order_items_wrapper table.woocommerce_order_items .calculated{border-color:#ae8ca2;border-style:dotted}.woocommerce_order_items_wrapper table.woocommerce_order_items table.meta{width:100%}.woocommerce_order_items_wrapper table.woocommerce_order_items table.display_meta,.woocommerce_order_items_wrapper table.woocommerce_order_items table.meta{margin:.5em 0 0}.woocommerce_order_items_wrapper table.woocommerce_order_items table.display_meta tr th,.woocommerce_order_items_wrapper table.woocommerce_order_items table.meta tr th{border:0;padding:0 4px .5em 0;line-height:1.5em;width:20%}.woocommerce_order_items_wrapper table.woocommerce_order_items table.display_meta tr td,.woocommerce_order_items_wrapper table.woocommerce_order_items table.meta tr td{padding:0 4px .5em 0;border:0;line-height:1.5em}.woocommerce_order_items_wrapper table.woocommerce_order_items table.display_meta tr td input,.woocommerce_order_items_wrapper table.woocommerce_order_items table.meta tr td input{width:100%;margin:0;position:relative;border-bottom:0;box-shadow:none}.woocommerce_order_items_wrapper table.woocommerce_order_items table.display_meta tr td textarea,.woocommerce_order_items_wrapper table.woocommerce_order_items table.meta tr td textarea{width:100%;height:4em;margin:0;box-shadow:none}.woocommerce_order_items_wrapper table.woocommerce_order_items table.display_meta tr td input:focus+textarea,.woocommerce_order_items_wrapper table.woocommerce_order_items table.meta tr td input:focus+textarea{border-top-color:#999}.woocommerce_order_items_wrapper table.woocommerce_order_items table.display_meta tr td p,.woocommerce_order_items_wrapper table.woocommerce_order_items table.meta tr td p{margin:0 0 .5em;line-height:1.5em}.woocommerce_order_items_wrapper table.woocommerce_order_items table.display_meta tr td p:last-child,.woocommerce_order_items_wrapper table.woocommerce_order_items table.meta tr td p:last-child{margin:0}.woocommerce_order_items_wrapper table.woocommerce_order_items .thumb{text-align:left;width:27px}.wc-order-items-editable .delete-order-item:before,.wc-order-items-editable .delete_refund:before,.wc-order-items-editable .edit-order-item:before,.woocommerce_order_items_wrapper table.woocommerce_order_items tr.fee .thumb div:before,.woocommerce_order_items_wrapper table.woocommerce_order_items tr.refund .thumb div:before,.woocommerce_order_items_wrapper table.woocommerce_order_items tr.shipping .thumb div:before{text-align:center;font-family:WooCommerce;speak:none;font-weight:400;font-variant:normal;text-transform:none;line-height:1;-webkit-font-smoothing:antialiased;top:0;left:0}.woocommerce_order_items_wrapper table.woocommerce_order_items .thumb a{display:block}.woocommerce_order_items_wrapper table.woocommerce_order_items .thumb img{padding:1px;margin:0;border:1px solid #dfdfdf;vertical-align:middle;width:21px;height:21px}.woocommerce_order_items_wrapper table.woocommerce_order_items .refund_by,ul.order_notes li p.meta .exact-date{border-bottom:1px dotted #999}.woocommerce_order_items_wrapper table.woocommerce_order_items tr.fee .thumb div{display:block;text-indent:-9999px;position:relative;height:1em;width:1em;font-size:14px;margin:6px}.woocommerce_order_items_wrapper table.woocommerce_order_items tr.fee .thumb div:before{margin:0;text-indent:0;position:absolute;width:100%;height:100%;content:"";color:#bbb}.woocommerce_order_items_wrapper table.woocommerce_order_items tr.refund .thumb div{display:block;text-indent:-9999px;position:relative;height:1em;width:1em;font-size:14px;margin:6px}.woocommerce_order_items_wrapper table.woocommerce_order_items tr.refund .thumb div:before{margin:0;text-indent:0;position:absolute;width:100%;height:100%;content:"";color:#bbb}.woocommerce_order_items_wrapper table.woocommerce_order_items tr.shipping .thumb div{display:block;text-indent:-9999px;position:relative;height:1em;width:1em;font-size:14px;margin:6px}.woocommerce_order_items_wrapper table.woocommerce_order_items tr.shipping .thumb div:before{margin:0;text-indent:0;position:absolute;width:100%;height:100%;content:"";color:#bbb}.woocommerce_order_items_wrapper table.woocommerce_order_items th.line_tax{white-space:nowrap}.woocommerce_order_items_wrapper table.woocommerce_order_items td.line_tax,.woocommerce_order_items_wrapper table.woocommerce_order_items th.line_tax{padding:8px 16px 8px 8px}.woocommerce_order_items_wrapper table.woocommerce_order_items td.line_tax .delete-order-tax,.woocommerce_order_items_wrapper table.woocommerce_order_items th.line_tax .delete-order-tax{display:block;text-indent:-9999px;position:relative;height:1em;width:1em;font-size:12px;visibility:hidden;float:right;margin:2px -16px 0 0}.woocommerce_order_items_wrapper table.woocommerce_order_items td.line_tax .delete-order-tax:before,.woocommerce_order_items_wrapper table.woocommerce_order_items th.line_tax .delete-order-tax:before{font-family:WooCommerce;speak:none;font-weight:400;font-variant:normal;text-transform:none;line-height:1;-webkit-font-smoothing:antialiased;margin:0;text-indent:0;position:absolute;top:0;left:0;width:100%;height:100%;text-align:center;content:"";color:#fff;background-color:#000;-webkit-border-radius:100%;border-radius:100%;border:1px solid #000;box-shadow:0 1px 2px rgba(0,0,0,.2)}.woocommerce_order_items_wrapper table.woocommerce_order_items td.line_tax .delete-order-tax:hover:before,.woocommerce_order_items_wrapper table.woocommerce_order_items th.line_tax .delete-order-tax:hover:before{border-color:#a00;background-color:#a00}.woocommerce_order_items_wrapper table.woocommerce_order_items td.line_tax:hover .delete-order-tax,.woocommerce_order_items_wrapper table.woocommerce_order_items th.line_tax:hover .delete-order-tax{visibility:visible}.woocommerce_order_items_wrapper table.woocommerce_order_items small.refunded{display:block;color:#a00;white-space:nowrap}.wc-order-items-editable .edit-order-item{text-indent:-9999px;position:relative;height:1em;width:1em;display:inline-block;margin:0 .5em 0 0}.wc-order-items-editable .edit-order-item:before{margin:0;text-indent:0;position:absolute;width:100%;height:100%;content:"";content:"\e603";color:#999}.wc-order-items-editable .edit-order-item:hover:before{color:#555}.wc-order-items-editable .delete-order-item,.wc-order-items-editable .delete_refund{text-indent:-9999px;position:relative;height:1em;width:1em;display:inline-block;margin:0}.wc-order-items-editable .delete-order-item:before,.wc-order-items-editable .delete_refund:before{margin:0;text-indent:0;position:absolute;width:100%;height:100%;content:"";content:"\e013";color:#999}.wc-order-items-editable .delete-order-item:hover:before,.wc-order-items-editable .delete_refund:hover:before{color:#a00}.wc-order-items-editable .wc-order-edit-line-item-actions{width:2.5em;text-align:right}.wc-order-items-editable .wc-order-totals .wc-order-edit-line-item-actions{width:1.5em}.wc-order-items-editable .wc-order-totals .edit-order-item{margin:0}#woocommerce-order-downloads .buttons{float:left;padding:0;margin:0;vertical-align:top}#woocommerce-order-downloads .buttons .add_item_id,#woocommerce-order-downloads .buttons .select2-container{width:400px!important;margin-right:9px;vertical-align:top;float:left}#woocommerce-order-downloads .buttons button{margin:2px 0 0}#woocommerce-order-downloads h3 small{color:#999}#poststuff #woocommerce-order-actions .inside{margin:0;padding:0}#poststuff #woocommerce-order-actions .inside ul.order_actions li{padding:6px 10px;box-sizing:border-box}#poststuff #woocommerce-order-actions .inside ul.order_actions li:last-child{border-bottom:0}#poststuff #woocommerce-order-notes .inside{margin:0;padding:0}#poststuff #woocommerce-order-notes .inside ul.order_notes li{padding:0 10px}#woocommerce_customers p.search-box{margin:6px 0 4px;float:left}#woocommerce_customers .tablenav{float:right;clear:none}.widefat.customers td{vertical-align:middle;padding:4px 7px}.widefat .column-order_title{width:15%}.widefat .column-order_title time{display:block;color:#999;margin:3px 0}.widefat .column-orders,.widefat .column-paying,.widefat .column-spent{text-align:center;width:8%}.widefat .column-last_order{width:11%}.widefat .column-order_actions,.widefat .column-user_actions,.widefat .column-wc_actions{width:110px}.widefat .column-order_actions a.button,.widefat .column-user_actions a.button,.widefat .column-wc_actions a.button{float:left;margin:0 4px 2px 0;cursor:pointer;padding:3px 4px;height:auto}.widefat .column-order_actions a.button img,.widefat .column-user_actions a.button img,.widefat .column-wc_actions a.button img{display:block;width:12px;height:auto}.widefat small.meta{display:block;color:#999;font-size:inherit;margin:3px 0}.widefat .column-order_date,.widefat .column-order_total{width:9%}.widefat .column-order_status{width:45px;text-align:center}.widefat .column-order_status mark{display:block;text-indent:-9999px;position:relative;height:1em;width:1em;background:0 0;font-size:1.4em;margin:0 auto}.widefat .column-order_status mark.cancelled:after,.widefat .column-order_status mark.completed:after,.widefat .column-order_status mark.failed:after,.widefat .column-order_status mark.on-hold:after,.widefat .column-order_status mark.pending:after,.widefat .column-order_status mark.processing:after,.widefat .column-order_status mark.refunded:after{font-family:WooCommerce;speak:none;font-weight:400;font-variant:normal;text-transform:none;line-height:1;-webkit-font-smoothing:antialiased;margin:0;text-indent:0;position:absolute;top:0;left:0;width:100%;height:100%;text-align:center}.widefat .column-order_status mark.pending:after{content:"\e012";color:#ffba00}.widefat .column-order_status mark.completed:after{content:"\e015";color:#2ea2cc}.widefat .column-order_status mark.on-hold:after{content:"\e033";color:#999}.widefat .column-order_status mark.failed:after{content:"\e016";color:#d0c21f}.widefat .column-order_status mark.cancelled:after{content:"\e013";color:#a00}.widefat .column-order_status mark.processing:after{content:"\e011";color:#73a724}.widefat .column-order_status mark.refunded:after{content:"\e014";color:#999}.widefat td.column-order_status{padding-top:9px}.column-customer_message .note-on{display:block;text-indent:-9999px;position:relative;height:1em;width:1em;margin:0 auto;color:#999}.column-customer_message .note-on:after,.column-order_notes .note-on:after{font-family:WooCommerce;speak:none;font-weight:400;font-variant:normal;text-transform:none;-webkit-font-smoothing:antialiased;margin:0;top:0;left:0;text-align:center;line-height:16px}.column-customer_message .note-on:after{text-indent:0;position:absolute;width:100%;height:100%;content:""}.column-order_notes .note-on{display:block;text-indent:-9999px;position:relative;height:1em;width:1em;margin:0 auto;color:#999}.column-order_notes .note-on:after{text-indent:0;position:absolute;width:100%;height:100%;content:""}.attributes-table .attribute-actions .configure-terms:after,.order_actions .complete:after,.order_actions .processing:after,.order_actions .view:after,.user_actions .edit:after,.user_actions .link:after,.user_actions .refresh:after,.user_actions .view:after{font-family:WooCommerce;speak:none;font-variant:normal;text-transform:none;-webkit-font-smoothing:antialiased;top:0;left:0;line-height:1.85;margin:0;text-align:center;font-weight:400}.order_actions .complete,.order_actions .processing,.order_actions .view{display:block;text-indent:-9999px;position:relative;padding:0!important;height:2em!important;width:2em}.order_actions .complete:after,.order_actions .processing:after,.order_actions .view:after{text-indent:0;position:absolute;width:100%;height:100%}.order_actions .processing:after{content:"\e00f"}.order_actions .complete:after{content:"\e017"}.order_actions .view:after{content:"\e010"}.user_actions .edit,.user_actions .link,.user_actions .refresh,.user_actions .view{display:block;text-indent:-9999px;position:relative;padding:0!important;height:2em!important;width:2em}.user_actions .edit:after,.user_actions .link:after,.user_actions .refresh:after,.user_actions .view:after{text-indent:0;position:absolute;width:100%;height:100%}.user_actions .edit:after{content:"\e603"}.user_actions .link:after{content:"\e00d"}.user_actions .view:after{content:"\e010"}.user_actions .refresh:after{content:"\e031"}.attributes-table td,.attributes-table th{width:15%;vertical-align:top}.attributes-table .attribute-terms{width:32%}.attributes-table .attribute-actions{width:2em}.attributes-table .attribute-actions .configure-terms{display:block;text-indent:-9999px;position:relative;padding:0!important;height:2em!important;width:2em}.attributes-table .attribute-actions .configure-terms:after{text-indent:0;position:absolute;width:100%;height:100%;content:""}ul.order_notes{padding:2px 0 0}ul.order_notes li .note_content{padding:10px;background:#efefef;position:relative}ul.order_notes li .note_content p{margin:0;padding:0;word-wrap:break-word}ul.order_notes li p.meta{padding:10px;color:#999;margin:0;font-size:11px}ul.order_notes li a.delete_note{color:#a00}table.wp-list-table .row-actions,table.wp-list-table span.na{color:#999}ul.order_notes li .note_content:after{content:"";display:block;position:absolute;bottom:-10px;left:20px;width:0;height:0;border-width:10px 10px 0 0;border-style:solid;border-color:#efefef transparent}ul.order_notes li.customer-note .note_content{background:#d7cad2}ul.order_notes li.customer-note .note_content:after{border-color:#d7cad2 transparent}.add_note{border-top:1px solid #ddd;padding:10px 10px 0}.add_note h4{margin-top:5px!important}.add_note #add_order_note{width:100%;height:50px}table.wp-list-table .column-thumb{width:52px;text-align:center;white-space:nowrap}table.wp-list-table .column-name{width:22%}table.wp-list-table .column-product_cat,table.wp-list-table .column-product_tag{width:11%!important}table.wp-list-table .column-featured,table.wp-list-table .column-product_type{width:48px;text-align:left!important}table.wp-list-table .column-customer_message,table.wp-list-table .column-order_notes{width:48px;text-align:center}table.wp-list-table .column-customer_message img,table.wp-list-table .column-order_notes img{margin:0 auto;padding-top:0!important}table.wp-list-table .manage-column.column-featured img,table.wp-list-table .manage-column.column-product_type img{padding-left:2px}table.wp-list-table .column-price .woocommerce-price-suffix{display:none}table.wp-list-table img{margin:1px 2px}table.wp-list-table td.column-thumb img{margin:0;vertical-align:middle;width:auto;height:auto;max-width:40px;max-height:40px}table.wp-list-table .column-is_in_stock{text-align:left!important}table.wp-list-table .notes_head:after,table.wp-list-table .order-notes_head:after,table.wp-list-table .status_head:after,table.wp-list-table span.product-type:before,table.wp-list-table span.wc-featured:before,table.wp-list-table span.wc-image:before,table.wp-list-table span.wc-type:before{speak:none;font-variant:normal;text-transform:none;-webkit-font-smoothing:antialiased;top:0;left:0;text-align:center;line-height:1;font-family:WooCommerce}table.wp-list-table span.wc-featured,table.wp-list-table span.wc-image,table.wp-list-table span.wc-type{display:block;text-indent:-9999px;position:relative;height:1em;width:1em;margin:0 auto}table.wp-list-table span.wc-featured:before,table.wp-list-table span.wc-image:before,table.wp-list-table span.wc-type:before{font-weight:400;margin:0;text-indent:0;position:absolute;width:100%;height:100%;content:""}table.wp-list-table span.wc-featured{margin:0;cursor:pointer}table.wp-list-table span.wc-featured:before{content:"\e020"}table.wp-list-table span.wc-featured.not-featured:before{content:"\e021"}table.wp-list-table td.column-featured span.wc-featured{font-size:1.2em}table.wp-list-table span.wc-type{margin:0}table.wp-list-table span.wc-type:before{content:"\e01d"}table.wp-list-table span.product-type{display:block;text-indent:-9999px;position:relative;height:1em;width:1em;font-size:1.2em}table.wp-list-table span.product-type:before{font-weight:400;margin:0;text-indent:0;position:absolute;width:100%;height:100%;content:""}table.wp-list-table span.product-type.grouped:before{content:"\e002"}table.wp-list-table span.product-type.external:before{content:"\e034"}table.wp-list-table span.product-type.variable:before{content:"\e003"}table.wp-list-table span.product-type.downloadable:before{content:"\e001"}table.wp-list-table span.product-type.virtual:before{content:"\e000"}table.wp-list-table mark.instock{font-weight:700;color:#7ad03a;background:0 0;line-height:1}table.wp-list-table mark.outofstock{font-weight:700;color:#a44;background:0 0;line-height:1}table.wp-list-table .notes_head,table.wp-list-table .order-notes_head,table.wp-list-table .status_head{display:block;text-indent:-9999px;position:relative;height:1em;width:1em;margin:0 auto}table.wp-list-table .notes_head:after,table.wp-list-table .order-notes_head:after,table.wp-list-table .status_head:after{font-weight:400;margin:0;text-indent:0;position:absolute;width:100%;height:100%}table.wp-list-table .order-notes_head:after{content:"\e028"}table.wp-list-table .notes_head:after{content:"\e026"}table.wp-list-table .status_head:after{content:"\e011"}table.wp-list-table .column-order_items{width:12%}table.wp-list-table .column-order_items table.order_items{width:100%;margin:3px 0 0;padding:0;display:none}table.wp-list-table .column-order_items table.order_items td{border:0;margin:0;padding:0 0 3px}table.wp-list-table .column-order_items table.order_items td.qty{color:#999;padding-right:6px;text-align:left}table.wp-list-table .toggle-row{display:none}mark.notice{background:#fff;color:#a00;margin:0 0 0 10px}a.export_rates,a.import_rates{float:right;margin-left:9px;margin-top:-2px;margin-bottom:0}table.wc_input_table,table.wc_tax_rates{width:100%}table.wc_input_table span.tips,table.wc_tax_rates span.tips{color:#2ea2cc}table.wc_input_table td,table.wc_tax_rates td{padding:0;border-right:1px solid #DFDFDF;border-bottom:1px solid #DFDFDF;border-top:0;background:#fff}table.wc_input_table td input[type=text],table.wc_input_table td input[type=number],table.wc_tax_rates td input[type=text],table.wc_tax_rates td input[type=number]{width:100%;padding:5px 7px;margin:0;border:0;background:0 0}table.wc_input_table td.apply_to_shipping,table.wc_input_table td.compound,table.wc_tax_rates td.apply_to_shipping,table.wc_tax_rates td.compound{padding:5px 7px;vertical-align:middle}table.wc_input_table td.apply_to_shipping input,table.wc_input_table td.compound input,table.wc_tax_rates td.apply_to_shipping input,table.wc_tax_rates td.compound input{width:auto;padding:0}table.wc_input_table td:last-child,table.wc_tax_rates td:last-child{border-right:0}table.wc_input_table tr.current td,table.wc_tax_rates tr.current td{background-color:#fefbcc}table.wc_input_table .cost,table.wc_input_table .cost input,table.wc_input_table .item_cost,table.wc_input_table .item_cost input,table.wc_tax_rates .cost,table.wc_tax_rates .cost input,table.wc_tax_rates .item_cost,table.wc_tax_rates .item_cost input{text-align:right}table.wc_input_table th.sort,table.wc_tax_rates th.sort{width:17px;padding:0}table.wc_input_table td.sort,table.wc_tax_rates td.sort{padding:0 4px;cursor:move;background:#f9f9f9;text-align:center;vertical-align:middle}table.wc_input_table td.sort:before,table.wc_tax_rates td.sort:before{content:"\e032";font-family:WooCommerce;text-align:center;line-height:1;color:#999;display:block;width:17px;float:left;height:100%}table.wc_input_table td.sort:hover:before,table.wc_tax_rates td.sort:hover:before{color:#333}table.wc_input_table .button,table.wc_tax_rates .button{float:left;margin-right:5px}table.wc_input_table .export,table.wc_input_table .import,table.wc_tax_rates .export,table.wc_tax_rates .import{float:right;margin-right:0;margin-left:5px}table.wc_input_table span.tips,table.wc_tax_rates span.tips{padding:0 3px}table.wc_input_table .pagination,table.wc_tax_rates .pagination{float:right}table.wc_input_table .pagination .button,table.wc_tax_rates .pagination .button{margin-left:5px;margin-right:0}table.wc_input_table .pagination .current,table.wc_tax_rates .pagination .current{background:#bbb;text-shadow:none}table.wc_input_table tfoot th,table.wc_tax_rates tfoot th{padding-left:20px;padding-right:20px}table.wc_input_table tr:last-child td,table.wc_tax_rates tr:last-child td{border-bottom:0}table.wc_gateways,table.wc_shipping{position:relative}table.wc_gateways td,table.wc_shipping td{vertical-align:middle;padding:7px;line-height:2em}table.wc_gateways tr:nth-child(odd) td,table.wc_shipping tr:nth-child(odd) td{background:#f9f9f9}table.wc_gateways th,table.wc_shipping th{padding:9px 7px!important;vertical-align:middle}table.wc_gateways td.name,table.wc_shipping td.name{font-weight:700}table.wc_gateways .settings,table.wc_shipping .settings{text-align:right}table.wc_gateways .default,table.wc_gateways .radio,table.wc_gateways .status,table.wc_shipping .default,table.wc_shipping .radio,table.wc_shipping .status{text-align:center}table.wc_gateways .default .tips,table.wc_gateways .radio .tips,table.wc_gateways .status .tips,table.wc_shipping .default .tips,table.wc_shipping .radio .tips,table.wc_shipping .status .tips{margin:0 auto}table.wc_gateways .default input,table.wc_gateways .radio input,table.wc_gateways .status input,table.wc_shipping .default input,table.wc_shipping .radio input,table.wc_shipping .status input{margin:0}table.wc_gateways th.sort,table.wc_shipping th.sort{width:28px;padding:0}table.wc_gateways td.sort,table.wc_shipping td.sort{padding:0 7px;cursor:move;text-align:center;vertical-align:middle}table.wc_gateways td.sort:before,table.wc_shipping td.sort:before{content:"\e032";font-family:WooCommerce;text-align:center;line-height:1;color:#ccc;display:block;width:17px;float:left;height:100%}img.help_tip{vertical-align:middle;margin:0 0 0 9px}.postbox img.help_tip{margin-top:-4px}.status-disabled,.status-enabled{font-size:1.4em;display:block;text-indent:-9999px;position:relative;height:1em;width:1em}#woocommerce-product-images .inside #product_images_container ul li.wc-metabox-sortable-placeholder:after,.status-enabled:before{font-family:WooCommerce;speak:none;font-weight:400;font-variant:normal;text-transform:none;-webkit-font-smoothing:antialiased;text-indent:0;top:0;left:0;text-align:center}.status-enabled:before{line-height:1;margin:0;position:absolute;width:100%;height:100%;content:"";color:#a46497}.woocommerce .woo-nav-tab-wrapper{margin-bottom:16px!important}.woocommerce .subsubsub{margin:-8px 0 0}.woocommerce #template div{margin:0}.woocommerce #template div p .button{float:right;margin-left:10px;margin-top:-4px}.woocommerce #template div .editor textarea{margin-bottom:8px}.woocommerce textarea[disabled=disabled]{background:#DFDFDF!important}.woocommerce table.form-table{margin:0;position:relative}.woocommerce table.form-table .forminp-radio ul{margin:0}.woocommerce table.form-table .forminp-radio ul li{line-height:1.4em}.woocommerce table.form-table textarea.input-text{height:100%;min-width:150px;display:block}.woocommerce table.form-table input.regular-input{width:25em}.woocommerce table.form-table textarea.wide-input{width:100%}.woocommerce table.form-table img.help_tip{padding:0;margin:-4px 0 0 5px;vertical-align:middle;cursor:help;line-height:1}.woocommerce table.form-table span.help_tip{cursor:help;color:#2ea2cc}.woocommerce table.form-table th{position:relative;padding-right:24px}.woocommerce table.form-table .select2-container{display:block;max-width:350px;vertical-align:top;margin-bottom:3px}.woocommerce table.form-table table.widefat th{padding-right:inherit}.woocommerce table.form-table th img.help_tip{margin:0 -24px 0 0;float:right}.woocommerce table.form-table fieldset{margin-top:4px}.woocommerce table.form-table fieldset img.help_tip{margin:-3px 0 0 5px}.woocommerce table.form-table fieldset p.description{margin-bottom:8px}.woocommerce table.form-table fieldset:first-child{margin-top:0}.woocommerce table.form-table .iris-picker{z-index:100;display:none;position:absolute;border:1px solid #ccc;border-radius:3px;box-shadow:0 1px 3px rgba(0,0,0,.2)}.woocommerce table.form-table .iris-picker .ui-slider{border:0!important;margin:0!important;width:auto!important;height:auto!important;background:none!important}.woocommerce table.form-table .iris-picker .ui-slider .ui-slider-handle{margin-bottom:0!important}.woocommerce table.form-table .colorpickpreview{padding:3px 3px 3px 20px;border:1px solid #ddd;border-right:0}.woocommerce table.form-table .colorpick{border-left:0}.woocommerce table.form-table .image_width_settings{vertical-align:middle}.woocommerce table.form-table .image_width_settings label{margin-left:10px}.woocommerce #tabs-wrap table a.remove{margin-left:4px}.woocommerce #tabs-wrap table p{margin:0 0 4px!important;overflow:hidden;zoom:1}.woocommerce #tabs-wrap table p a.add{float:left}#wp-excerpt-editor-container{background:#fff}#product_variation-parent #parent_id{width:100%}#postimagediv img{border:1px solid #d5d5d5;max-width:100%}#woocommerce-product-images .inside{margin:0;padding:0}#woocommerce-product-images .inside .add_product_images{padding:0 12px 12px}#woocommerce-product-images .inside #product_images_container{padding:0 0 0 9px}#woocommerce-product-images .inside #product_images_container ul{margin:0;padding:0}#woocommerce-product-images .inside #product_images_container ul:after,#woocommerce-product-images .inside #product_images_container ul:before{content:" ";display:table}#woocommerce-product-images .inside #product_images_container ul:after{clear:both}#woocommerce-product-images .inside #product_images_container ul li.add,#woocommerce-product-images .inside #product_images_container ul li.image,#woocommerce-product-images .inside #product_images_container ul li.wc-metabox-sortable-placeholder{width:80px;float:left;cursor:move;border:1px solid #d5d5d5;margin:9px 9px 0 0;background:#f7f7f7;border-radius:2px;position:relative;box-sizing:border-box}#woocommerce-product-images .inside #product_images_container ul li.add img,#woocommerce-product-images .inside #product_images_container ul li.image img,#woocommerce-product-images .inside #product_images_container ul li.wc-metabox-sortable-placeholder img{width:100%;height:auto;display:block}#woocommerce-product-images .inside #product_images_container ul li.wc-metabox-sortable-placeholder{border:3px dashed #ddd;position:relative}#woocommerce-product-images .inside #product_images_container ul li.wc-metabox-sortable-placeholder:after{margin:0;position:absolute;width:100%;height:100%;content:"";font-size:2.618em;line-height:72px;color:#ddd}#woocommerce-product-images .inside #product_images_container ul ul.actions li a.delete:before,#woocommerce-product-images .inside #product_images_container ul ul.actions li a.view:before{font-family:WooCommerce;speak:none;font-weight:400;font-variant:normal;text-transform:none;line-height:1;-webkit-font-smoothing:antialiased;color:#fff;background-color:#000;text-align:center;left:0}#woocommerce-product-images .inside #product_images_container ul ul.actions{position:absolute;top:-8px;right:-8px;padding:2px;display:none}#woocommerce-product-images .inside #product_images_container ul ul.actions li{float:right;margin:0 0 0 2px}#woocommerce-product-images .inside #product_images_container ul ul.actions li a{width:1em;margin:0;height:0;display:block;overflow:hidden}#woocommerce-product-images .inside #product_images_container ul ul.actions li a.tips{cursor:pointer}#woocommerce-product-images .inside #product_images_container ul ul.actions li a.view{display:block;text-indent:-9999px;position:relative;height:1em;width:1em;font-size:1.4em}#woocommerce-product-images .inside #product_images_container ul ul.actions li a.view:before{margin:0;text-indent:0;position:absolute;top:0;width:100%;height:100%;content:""}#woocommerce-product-images .inside #product_images_container ul ul.actions li a.delete{display:block;text-indent:-9999px;position:relative;height:1em;width:1em;font-size:1.4em}#woocommerce-product-images .inside #product_images_container ul ul.actions li a.delete:before{margin:0;text-indent:0;position:absolute;top:0;width:100%;height:100%;content:"";border-radius:100%;box-shadow:0 1px 2px rgba(0,0,0,.2)}#woocommerce-product-images .inside #product_images_container ul ul.actions li a.delete:hover before{background-color:#a00}#woocommerce-product-images .inside #product_images_container ul li:hover ul.actions{display:block}#woocommerce-product-data .hndle{padding:10px}#woocommerce-product-data .hndle span{display:block;vertical-align:middle;line-height:24px}#woocommerce-product-data .hndle span span{display:inline;line-height:inherit;vertical-align:baseline}#woocommerce-product-data .hndle label{padding-right:1em;font-size:12px;vertical-align:baseline}#woocommerce-product-data .hndle label:first-child{margin-right:1em;border-right:1px solid #dfdfdf}#woocommerce-product-data .hndle input,#woocommerce-product-data .hndle select{margin:-3px 0 0 .5em;vertical-align:middle}#woocommerce-product-data>.handlediv{margin-top:4px}#woocommerce-product-data .wrap{margin:0}#woocommerce-coupon-description{padding:3px 8px;font-size:1.7em;line-height:1.42em;height:auto;width:100%;outline:0;margin:10px 0;display:block}#woocommerce-coupon-description::-webkit-input-placeholder{line-height:1.42em;color:#bbb}#woocommerce-coupon-description::-moz-placeholder{line-height:1.42em;color:#bbb}#woocommerce-coupon-description:-ms-input-placeholder{line-height:1.42em;color:#bbb}#woocommerce-coupon-description:-moz-placeholder{line-height:1.42em;color:#bbb}#woocommerce-coupon-data .panel-wrap,#woocommerce-product-data .panel-wrap{background:#fff}#woocommerce-coupon-data .wc-metaboxes-wrapper,#woocommerce-coupon-data .woocommerce_options_panel,#woocommerce-product-data .wc-metaboxes-wrapper,#woocommerce-product-data .woocommerce_options_panel{float:left;width:80%}#woocommerce-coupon-data .wc-metaboxes-wrapper .wc-radios,#woocommerce-coupon-data .woocommerce_options_panel .wc-radios,#woocommerce-product-data .wc-metaboxes-wrapper .wc-radios,#woocommerce-product-data .woocommerce_options_panel .wc-radios{display:block;float:left;margin:0}#woocommerce-coupon-data .wc-metaboxes-wrapper .wc-radios li,#woocommerce-coupon-data .woocommerce_options_panel .wc-radios li,#woocommerce-product-data .wc-metaboxes-wrapper .wc-radios li,#woocommerce-product-data .woocommerce_options_panel .wc-radios li{display:block;padding:0 0 10px}#woocommerce-coupon-data .wc-metaboxes-wrapper .wc-radios li input,#woocommerce-coupon-data .woocommerce_options_panel .wc-radios li input,#woocommerce-product-data .wc-metaboxes-wrapper .wc-radios li input,#woocommerce-product-data .woocommerce_options_panel .wc-radios li input{width:auto}#woocommerce-coupon-data .panel-wrap,#woocommerce-product-data .panel-wrap,.woocommerce .panel-wrap{overflow:hidden}#woocommerce-coupon-data ul.wc-tabs,#woocommerce-product-data ul.wc-tabs,.woocommerce ul.wc-tabs{margin:0;width:20%;float:left;line-height:1em;padding:0 0 10px;position:relative;background-color:#fafafa;border-right:1px solid #eee;box-sizing:border-box}#woocommerce-coupon-data ul.wc-tabs:after,#woocommerce-product-data ul.wc-tabs:after,.woocommerce ul.wc-tabs:after{content:"";display:block;width:100%;height:9999em;position:absolute;bottom:-9999em;left:0;background-color:#fafafa;border-right:1px solid #eee}#woocommerce-coupon-data ul.wc-tabs li,#woocommerce-product-data ul.wc-tabs li,.woocommerce ul.wc-tabs li{margin:0;padding:0;display:block;position:relative}#woocommerce-coupon-data ul.wc-tabs li a,#woocommerce-product-data ul.wc-tabs li a,.woocommerce ul.wc-tabs li a{margin:0;padding:10px;display:block;box-shadow:none;text-decoration:none;line-height:20px!important;border-bottom:1px solid #eee}#woocommerce-coupon-data ul.wc-tabs li a:before,#woocommerce-product-data ul.wc-tabs li a:before,.woocommerce ul.wc-tabs li a:before,.woocommerce_page_wc-settings .shippingrows .add.button:before{line-height:1;margin-right:.618em;font-weight:400;font-variant:normal;-webkit-font-smoothing:antialiased;font-family:WooCommerce;speak:none;text-transform:none;text-decoration:none}#woocommerce-coupon-data ul.wc-tabs li a:before,#woocommerce-product-data ul.wc-tabs li a:before,.woocommerce ul.wc-tabs li a:before{content:""}#woocommerce-coupon-data ul.wc-tabs li.general_options a:before,#woocommerce-product-data ul.wc-tabs li.general_options a:before,.woocommerce ul.wc-tabs li.general_options a:before{content:"\e006"}#woocommerce-coupon-data ul.wc-tabs li.inventory_options a:before,#woocommerce-product-data ul.wc-tabs li.inventory_options a:before,.woocommerce ul.wc-tabs li.inventory_options a:before{content:"\e02c"}#woocommerce-coupon-data ul.wc-tabs li.shipping_options a:before,#woocommerce-product-data ul.wc-tabs li.shipping_options a:before,.woocommerce ul.wc-tabs li.shipping_options a:before{content:"\e01a"}#woocommerce-coupon-data ul.wc-tabs li.linked_product_options a:before,#woocommerce-product-data ul.wc-tabs li.linked_product_options a:before,.woocommerce ul.wc-tabs li.linked_product_options a:before{content:"\e00d"}#woocommerce-coupon-data ul.wc-tabs li.attribute_options a:before,#woocommerce-product-data ul.wc-tabs li.attribute_options a:before,.woocommerce ul.wc-tabs li.attribute_options a:before{content:"\e02b"}#woocommerce-coupon-data ul.wc-tabs li.advanced_options a:before,#woocommerce-product-data ul.wc-tabs li.advanced_options a:before,.woocommerce ul.wc-tabs li.advanced_options a:before{content:"\e01c"}#woocommerce-coupon-data ul.wc-tabs li.variation_options a:before,#woocommerce-product-data ul.wc-tabs li.variation_options a:before,.woocommerce ul.wc-tabs li.variation_options a:before{content:"\e003"}#woocommerce-coupon-data ul.wc-tabs li.usage_restriction_options a:before,#woocommerce-product-data ul.wc-tabs li.usage_restriction_options a:before,.woocommerce ul.wc-tabs li.usage_restriction_options a:before{content:"\e602"}#woocommerce-coupon-data ul.wc-tabs li.usage_limit_options a:before,#woocommerce-product-data ul.wc-tabs li.usage_limit_options a:before,.woocommerce ul.wc-tabs li.usage_limit_options a:before{content:"\e601"}#woocommerce-coupon-data ul.wc-tabs li.general_coupon_data a:before,#woocommerce-product-data ul.wc-tabs li.general_coupon_data a:before,.woocommerce ul.wc-tabs li.general_coupon_data a:before{content:"\e600"}#woocommerce-coupon-data ul.wc-tabs li.active a,#woocommerce-product-data ul.wc-tabs li.active a,.woocommerce ul.wc-tabs li.active a{color:#555;position:relative;background-color:#eee}.woocommerce_page_wc-settings .shippingrows th.check-column{padding-top:20px}.woocommerce_page_wc-settings .shippingrows tfoot th{padding-left:10px}.woocommerce_page_wc-settings .shippingrows .add.button:before{content:""}.woocommerce_page_wc-settings h3.wc-settings-sub-title{font-size:1.2em}#woocommerce-coupon-data .inside,#woocommerce-order-data .inside,#woocommerce-order-downloads .inside,#woocommerce-product-data .inside,#woocommerce-product-type-options .inside{padding:0;margin:0}.panel,.woocommerce_options_panel{padding:9px;color:#555}.panel,.woocommerce_page_settings .woocommerce_options_panel{padding:0}#woocommerce-product-specs .inside,#woocommerce-product-type-options .panel{padding:9px;margin:0}#woocommerce-product-type-options .panel p,.woocommerce_options_panel fieldset.form-field,.woocommerce_options_panel p{margin:0 0 9px;font-size:12px;padding:5px 9px;line-height:24px}#woocommerce-product-type-options .panel p:after,.woocommerce_options_panel fieldset.form-field:after,.woocommerce_options_panel p:after{content:".";display:block;height:0;clear:both;visibility:hidden}.woocommerce_options_panel .checkbox,.woocommerce_variable_attributes .checkbox{width:auto;vertical-align:middle;margin:7px 0}.woocommerce_options_panel .downloadable_files table,.woocommerce_variations .downloadable_files table{width:100%;padding:0!important}.woocommerce_options_panel .downloadable_files table th,.woocommerce_variations .downloadable_files table th{padding:7px 0 7px 7px!important}.woocommerce_options_panel .downloadable_files table td,.woocommerce_variations .downloadable_files table td{vertical-align:middle!important;padding:4px 0 4px 7px!important;position:relative}.woocommerce_options_panel .downloadable_files table td:last-child,.woocommerce_variations .downloadable_files table td:last-child{padding-right:7px!important}.woocommerce_options_panel .downloadable_files table td input.input_text,.woocommerce_variations .downloadable_files table td input.input_text{width:100%;float:none;margin:1px 0;min-width:0}.woocommerce_options_panel .downloadable_files table td .upload_file_button,.woocommerce_variations .downloadable_files table td .upload_file_button{float:right;width:auto;cursor:pointer}.woocommerce_options_panel .downloadable_files table td .delete,.woocommerce_variations .downloadable_files table td .delete{display:block;text-indent:-9999px;position:relative;height:1em;width:1em}.woocommerce_options_panel .downloadable_files table td .delete:before,.woocommerce_variations .downloadable_files table td .delete:before{font-family:WooCommerce;speak:none;font-weight:400;font-variant:normal;text-transform:none;line-height:1;-webkit-font-smoothing:antialiased;margin:0;text-indent:0;position:absolute;top:0;left:0;width:100%;height:100%;text-align:center;content:"";content:"\e013";color:#999}.woocommerce_options_panel .downloadable_files table td .delete:hover:before,.woocommerce_variations .downloadable_files table td .delete:hover:before{color:#a00}.woocommerce_options_panel .downloadable_files table th.sort,.woocommerce_variations .downloadable_files table th.sort{width:17px;padding:0}.woocommerce_options_panel .downloadable_files table td.sort,.woocommerce_variations .downloadable_files table td.sort{padding:0 8px;cursor:move;background:#f9f9f9;text-align:center;vertical-align:middle}.woocommerce_options_panel .downloadable_files table td.sort:before,.woocommerce_variations .downloadable_files table td.sort:before{content:"\e032";font-family:WooCommerce;text-align:center;line-height:1;color:#999;display:block;width:17px;float:left;height:100%}.woocommerce_options_panel .downloadable_files table td.sort:hover:before,.woocommerce_variations .downloadable_files table td.sort:hover:before{color:#333}.woocommerce_variation h3 .sort{cursor:move;text-align:center;float:right;height:26px;width:17px;visibility:hidden;vertical-align:middle;margin-right:.5em;color:#a0a5aa}.woocommerce_variation h3 .sort:before{content:"\e032";font-family:WooCommerce;text-align:center;cursor:move;display:block;width:17px;line-height:28px}.woocommerce_variation h3 .sort:hover{color:#777}.woocommerce_variation h3:hover .sort,.woocommerce_variation.ui-sortable-helper .sort{visibility:visible}.woocommerce_options_panel{box-sizing:border-box}.woocommerce_options_panel .downloadable_files{padding:0 9px 0 162px;position:relative;margin:9px 0}.woocommerce_options_panel .downloadable_files label{position:absolute;left:0;margin:0 0 0 12px;line-height:24px}.woocommerce_options_panel p{margin:9px 0}.woocommerce_options_panel fieldset.form-field,.woocommerce_options_panel p.form-field{padding:5px 20px 5px 162px!important}.woocommerce_options_panel .sale_price_dates_fields .short:first-of-type{margin-bottom:1em}.woocommerce_options_panel .sale_price_dates_fields .short:nth-of-type(2){clear:left}.woocommerce_options_panel label,.woocommerce_options_panel legend{float:left;width:150px;padding:0;margin:0 0 0 -150px}.woocommerce_options_panel label .req,.woocommerce_options_panel legend .req{font-weight:700;font-style:normal;color:#a00}.woocommerce_options_panel .description{padding:0;margin:0 0 0 7px;clear:none;display:inline}.woocommerce_options_panel .description-block{margin-left:0;display:block}.woocommerce_options_panel input,.woocommerce_options_panel select,.woocommerce_options_panel textarea{margin:0}.woocommerce_options_panel textarea{vertical-align:top;height:3.5em;line-height:1.5em}.woocommerce_options_panel input[type=text],.woocommerce_options_panel input[type=number],.woocommerce_options_panel input[type=email]{width:50%;float:left}.woocommerce_options_panel input.button{width:auto;margin-left:8px}.woocommerce_options_panel select{float:left}.woocommerce_options_panel .short,.woocommerce_options_panel input[type=text].short,.woocommerce_options_panel input[type=number].short,.woocommerce_options_panel input[type=email].short{width:50%}.woocommerce_options_panel .sized{width:auto!important;margin-right:6px}.woocommerce_options_panel .options_group{border-top:1px solid #fff;border-bottom:1px solid #eee}.woocommerce_options_panel .options_group:first-child{border-top:0}.woocommerce_options_panel .options_group:last-child{border-bottom:0}.woocommerce_options_panel .options_group fieldset{margin:9px 0;font-size:12px;padding:5px 9px;line-height:24px}.woocommerce_options_panel .options_group fieldset label{width:auto;float:none}.woocommerce_options_panel .options_group fieldset ul{float:left;width:50%;margin:0;padding:0}.woocommerce_options_panel .options_group fieldset ul li{margin:0;width:auto}.woocommerce_options_panel .options_group fieldset ul li input{width:auto;float:none;margin-right:4px}.woocommerce_options_panel .options_group fieldset ul.wc-radios label{margin-left:0}.woocommerce_options_panel .dimensions_field .wrap{display:block;width:50%}.woocommerce_options_panel .dimensions_field .wrap input{width:30.75%;margin-right:3.8%}.woocommerce_options_panel .dimensions_field .wrap .last{margin-right:0}.woocommerce_options_panel.padded{padding:1em}#woocommerce-product-data input.dp-applied,.woocommerce_options_panel .select2-container{float:left}#grouped_product_options,#simple_product_options,#virtual_product_options{padding:12px;font-style:italic;color:#666}.wc-metaboxes-wrapper .toolbar{margin:0!important;border-top:1px solid #fff;border-bottom:1px solid #eee;padding:9px 12px!important}.wc-metaboxes-wrapper .toolbar:first-child{border-top:0}.wc-metaboxes-wrapper .toolbar:last-child{border-bottom:0}.wc-metaboxes-wrapper .toolbar .add_variation{float:right;margin-left:5px}.wc-metaboxes-wrapper .toolbar .cancel-variation-changes,.wc-metaboxes-wrapper .toolbar .save-variation-changes{float:left;margin-right:5px}.wc-metaboxes-wrapper p.toolbar{overflow:hidden;zoom:1}.wc-metaboxes-wrapper .expand-close{margin-right:2px;color:#777;font-size:12px;font-style:italic}.wc-metaboxes-wrapper .expand-close a{background:0 0;padding:0;font-size:12px;text-decoration:none}.wc-metaboxes-wrapper#product_attributes .expand-close{float:right;line-height:28px}.wc-metaboxes-wrapper .fr,.wc-metaboxes-wrapper button.add_variable_attribute{float:right;margin:0 0 0 6px}.wc-metaboxes-wrapper .wc-metaboxes{border-bottom:1px solid #eee}.wc-metaboxes-wrapper .wc-metabox-sortable-placeholder{border-color:#bbb;background-color:#f5f5f5;margin-bottom:9px;border-width:1px;border-style:dashed}.wc-metaboxes-wrapper .wc-metabox{background:#fff;border-bottom:1px solid #eee;margin:0!important}.wc-metaboxes-wrapper .wc-metabox select{font-weight:400}.wc-metaboxes-wrapper .wc-metabox:last-of-type{border-bottom:0}.wc-metaboxes-wrapper .wc-metabox .handlediv{width:27px}.wc-metaboxes-wrapper .wc-metabox .handlediv:before{content:"\f142"!important;cursor:pointer;display:inline-block;font:400 20px/1 Dashicons;line-height:.5!important;padding:8px 10px;position:relative;right:12px;top:0}.wc-metaboxes-wrapper .wc-metabox.closed{border-radius:3px}.wc-metaboxes-wrapper .wc-metabox.closed .handlediv:before{content:"\f140"!important}.wc-metaboxes-wrapper .wc-metabox.closed h3{border:0}.wc-metaboxes-wrapper .wc-metabox h3{margin:0!important;padding:.75em .75em .75em 1em!important;font-size:1em!important;overflow:hidden;zoom:1;cursor:move}.wc-metaboxes-wrapper .wc-metabox h3 a.delete,.wc-metaboxes-wrapper .wc-metabox h3 button{float:right}.wc-metaboxes-wrapper .wc-metabox h3 a.delete{color:red;font-weight:400;line-height:26px;text-decoration:none;position:relative;visibility:hidden}.wc-metaboxes-wrapper .wc-metabox h3 strong{line-height:26px;font-weight:700}.wc-metaboxes-wrapper .wc-metabox h3 select{font-family:sans-serif;max-width:20%;margin:.25em .25em .25em 0}.wc-metaboxes-wrapper .wc-metabox h3 .handlediv{background-position:6px 5px!important;visibility:hidden;height:26px}.wc-metaboxes-wrapper .wc-metabox h3.fixed{cursor:pointer!important}.wc-metaboxes-wrapper .wc-metabox.woocommerce_variation h3{cursor:pointer;padding:.5em .75em .5em 1em!important}.wc-metaboxes-wrapper .wc-metabox.woocommerce_variation h3 .handlediv,.wc-metaboxes-wrapper .wc-metabox.woocommerce_variation h3 .sort,.wc-metaboxes-wrapper .wc-metabox.woocommerce_variation h3 a.delete{margin-top:.25em}.wc-metaboxes-wrapper .wc-metabox h3:hover .handlediv,.wc-metaboxes-wrapper .wc-metabox h3:hover a.delete,.wc-metaboxes-wrapper .wc-metabox.ui-sortable-helper .handlediv,.wc-metaboxes-wrapper .wc-metabox.ui-sortable-helper a.delete{visibility:visible}.wc-metaboxes-wrapper .wc-metabox table{width:100%;position:relative;background-color:#fdfdfd;padding:1em;border-top:1px solid #eee}.wc-metaboxes-wrapper .wc-metabox table td{text-align:left;padding:0 6px 1em 0;vertical-align:top;border:0}.wc-metaboxes-wrapper .wc-metabox table td label{text-align:left;display:block;line-height:21px}.wc-metaboxes-wrapper .wc-metabox table td input{float:left;min-width:200px}.wc-metaboxes-wrapper .wc-metabox table td input,.wc-metaboxes-wrapper .wc-metabox table td textarea{width:100%;margin:0;display:block;font-size:14px;padding:4px;color:#555}.wc-metaboxes-wrapper .wc-metabox table td .select2-container,.wc-metaboxes-wrapper .wc-metabox table td select{width:100%!important}.wc-metaboxes-wrapper .wc-metabox table td input.short{width:200px}.wc-metaboxes-wrapper .wc-metabox table td input.checkbox{width:16px;min-width:inherit;vertical-align:text-bottom;display:inline-block;float:none}.wc-metaboxes-wrapper .wc-metabox table td.attribute_name{width:200px}.wc-metaboxes-wrapper .wc-metabox table .minus,.wc-metaboxes-wrapper .wc-metabox table .plus{margin-top:6px}.wc-metaboxes-wrapper .wc-metabox table .fl{float:left}.wc-metaboxes-wrapper .wc-metabox table .fr{float:right}.variations-pagenav{float:right;line-height:24px}.variations-pagenav .displaying-num{color:#777;font-size:12px;font-style:italic}.variations-pagenav a{padding:0 10px 3px;background:rgba(0,0,0,.05);font-size:16px;font-weight:400;text-decoration:none}.variations-pagenav a.disabled,.variations-pagenav a.disabled:active,.variations-pagenav a.disabled:focus,.variations-pagenav a.disabled:hover{color:#A0A5AA;background:rgba(0,0,0,.05)}.variations-defaults{float:left}.variations-defaults select{margin:.25em .25em .25em 0}.woocommerce_variable_attributes{background-color:#fdfdfd;border-top:1px solid #eee}.woocommerce_variable_attributes .data{padding:1em 2em}.woocommerce_variable_attributes .data:after,.woocommerce_variable_attributes .data:before{content:" ";display:table}.woocommerce_variable_attributes .data:after{clear:both}.woocommerce_variable_attributes .upload_image_button{display:block;width:48px;height:48px;float:left;margin-right:20px;position:relative;cursor:pointer}.woocommerce_variable_attributes .upload_image_button img{width:100%;height:auto;display:none}.woocommerce_variable_attributes .upload_image_button:before{content:"\f128";font-family:Dashicons;position:absolute;top:0;left:0;right:0;bottom:0;text-align:center;line-height:48px;font-size:48px;font-weight:400;-webkit-font-smoothing:antialiased}.woocommerce_variable_attributes .upload_image_button.remove img{display:block}.woocommerce_variable_attributes .upload_image_button.remove:before{content:"\f335";display:none}.woocommerce_variable_attributes .upload_image_button.remove:hover:before{display:block}.woocommerce_variable_attributes .options{border:1px solid #eee;border-width:1px 0;padding:.25em 0}.woocommerce_variable_attributes .options label{display:inline-block;padding:4px 1em 2px 0}.woocommerce_variable_attributes .options input[type=checkbox]{margin-top:5px;margin-right:3px}.form-row label{display:block}.form-row input[type=number],.form-row input[type=text],.form-row select{width:100%}.form-row.dimensions_field input{width:25%;float:left;margin-right:1%}.form-row.dimensions_field input:last-of-type{margin-right:0}.form-row-first,.form-row-last{width:48%;float:right}.form-row-first{clear:both;float:left}.form-row-full{clear:both}.tips{cursor:help;text-decoration:none}img.tips{padding:5px 0 0}#tiptip_holder{display:none;position:absolute;top:0;left:0;z-index:9999999}#tiptip_holder.tip_top{padding-bottom:5px}#tiptip_holder.tip_top #tiptip_arrow_inner{margin-top:-7px;margin-left:-6px;border-top-color:#333}#tiptip_holder.tip_bottom{padding-top:5px}#tiptip_holder.tip_bottom #tiptip_arrow_inner{margin-top:-5px;margin-left:-6px;border-bottom-color:#333}#tiptip_holder.tip_right{padding-left:5px}#tiptip_holder.tip_right #tiptip_arrow_inner{margin-top:-6px;margin-left:-5px;border-right-color:#333}#tiptip_holder.tip_left{padding-right:5px}#tiptip_holder.tip_left #tiptip_arrow_inner{margin-top:-6px;margin-left:-7px;border-left-color:#333}#tiptip_content,.chart-tooltip,.wc_error_tip{color:#fff;font-size:.8em;max-width:150px;background:#333;text-align:center;border-radius:3px;padding:.618em 1em;box-shadow:0 1px 3px rgba(0,0,0,.2)}#tiptip_content code,.chart-tooltip code,.wc_error_tip code{padding:1px;background:#888}#tiptip_arrow,#tiptip_arrow_inner{position:absolute;border-color:transparent;border-style:solid;border-width:6px;height:0;width:0}.wc_error_tip{max-width:20em;line-height:1.8em;position:absolute;white-space:normal;background:#d82223;margin:1.5em 1px 0 -1em;z-index:9999999}.wc_error_tip:after{content:"";display:block;border:8px solid #d82223;border-right-color:transparent;border-left-color:transparent;border-top-color:transparent;position:absolute;top:-3px;left:50%;margin:-1em 0 0 -3px}img.ui-datepicker-trigger{vertical-align:middle;margin-top:-1px;cursor:pointer}.wc-metabox-content img.ui-datepicker-trigger,.woocommerce_options_panel img.ui-datepicker-trigger{float:left;margin-right:8px;margin-top:4px;margin-left:4px}#ui-datepicker-div{display:none}.woocommerce-reports-wide.woocommerce-reports-wrap,.woocommerce-reports-wrap.woocommerce-reports-wrap{margin-left:300px;padding-top:18px}.woocommerce-reports-wide.halved,.woocommerce-reports-wrap.halved{margin:0;overflow:hidden;zoom:1}.woocommerce-reports-wide .widefat td,.woocommerce-reports-wrap .widefat td{vertical-align:top;padding:7px}.woocommerce-reports-wide .widefat td .description,.woocommerce-reports-wrap .widefat td .description{margin:4px 0 0}.woocommerce-reports-wide .postbox:after,.woocommerce-reports-wrap .postbox:after{content:".";display:block;height:0;clear:both;visibility:hidden}.woocommerce-reports-wide .postbox h3,.woocommerce-reports-wrap .postbox h3{cursor:default!important}.woocommerce-reports-wide .postbox .inside,.woocommerce-reports-wrap .postbox .inside{padding:10px;margin:0!important}.woocommerce-reports-wide .postbox h3.stats_range,.woocommerce-reports-wrap .postbox h3.stats_range{border-bottom-color:#dfdfdf;margin:0;padding:0!important}.woocommerce-reports-wide .postbox h3.stats_range .export_csv,.woocommerce-reports-wrap .postbox h3.stats_range .export_csv{float:right;line-height:26px;border-left:1px solid #dfdfdf;padding:10px;display:block;text-decoration:none}.woocommerce-reports-wide .postbox h3.stats_range .export_csv:before,.woocommerce-reports-wrap .postbox h3.stats_range .export_csv:before{font-family:WooCommerce;speak:none;font-weight:400;font-variant:normal;text-transform:none;line-height:1;-webkit-font-smoothing:antialiased;content:"";text-decoration:none;margin-right:4px}.woocommerce-reports-wide .postbox h3.stats_range ul,.woocommerce-reports-wrap .postbox h3.stats_range ul{list-style:none;margin:0;padding:0;zoom:1;background:#f5f5f5}.woocommerce-reports-wide .postbox h3.stats_range ul:after,.woocommerce-reports-wide .postbox h3.stats_range ul:before,.woocommerce-reports-wrap .postbox h3.stats_range ul:after,.woocommerce-reports-wrap .postbox h3.stats_range ul:before{content:" ";display:table}.woocommerce-reports-wide .postbox h3.stats_range ul:after,.woocommerce-reports-wrap .postbox h3.stats_range ul:after{clear:both}.woocommerce-reports-wide .postbox h3.stats_range ul li,.woocommerce-reports-wrap .postbox h3.stats_range ul li{float:left;margin:0;padding:0;line-height:26px}.woocommerce-reports-wide .postbox h3.stats_range ul li a,.woocommerce-reports-wrap .postbox h3.stats_range ul li a{border-right:1px solid #dfdfdf;padding:10px;display:block;text-decoration:none}.woocommerce-reports-wide .postbox h3.stats_range ul li.active,.woocommerce-reports-wrap .postbox h3.stats_range ul li.active{background:#fff;-webkit-box-shadow:0 4px 0 0 #fff;box-shadow:0 4px 0 0 #fff}.woocommerce-reports-wide .postbox h3.stats_range ul li.active a,.woocommerce-reports-wrap .postbox h3.stats_range ul li.active a{color:#777}.woocommerce-reports-wide .postbox h3.stats_range ul li.custom,.woocommerce-reports-wrap .postbox h3.stats_range ul li.custom{padding:9px 10px;vertical-align:middle}.woocommerce-reports-wide .postbox h3.stats_range ul li.custom div,.woocommerce-reports-wide .postbox h3.stats_range ul li.custom form,.woocommerce-reports-wrap .postbox h3.stats_range ul li.custom div,.woocommerce-reports-wrap .postbox h3.stats_range ul li.custom form{display:inline;margin:0}.woocommerce-reports-wide .postbox h3.stats_range ul li.custom div input.range_datepicker,.woocommerce-reports-wide .postbox h3.stats_range ul li.custom form input.range_datepicker,.woocommerce-reports-wrap .postbox h3.stats_range ul li.custom div input.range_datepicker,.woocommerce-reports-wrap .postbox h3.stats_range ul li.custom form input.range_datepicker{padding:0;margin:0 10px 0 0;background:0 0;border:0;color:#777;text-align:center;-webkit-box-shadow:none;box-shadow:none}.woocommerce-reports-wide .postbox .chart-with-sidebar,.woocommerce-reports-wrap .postbox .chart-with-sidebar{padding:12px 12px 12px 249px;margin:0!important}.woocommerce-reports-wide .postbox .chart-with-sidebar .chart-sidebar,.woocommerce-reports-wrap .postbox .chart-with-sidebar .chart-sidebar{width:225px;margin-left:-237px;float:left}.woocommerce-reports-wide .postbox .chart-widgets,.woocommerce-reports-wrap .postbox .chart-widgets{margin:0;padding:0}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget{margin:0 0 1em;background:#fafafa;border:1px solid #dfdfdf}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget:after,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget:after{content:".";display:block;height:0;clear:both;visibility:hidden}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget h4,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget h4{background:#fff;border:1px solid #dfdfdf;border-left-width:0;border-right-width:0;padding:10px;margin:0;color:#2ea2cc;border-top-width:0;background-image:-webkit-gradient(linear,left bottom,left top,from(#ececec),to(#f9f9f9));background-image:-webkit-linear-gradient(bottom,#ececec,#f9f9f9);background-image:-moz-linear-gradient(bottom,#ececec,#f9f9f9);background-image:-o-linear-gradient(bottom,#ececec,#f9f9f9);background-image:linear-gradient(to top,#ececec,#f9f9f9)}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget table td.count,.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget table tr.active td,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget table td.count,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget table tr.active td{background:#f5f5f5}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget h4.section_title:hover,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget h4.section_title:hover{color:#a00}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget .section_title,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget .section_title{cursor:pointer}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget .section_title span,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget .section_title span{display:block}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget .section_title span:after,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget .section_title span:after{font-family:WooCommerce;speak:none;font-weight:400;font-variant:normal;text-transform:none;-webkit-font-smoothing:antialiased;margin-left:.618em;content:"";text-decoration:none;float:right;font-size:.9em;line-height:1.618}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget .section_title.open,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget .section_title.open{color:#333}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget .section_title.open span:after,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget .section_title.open span:after{display:none}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget .section,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget .section{border-bottom:1px solid #dfdfdf}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget .section .select2-container,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget .section .select2-container{width:100%!important}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget .section:last-of-type,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget .section:last-of-type{border-radius:0 0 3px 3px}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget table,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget table{width:100%}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget table td,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget table td{padding:7px 10px;vertical-align:top;border-top:1px solid #e5e5e5;line-height:1.4em}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget table td.sparkline,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget table td.sparkline,form.report_filters div,form.report_filters input,form.report_filters label,form.report_filters p{vertical-align:middle}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget table tr:first-child td,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget table tr:first-child td{border-top:0}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget table td.name,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget table td.name{max-width:175px}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget table td.name a,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget table td.name a{word-wrap:break-word}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget table .wc_sparkline,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget table .wc_sparkline{width:32px;height:1em;display:block;float:right}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget form,.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget p,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget form,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget p{margin:0;padding:10px}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget form .submit,.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget p .submit,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget form .submit,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget p .submit{margin-top:10px}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget #product_ids,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget #product_ids{width:100%}.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget .select_all,.woocommerce-reports-wide .postbox .chart-widgets li.chart-widget .select_none,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget .select_all,.woocommerce-reports-wrap .postbox .chart-widgets li.chart-widget .select_none{float:right;color:#999;margin-left:4px;margin-top:10px}.woocommerce-reports-wide .postbox .chart-legend,.woocommerce-reports-wrap .postbox .chart-legend{list-style:none;margin:0 0 1em;padding:0;border:1px solid #dfdfdf;border-right-width:0;border-bottom-width:0;background:#fff}.woocommerce-reports-wide .postbox .chart-legend li,.woocommerce-reports-wrap .postbox .chart-legend li{border-right:5px solid #aaa;color:#aaa;padding:1em;display:block;margin:0;-webkit-transition:all ease .5s;box-shadow:inset 0 -1px 0 0 #dfdfdf}.woocommerce-reports-wide .postbox .chart-legend li strong,.woocommerce-reports-wrap .postbox .chart-legend li strong{font-size:1.618em;line-height:1.2em;color:#464646;font-weight:400;display:block;font-family:HelveticaNeue-Light,"Helvetica Neue Light","Helvetica Neue",sans-serif}.woocommerce-reports-wide .postbox .chart-legend li strong del,.woocommerce-reports-wrap .postbox .chart-legend li strong del{color:#e74c3c;font-weight:400}.woocommerce-reports-wide .postbox .chart-legend li:hover,.woocommerce-reports-wrap .postbox .chart-legend li:hover{box-shadow:inset 0 -1px 0 0 #dfdfdf,inset 300px 0 0 rgba(156,93,144,.1);border-right:5px solid #9c5d90!important;padding-left:1.5em;color:#9c5d90}.woocommerce-reports-wide .postbox .pie-chart-legend,.woocommerce-reports-wrap .postbox .pie-chart-legend{margin:12px 0 0;overflow:hidden}.woocommerce-reports-wide .postbox .pie-chart-legend li,.woocommerce-reports-wrap .postbox .pie-chart-legend li{float:left;margin:0;padding:6px 0 0;border-top:4px solid #999;text-align:center;box-sizing:border-box;width:50%}.woocommerce-reports-wide .postbox .stat,.woocommerce-reports-wrap .postbox .stat{font-size:1.5em!important;font-weight:700;text-align:center}.woocommerce-reports-wide .postbox .chart-placeholder,.woocommerce-reports-wrap .postbox .chart-placeholder{width:100%;height:650px;overflow:hidden;position:relative}.woocommerce-reports-wide .postbox .chart-prompt,.woocommerce-reports-wrap .postbox .chart-prompt{line-height:650px;margin:0;color:#999;font-size:1.2em;font-style:italic;text-align:center}.woocommerce-reports-wide .postbox .chart-container,.woocommerce-reports-wrap .postbox .chart-container{background:#fff;padding:12px;position:relative;border:1px solid #dfdfdf;border-radius:3px}.woocommerce-reports-wide .postbox .main .chart-legend,.woocommerce-reports-wrap .postbox .main .chart-legend{margin-top:12px}.woocommerce-reports-wide .postbox .main .chart-legend li,.woocommerce-reports-wrap .postbox .main .chart-legend li{border-right:0;margin:0 8px 0 0;float:left;border-top:4px solid #aaa}.woocommerce-reports-wide .woocommerce-reports-main,.woocommerce-reports-wrap .woocommerce-reports-main{float:left;min-width:100%}.woocommerce-reports-wide .woocommerce-reports-main table td,.woocommerce-reports-wrap .woocommerce-reports-main table td{padding:9px}.woocommerce-reports-wide .woocommerce-reports-sidebar,.woocommerce-reports-wrap .woocommerce-reports-sidebar{display:inline;width:281px;margin-left:-300px;clear:both;float:left}.woocommerce-reports-wide .woocommerce-reports-left,.woocommerce-reports-wrap .woocommerce-reports-left{width:49.5%;float:left}.woocommerce-reports-wide .woocommerce-reports-right,.woocommerce-reports-wrap .woocommerce-reports-right{width:49.5%;float:right}.woocommerce-reports-wide .column-wc_actions a.edit,.woocommerce-reports-wide .column-wc_actions a.view,.woocommerce-reports-wrap .column-wc_actions a.edit,.woocommerce-reports-wrap .column-wc_actions a.view{display:block;text-indent:-9999px;position:relative;padding:0!important;height:2em!important;width:2em}.woocommerce-reports-wide .column-wc_actions a.edit:after,.woocommerce-reports-wide .column-wc_actions a.view:after,.woocommerce-reports-wrap .column-wc_actions a.edit:after,.woocommerce-reports-wrap .column-wc_actions a.view:after{font-family:WooCommerce;speak:none;font-weight:400;font-variant:normal;text-transform:none;-webkit-font-smoothing:antialiased;margin:0;text-indent:0;position:absolute;top:0;left:0;width:100%;height:100%;text-align:center;line-height:1.85}.woocommerce-reports-wide .column-wc_actions a.edit:after,.woocommerce-reports-wrap .column-wc_actions a.edit:after{content:"\e01c"}.woocommerce-reports-wide .column-wc_actions a.view:after,.woocommerce-reports-wrap .column-wc_actions a.view:after{content:"\e010"}.woocommerce-wide-reports-wrap{padding-bottom:11px}.woocommerce-wide-reports-wrap .widefat .export-data{float:right}.woocommerce-wide-reports-wrap .widefat td,.woocommerce-wide-reports-wrap .widefat th{vertical-align:middle;padding:7px}.chart-tooltip{position:absolute;display:none;line-height:1}table.bar_chart{width:100%}table.bar_chart thead th{text-align:left;color:#ccc;padding:6px 0}table.bar_chart tbody th{padding:6px 0;width:25%;text-align:left!important;font-weight:400!important;border-bottom:1px solid #fee}table.bar_chart tbody td{text-align:right;line-height:24px;padding:6px 6px 6px 0;border-bottom:1px solid #fee}table.bar_chart tbody td span{color:#8a4b75;display:block}table.bar_chart tbody td span.alt{color:#47a03e;margin-top:6px}table.bar_chart tbody td.bars{position:relative;text-align:left;padding:6px 6px 6px 0;border-bottom:1px solid #fee}table.bar_chart tbody td.bars a,table.bar_chart tbody td.bars span{text-decoration:none;clear:both;background:#8a4b75;float:left;display:block;line-height:24px;height:24px;-moz-border-radius:3px;-webkit-border-radius:3px;-o-border-radius:3px;-khtml-border-radius:3px;border-radius:3px}table.bar_chart tbody td.bars span.alt{clear:both;background:#47a03e}table.bar_chart tbody td.bars span.alt span{margin:0;color:#c5dec2!important;text-shadow:0 1px 0 #47a03e;background:0 0}@media only screen and (max-width:1280px){#order_data .order_data_column{width:48%}#order_data .order_data_column:first-child{width:100%}.woocommerce_options_panel .description{display:block;clear:both;margin-left:0}.woocommerce_options_panel .dimensions_field .wrap,.woocommerce_options_panel .short,.woocommerce_options_panel input[type=email].short,.woocommerce_options_panel input[type=number].short,.woocommerce_options_panel input[type=text].short{width:80%}.woocommerce_options_panel .downloadable_files,.woocommerce_variations .downloadable_files{padding:0;clear:both}.woocommerce_options_panel .downloadable_files label,.woocommerce_variations .downloadable_files label{position:static}.woocommerce_options_panel .downloadable_files table,.woocommerce_variations .downloadable_files table{margin:0 12px 24px;width:94%}.woocommerce_options_panel .downloadable_files table .sort,.woocommerce_variations .downloadable_files table .sort{visibility:hidden}.woocommerce_options_panel .woocommerce_variable_attributes .downloadable_files table,.woocommerce_variations .woocommerce_variable_attributes .downloadable_files table{margin:0 0 1em;width:100%}}@media only screen and (max-width:900px){#woocommerce-coupon-data ul.coupon_data_tabs,#woocommerce-product-data .wc-tabs-back,#woocommerce-product-data ul.product_data_tabs{width:10%}#woocommerce-coupon-data .wc-metaboxes-wrapper,#woocommerce-coupon-data .woocommerce_options_panel,#woocommerce-product-data .wc-metaboxes-wrapper,#woocommerce-product-data .woocommerce_options_panel{width:90%}#woocommerce-coupon-data ul.coupon_data_tabs li a,#woocommerce-product-data ul.product_data_tabs li a{position:relative;text-indent:-999px;padding:10px}#woocommerce-coupon-data ul.coupon_data_tabs li a:before,#woocommerce-product-data ul.product_data_tabs li a:before{position:absolute;top:0;right:0;bottom:0;left:0;text-indent:0;text-align:center;line-height:40px;width:100%;height:40px}}@media only screen and (max-width:782px){#wp-excerpt-media-buttons a{font-size:16px;line-height:37px;height:39px;padding:0 20px 0 15px}#wp-excerpt-editor-tools{padding-top:20px;padding-right:15px;overflow:hidden;margin-bottom:-1px}.post-type-product .wp-list-table .is-expanded td:not(.hidden),.post-type-shop_order .wp-list-table .is-expanded td:not(.hidden){overflow:visible}#woocommerce-product-data .checkbox{width:25px}.variations-pagenav{float:none;text-align:center;font-size:18px}.variations-pagenav .displaying-num{font-size:16px}.variations-pagenav a{padding:8px 20px 11px;font-size:18px}.variations-pagenav select{padding:0 20px}.variations-defaults{float:none;text-align:center;margin-top:10px}.post-type-product .wp-list-table .column-thumb{display:none;text-align:left;padding-bottom:0}.post-type-product .wp-list-table .column-thumb:before{display:none!important}.post-type-product .wp-list-table .column-thumb img{max-width:32px}.post-type-product .wp-list-table .toggle-row{top:-28px}.post-type-shop_order .wp-list-table .column-order_status{display:none;text-align:left;padding-bottom:0}.post-type-shop_order .wp-list-table .column-order_status mark{margin:0}.post-type-shop_order .wp-list-table .column-order_status:before{display:none!important}.post-type-shop_order .wp-list-table .column-customer_message,.post-type-shop_order .wp-list-table .column-order_notes{text-align:inherit}.post-type-shop_order .wp-list-table .column-order_notes .note-on{font-size:1.3em;margin:0}.post-type-shop_order .wp-list-table .toggle-row{top:-15px}}@media only screen and (max-width:500px){.woocommerce_options_panel label,.woocommerce_options_panel legend{float:none;width:auto;display:block;margin:0}.woocommerce_options_panel fieldset.form-field,.woocommerce_options_panel p.form-field{padding:5px 20px!important}}.wc-backbone-modal *{box-sizing:border-box}.wc-backbone-modal .wc-backbone-modal-content{position:fixed;top:50%;left:50%;width:500px;background:#fff;z-index:100000}.wc-backbone-modal-backdrop{position:fixed;top:0;left:0;right:0;bottom:0;min-height:360px;background:#000;opacity:.7;z-index:99900}.wc-backbone-modal-main{padding-bottom:51px}.wc-backbone-modal-main article,.wc-backbone-modal-main header{display:block;position:relative}.wc-backbone-modal-main .wc-backbone-modal-header{height:50px;background:#fcfcfc;padding:0 50px 0 16px;border-bottom:1px solid #ddd}.wc-backbone-modal-main .wc-backbone-modal-header h1{margin:0;font-size:18px;font-weight:700;line-height:50px}.wc-backbone-modal-main .wc-backbone-modal-header .modal-close-link{cursor:pointer;color:#777;height:50px;width:50px;padding:0;position:absolute;top:0;right:0;text-align:center;border:0;border-left:1px solid #ddd;background-color:transparent;-webkit-transition:color .1s ease-in-out,background .1s ease-in-out;transition:color .1s ease-in-out,background .1s ease-in-out}.wc-backbone-modal-main .wc-backbone-modal-header .modal-close-link:before{font:400 22px/50px dashicons!important;color:#666;display:block;content:'\f335';font-weight:300}.wc-backbone-modal-main .wc-backbone-modal-header .modal-close-link:focus,.wc-backbone-modal-main .wc-backbone-modal-header .modal-close-link:hover{background:#ddd;border-color:#ccc;color:#000}.wc-backbone-modal-main .wc-backbone-modal-header .modal-close-link:focus{outline:0}.wc-backbone-modal-main article{padding:10px 16px}.wc-backbone-modal-main article .pagination{padding:10px 0 0;text-align:center}.wc-backbone-modal-main footer{position:absolute;left:0;right:0;bottom:0;z-index:100;padding:10px 16px;background:#fcfcfc;border-top:1px solid #dfdfdf;box-shadow:0 -4px 4px -4px rgba(0,0,0,.1)}.wc-backbone-modal-main footer .inner{float:right;line-height:23px}.wc-backbone-modal-main footer .inner .button{margin-bottom:0}.select2-drop{z-index:999999!important}.select2-container-multi .select2-choices .select2-search-field input{font-family:inherit;font-size:inherit;font-weight:inherit;padding:3px 5px}.select2-container{line-height:1.85em;font-size:14px} \ No newline at end of file diff --git a/public/lb-faveo/installer/css/bootstrap-datepicker.css b/public/lb-faveo/installer/css/bootstrap-datepicker.css new file mode 100644 index 000000000..7134641be --- /dev/null +++ b/public/lb-faveo/installer/css/bootstrap-datepicker.css @@ -0,0 +1,512 @@ +/*! + * Datepicker for Bootstrap + * + * Copyright 2012 Stefan Petre + * Improvements by Andrew Rowls + * Licensed under the Apache License v2.0 + * http://www.apache.org/licenses/LICENSE-2.0 + * + */ +.datepicker { + padding: 4px; + -webkit-border-radius: 4px; + -moz-border-radius: 4px; + border-radius: 4px; + direction: ltr; + /*.dow { + border-top: 1px solid #ddd !important; + }*/ +} +.datepicker-inline { + width: 220px; +} +.datepicker.datepicker-rtl { + direction: rtl; +} +.datepicker.datepicker-rtl table tr td span { + float: right; +} +.datepicker-dropdown { + top: 0; + left: 0; +} +.datepicker-dropdown:before { + content: ''; + display: inline-block; + border-left: 7px solid transparent; + border-right: 7px solid transparent; + border-bottom: 7px solid #ccc; + border-top: 0; + border-bottom-color: rgba(0, 0, 0, 0.2); + position: absolute; +} +.datepicker-dropdown:after { + content: ''; + display: inline-block; + border-left: 6px solid transparent; + border-right: 6px solid transparent; + border-bottom: 6px solid #ffffff; + border-top: 0; + position: absolute; +} +.datepicker-dropdown.datepicker-orient-left:before { + left: 6px; +} +.datepicker-dropdown.datepicker-orient-left:after { + left: 7px; +} +.datepicker-dropdown.datepicker-orient-right:before { + right: 6px; +} +.datepicker-dropdown.datepicker-orient-right:after { + right: 7px; +} +.datepicker-dropdown.datepicker-orient-top:before { + top: -7px; +} +.datepicker-dropdown.datepicker-orient-top:after { + top: -6px; +} +.datepicker-dropdown.datepicker-orient-bottom:before { + bottom: -7px; + border-bottom: 0; + border-top: 7px solid #999; +} +.datepicker-dropdown.datepicker-orient-bottom:after { + bottom: -6px; + border-bottom: 0; + border-top: 6px solid #ffffff; +} +.datepicker > div { + display: none; +} +.datepicker.days div.datepicker-days { + display: block; +} +.datepicker.months div.datepicker-months { + display: block; +} +.datepicker.years div.datepicker-years { + display: block; +} +.datepicker table { + margin: 0; + -webkit-touch-callout: none; + -webkit-user-select: none; + -khtml-user-select: none; + -moz-user-select: none; + -ms-user-select: none; + user-select: none; +} +.datepicker td, +.datepicker th { + text-align: center; + width: 20px; + height: 20px; + -webkit-border-radius: 4px; + -moz-border-radius: 4px; + border-radius: 4px; + border: none; +} +.table-striped .datepicker table tr td, +.table-striped .datepicker table tr th { + background-color: transparent; +} +.datepicker table tr td.day:hover, +.datepicker table tr td.day.focused { + background: #eeeeee; + cursor: pointer; +} +.datepicker table tr td.old, +.datepicker table tr td.new { + color: #999999; +} +.datepicker table tr td.disabled, +.datepicker table tr td.disabled:hover { + background: none; + color: #999999; + cursor: default; +} +.datepicker table tr td.today, +.datepicker table tr td.today:hover, +.datepicker table tr td.today.disabled, +.datepicker table tr td.today.disabled:hover { + background-color: #fde19a; + background-image: -moz-linear-gradient(top, #fdd49a, #fdf59a); + background-image: -ms-linear-gradient(top, #fdd49a, #fdf59a); + background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#fdd49a), to(#fdf59a)); + background-image: -webkit-linear-gradient(top, #fdd49a, #fdf59a); + background-image: -o-linear-gradient(top, #fdd49a, #fdf59a); + background-image: linear-gradient(top, #fdd49a, #fdf59a); + background-repeat: repeat-x; + filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fdd49a', endColorstr='#fdf59a', GradientType=0); + border-color: #fdf59a #fdf59a #fbed50; + border-color: rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.25); + filter: progid:DXImageTransform.Microsoft.gradient(enabled=false); + color: #000; +} +.datepicker table tr td.today:hover, +.datepicker table tr td.today:hover:hover, +.datepicker table tr td.today.disabled:hover, +.datepicker table tr td.today.disabled:hover:hover, +.datepicker table tr td.today:active, +.datepicker table tr td.today:hover:active, +.datepicker table tr td.today.disabled:active, +.datepicker table tr td.today.disabled:hover:active, +.datepicker table tr td.today.active, +.datepicker table tr td.today:hover.active, +.datepicker table tr td.today.disabled.active, +.datepicker table tr td.today.disabled:hover.active, +.datepicker table tr td.today.disabled, +.datepicker table tr td.today:hover.disabled, +.datepicker table tr td.today.disabled.disabled, +.datepicker table tr td.today.disabled:hover.disabled, +.datepicker table tr td.today[disabled], +.datepicker table tr td.today:hover[disabled], +.datepicker table tr td.today.disabled[disabled], +.datepicker table tr td.today.disabled:hover[disabled] { + background-color: #fdf59a; +} +.datepicker table tr td.today:active, +.datepicker table tr td.today:hover:active, +.datepicker table tr td.today.disabled:active, +.datepicker table tr td.today.disabled:hover:active, +.datepicker table tr td.today.active, +.datepicker table tr td.today:hover.active, +.datepicker table tr td.today.disabled.active, +.datepicker table tr td.today.disabled:hover.active { + background-color: #fbf069 \9; +} +.datepicker table tr td.today:hover:hover { + color: #000; +} +.datepicker table tr td.today.active:hover { + color: #fff; +} +.datepicker table tr td.range, +.datepicker table tr td.range:hover, +.datepicker table tr td.range.disabled, +.datepicker table tr td.range.disabled:hover { + background: #eeeeee; + -webkit-border-radius: 0; + -moz-border-radius: 0; + border-radius: 0; +} +.datepicker table tr td.range.today, +.datepicker table tr td.range.today:hover, +.datepicker table tr td.range.today.disabled, +.datepicker table tr td.range.today.disabled:hover { + background-color: #f3d17a; + background-image: -moz-linear-gradient(top, #f3c17a, #f3e97a); + background-image: -ms-linear-gradient(top, #f3c17a, #f3e97a); + background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#f3c17a), to(#f3e97a)); + background-image: -webkit-linear-gradient(top, #f3c17a, #f3e97a); + background-image: -o-linear-gradient(top, #f3c17a, #f3e97a); + background-image: linear-gradient(top, #f3c17a, #f3e97a); + background-repeat: repeat-x; + filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#f3c17a', endColorstr='#f3e97a', GradientType=0); + border-color: #f3e97a #f3e97a #edde34; + border-color: rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.25); + filter: progid:DXImageTransform.Microsoft.gradient(enabled=false); + -webkit-border-radius: 0; + -moz-border-radius: 0; + border-radius: 0; +} +.datepicker table tr td.range.today:hover, +.datepicker table tr td.range.today:hover:hover, +.datepicker table tr td.range.today.disabled:hover, +.datepicker table tr td.range.today.disabled:hover:hover, +.datepicker table tr td.range.today:active, +.datepicker table tr td.range.today:hover:active, +.datepicker table tr td.range.today.disabled:active, +.datepicker table tr td.range.today.disabled:hover:active, +.datepicker table tr td.range.today.active, +.datepicker table tr td.range.today:hover.active, +.datepicker table tr td.range.today.disabled.active, +.datepicker table tr td.range.today.disabled:hover.active, +.datepicker table tr td.range.today.disabled, +.datepicker table tr td.range.today:hover.disabled, +.datepicker table tr td.range.today.disabled.disabled, +.datepicker table tr td.range.today.disabled:hover.disabled, +.datepicker table tr td.range.today[disabled], +.datepicker table tr td.range.today:hover[disabled], +.datepicker table tr td.range.today.disabled[disabled], +.datepicker table tr td.range.today.disabled:hover[disabled] { + background-color: #f3e97a; +} +.datepicker table tr td.range.today:active, +.datepicker table tr td.range.today:hover:active, +.datepicker table tr td.range.today.disabled:active, +.datepicker table tr td.range.today.disabled:hover:active, +.datepicker table tr td.range.today.active, +.datepicker table tr td.range.today:hover.active, +.datepicker table tr td.range.today.disabled.active, +.datepicker table tr td.range.today.disabled:hover.active { + background-color: #efe24b \9; +} +.datepicker table tr td.selected, +.datepicker table tr td.selected:hover, +.datepicker table tr td.selected.disabled, +.datepicker table tr td.selected.disabled:hover { + background-color: #9e9e9e; + background-image: -moz-linear-gradient(top, #b3b3b3, #808080); + background-image: -ms-linear-gradient(top, #b3b3b3, #808080); + background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#b3b3b3), to(#808080)); + background-image: -webkit-linear-gradient(top, #b3b3b3, #808080); + background-image: -o-linear-gradient(top, #b3b3b3, #808080); + background-image: linear-gradient(top, #b3b3b3, #808080); + background-repeat: repeat-x; + filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#b3b3b3', endColorstr='#808080', GradientType=0); + border-color: #808080 #808080 #595959; + border-color: rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.25); + filter: progid:DXImageTransform.Microsoft.gradient(enabled=false); + color: #fff; + text-shadow: 0 -1px 0 rgba(0, 0, 0, 0.25); +} +.datepicker table tr td.selected:hover, +.datepicker table tr td.selected:hover:hover, +.datepicker table tr td.selected.disabled:hover, +.datepicker table tr td.selected.disabled:hover:hover, +.datepicker table tr td.selected:active, +.datepicker table tr td.selected:hover:active, +.datepicker table tr td.selected.disabled:active, +.datepicker table tr td.selected.disabled:hover:active, +.datepicker table tr td.selected.active, +.datepicker table tr td.selected:hover.active, +.datepicker table tr td.selected.disabled.active, +.datepicker table tr td.selected.disabled:hover.active, +.datepicker table tr td.selected.disabled, +.datepicker table tr td.selected:hover.disabled, +.datepicker table tr td.selected.disabled.disabled, +.datepicker table tr td.selected.disabled:hover.disabled, +.datepicker table tr td.selected[disabled], +.datepicker table tr td.selected:hover[disabled], +.datepicker table tr td.selected.disabled[disabled], +.datepicker table tr td.selected.disabled:hover[disabled] { + background-color: #808080; +} +.datepicker table tr td.selected:active, +.datepicker table tr td.selected:hover:active, +.datepicker table tr td.selected.disabled:active, +.datepicker table tr td.selected.disabled:hover:active, +.datepicker table tr td.selected.active, +.datepicker table tr td.selected:hover.active, +.datepicker table tr td.selected.disabled.active, +.datepicker table tr td.selected.disabled:hover.active { + background-color: #666666 \9; +} +.datepicker table tr td.active, +.datepicker table tr td.active:hover, +.datepicker table tr td.active.disabled, +.datepicker table tr td.active.disabled:hover { + background-color: #006dcc; + background-image: -moz-linear-gradient(top, #0088cc, #0044cc); + background-image: -ms-linear-gradient(top, #0088cc, #0044cc); + background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#0088cc), to(#0044cc)); + background-image: -webkit-linear-gradient(top, #0088cc, #0044cc); + background-image: -o-linear-gradient(top, #0088cc, #0044cc); + background-image: linear-gradient(top, #0088cc, #0044cc); + background-repeat: repeat-x; + filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#0088cc', endColorstr='#0044cc', GradientType=0); + border-color: #0044cc #0044cc #002a80; + border-color: rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.25); + filter: progid:DXImageTransform.Microsoft.gradient(enabled=false); + color: #fff; + text-shadow: 0 -1px 0 rgba(0, 0, 0, 0.25); +} +.datepicker table tr td.active:hover, +.datepicker table tr td.active:hover:hover, +.datepicker table tr td.active.disabled:hover, +.datepicker table tr td.active.disabled:hover:hover, +.datepicker table tr td.active:active, +.datepicker table tr td.active:hover:active, +.datepicker table tr td.active.disabled:active, +.datepicker table tr td.active.disabled:hover:active, +.datepicker table tr td.active.active, +.datepicker table tr td.active:hover.active, +.datepicker table tr td.active.disabled.active, +.datepicker table tr td.active.disabled:hover.active, +.datepicker table tr td.active.disabled, +.datepicker table tr td.active:hover.disabled, +.datepicker table tr td.active.disabled.disabled, +.datepicker table tr td.active.disabled:hover.disabled, +.datepicker table tr td.active[disabled], +.datepicker table tr td.active:hover[disabled], +.datepicker table tr td.active.disabled[disabled], +.datepicker table tr td.active.disabled:hover[disabled] { + background-color: #0044cc; +} +.datepicker table tr td.active:active, +.datepicker table tr td.active:hover:active, +.datepicker table tr td.active.disabled:active, +.datepicker table tr td.active.disabled:hover:active, +.datepicker table tr td.active.active, +.datepicker table tr td.active:hover.active, +.datepicker table tr td.active.disabled.active, +.datepicker table tr td.active.disabled:hover.active { + background-color: #003399 \9; +} +.datepicker table tr td span { + display: block; + width: 23%; + height: 54px; + line-height: 54px; + float: left; + margin: 1%; + cursor: pointer; + -webkit-border-radius: 4px; + -moz-border-radius: 4px; + border-radius: 4px; +} +.datepicker table tr td span:hover { + background: #eeeeee; +} +.datepicker table tr td span.disabled, +.datepicker table tr td span.disabled:hover { + background: none; + color: #999999; + cursor: default; +} +.datepicker table tr td span.active, +.datepicker table tr td span.active:hover, +.datepicker table tr td span.active.disabled, +.datepicker table tr td span.active.disabled:hover { + background-color: #006dcc; + background-image: -moz-linear-gradient(top, #0088cc, #0044cc); + background-image: -ms-linear-gradient(top, #0088cc, #0044cc); + background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#0088cc), to(#0044cc)); + background-image: -webkit-linear-gradient(top, #0088cc, #0044cc); + background-image: -o-linear-gradient(top, #0088cc, #0044cc); + background-image: linear-gradient(top, #0088cc, #0044cc); + background-repeat: repeat-x; + filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#0088cc', endColorstr='#0044cc', GradientType=0); + border-color: #0044cc #0044cc #002a80; + border-color: rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.25); + filter: progid:DXImageTransform.Microsoft.gradient(enabled=false); + color: #fff; + text-shadow: 0 -1px 0 rgba(0, 0, 0, 0.25); +} +.datepicker table tr td span.active:hover, +.datepicker table tr td span.active:hover:hover, +.datepicker table tr td span.active.disabled:hover, +.datepicker table tr td span.active.disabled:hover:hover, +.datepicker table tr td span.active:active, +.datepicker table tr td span.active:hover:active, +.datepicker table tr td span.active.disabled:active, +.datepicker table tr td span.active.disabled:hover:active, +.datepicker table tr td span.active.active, +.datepicker table tr td span.active:hover.active, +.datepicker table tr td span.active.disabled.active, +.datepicker table tr td span.active.disabled:hover.active, +.datepicker table tr td span.active.disabled, +.datepicker table tr td span.active:hover.disabled, +.datepicker table tr td span.active.disabled.disabled, +.datepicker table tr td span.active.disabled:hover.disabled, +.datepicker table tr td span.active[disabled], +.datepicker table tr td span.active:hover[disabled], +.datepicker table tr td span.active.disabled[disabled], +.datepicker table tr td span.active.disabled:hover[disabled] { + background-color: #0044cc; +} +.datepicker table tr td span.active:active, +.datepicker table tr td span.active:hover:active, +.datepicker table tr td span.active.disabled:active, +.datepicker table tr td span.active.disabled:hover:active, +.datepicker table tr td span.active.active, +.datepicker table tr td span.active:hover.active, +.datepicker table tr td span.active.disabled.active, +.datepicker table tr td span.active.disabled:hover.active { + background-color: #003399 \9; +} +.datepicker table tr td span.old, +.datepicker table tr td span.new { + color: #999999; +} +.datepicker th.datepicker-switch { + width: 145px; +} +.datepicker thead tr:first-child th, +.datepicker tfoot tr th { + cursor: pointer; +} +.datepicker thead tr:first-child th:hover, +.datepicker tfoot tr th:hover { + background: #eeeeee; +} +.datepicker .cw { + font-size: 10px; + width: 12px; + padding: 0 2px 0 5px; + vertical-align: middle; +} +.datepicker thead tr:first-child th.cw { + cursor: default; + background-color: transparent; +} +.input-append.date .add-on i, +.input-prepend.date .add-on i { + cursor: pointer; + width: 16px; + height: 16px; +} +.input-daterange input { + text-align: center; +} +.input-daterange input:first-child { + -webkit-border-radius: 3px 0 0 3px; + -moz-border-radius: 3px 0 0 3px; + border-radius: 3px 0 0 3px; +} +.input-daterange input:last-child { + -webkit-border-radius: 0 3px 3px 0; + -moz-border-radius: 0 3px 3px 0; + border-radius: 0 3px 3px 0; +} +.input-daterange .add-on { + display: inline-block; + width: auto; + min-width: 16px; + height: 20px; + padding: 4px 5px; + font-weight: normal; + line-height: 20px; + text-align: center; + text-shadow: 0 1px 0 #ffffff; + vertical-align: middle; + background-color: #eeeeee; + border: 1px solid #ccc; + margin-left: -5px; + margin-right: -5px; +} +.datepicker.dropdown-menu { + position: absolute; + top: 100%; + left: 0; + z-index: 1000; + float: left; + display: none; + min-width: 160px; + list-style: none; + background-color: #ffffff; + border: 1px solid #ccc; + border: 1px solid rgba(0, 0, 0, 0.2); + -webkit-border-radius: 5px; + -moz-border-radius: 5px; + border-radius: 5px; + -webkit-box-shadow: 0 5px 10px rgba(0, 0, 0, 0.2); + -moz-box-shadow: 0 5px 10px rgba(0, 0, 0, 0.2); + box-shadow: 0 5px 10px rgba(0, 0, 0, 0.2); + -webkit-background-clip: padding-box; + -moz-background-clip: padding; + background-clip: padding-box; + *border-right-width: 2px; + *border-bottom-width: 2px; + color: #333333; + font-family: "Helvetica Neue", Helvetica, Arial, sans-serif; + font-size: 13px; + line-height: 20px; +} +.datepicker.dropdown-menu th, +.datepicker.dropdown-menu td { + padding: 4px 5px; +} diff --git a/public/lb-faveo/installer/css/css.css b/public/lb-faveo/installer/css/css.css index 0694e51fa..172c49907 100644 --- a/public/lb-faveo/installer/css/css.css +++ b/public/lb-faveo/installer/css/css.css @@ -33,4 +33,4 @@ font-style: italic; font-weight: 600; src: local('Open Sans Semibold Italic'), local('OpenSans-SemiboldItalic'), url(https://fonts.gstatic.com/s/opensans/v13/PRmiXeptR36kaC0GEAetxsnmlH4evaVTD0ek7Sy0uMg.woff2) format('woff2'); -} \ No newline at end of file +} diff --git a/public/lb-faveo/installer/css/jquery.timepicker.css b/public/lb-faveo/installer/css/jquery.timepicker.css new file mode 100644 index 000000000..cd75f13f8 --- /dev/null +++ b/public/lb-faveo/installer/css/jquery.timepicker.css @@ -0,0 +1,72 @@ +.ui-timepicker-wrapper { + overflow-y: auto; + height: 150px; + width: 6.5em; + background: #fff; + border: 1px solid #ddd; + -webkit-box-shadow:0 5px 10px rgba(0,0,0,0.2); + -moz-box-shadow:0 5px 10px rgba(0,0,0,0.2); + box-shadow:0 5px 10px rgba(0,0,0,0.2); + outline: none; + z-index: 10001; + margin: 0; +} + +.ui-timepicker-wrapper.ui-timepicker-with-duration { + width: 13em; +} + +.ui-timepicker-wrapper.ui-timepicker-with-duration.ui-timepicker-step-30, +.ui-timepicker-wrapper.ui-timepicker-with-duration.ui-timepicker-step-60 { + width: 11em; +} + +.ui-timepicker-list { + margin: 0; + padding: 0; + list-style: none; +} + +.ui-timepicker-duration { + margin-left: 5px; color: #888; +} + +.ui-timepicker-list:hover .ui-timepicker-duration { + color: #888; +} + +.ui-timepicker-list li { + padding: 3px 0 3px 5px; + cursor: pointer; + white-space: nowrap; + color: #000; + list-style: none; + margin: 0; +} + +.ui-timepicker-list:hover .ui-timepicker-selected { + background: #fff; color: #000; +} + +li.ui-timepicker-selected, +.ui-timepicker-list li:hover, +.ui-timepicker-list .ui-timepicker-selected:hover { + background: #1980EC; color: #fff; +} + +li.ui-timepicker-selected .ui-timepicker-duration, +.ui-timepicker-list li:hover .ui-timepicker-duration { + color: #ccc; +} + +.ui-timepicker-list li.ui-timepicker-disabled, +.ui-timepicker-list li.ui-timepicker-disabled:hover, +.ui-timepicker-list li.ui-timepicker-selected.ui-timepicker-disabled { + color: #888; + cursor: default; +} + +.ui-timepicker-list li.ui-timepicker-disabled:hover, +.ui-timepicker-list li.ui-timepicker-selected.ui-timepicker-disabled { + background: #f2f2f2; +} diff --git a/public/lb-faveo/installer/css/load-styles.css b/public/lb-faveo/installer/css/load-styles.css index 1b61b354e..8d335e91d 100644 --- a/public/lb-faveo/installer/css/load-styles.css +++ b/public/lb-faveo/installer/css/load-styles.css @@ -1,51 +1,4 @@ @font-face{font-family:dashicons;src:url(../wp-includes/fonts/dashicons.eot)}@font-face{font-family:dashicons;src:url(data:application/font-woff;charset=utf-8;base64,d09GRgABAAAAAGW8AA4AAAAAo7wAAQAAAAAAAAAAAAAAAAAAAAAAAAAAAABGRlRNAAABRAAAABwAAAAcb+kWhkdERUYAAAFgAAAAHwAAACABMQAET1MvMgAAAYAAAABAAAAAYJYFachjbWFwAAABwAAAATwAAAKatulUimdhc3AAAAL8AAAACAAAAAgAAAAQZ2x5ZgAAAwQAAFl6AACLYEUhCQtoZWFkAABcgAAAAC4AAAA2Cpn6WGhoZWEAAFywAAAAGwAAACQPogitaG10eAAAXMwAAAEvAAAEENEK6Wlsb2NhAABd/AAAAgoAAAIKw8CgEm1heHAAAGAIAAAAHwAAACABVwCzbmFtZQAAYCgAAAGdAAADWi+oduNwb3N0AABhyAAAA+oAAAoztf4M13dlYmYAAGW0AAAABgAAAAYlmlWwAAAAAQAAAADMPaLPAAAAANHVnZ0AAAAA0dXWGXjaY2BkYGDgA2IJBhBgYmBkYGRkBpIsYB4DAAR3ADcAeNpjYGY/xTiBgZWBhVWEZQMDA8M0CM20h8GIKQLIB0phB6He4X4MDqp/vjqzXwDxgaQGkGJEUqLAwAgANkAKxHja3ZA7SwNREIXnJmtkuXfHBbFYsViQFNutTxJsVoMmARUxhSSFxEcTq9iI6dJY2FnY+Gvs1EYbUTBYq5U696GNui4JWNjbeGDOcGD4DgwApKE3I8ASB3acJNbNFttPdg0i6IPh7AfZNEgejVJAIU1Tngo0TyWq0gY1qEUHkklbejKQeRnJOWUrTwUqr8q6rNd0Vdd1Q7f0oT4xlrGNZwIzZnKmEMcACRvIpSHyKZuwxylHUcIuUoXqtEW71JYg09KVvgy7bKZc5atQRbqkV7rsTd3UbX1kwGSMa3wTmgkTxXGnf8DCL/zEd3zDV3zBZ3zCR3zAe7zFG7zCC1zGJSziLM7gFE46e07T2XG2nXVRFzVRFRWxKhbFgoh4h9/xa37Jz/kZP+396q/EMvBTwFKJpX4fwL/XN7iViiEAAQAB//8AD3jarL0HfBRl+jg+78zOzG7aZrMtbTfZbEvZ1G0hZRMg9NBCiwpIWXoxijQJqBgRlRIbNsSGiD0qchaOs52uHbmIp4ce6slx6p16x9eDJPv6e553dpMN4n3v+//8s5l533ln5p133vL05xlO5OCPnOYPcQIncRouhdNyXKXOphP0Nr1ZR2zJRKcnp3sepY9HHqU7yNRHI4/yh6JN5EbuZ9r9M6HRj7ifiYfy3M8c4RL+KjmO58JcVH5R6oE6/RynIcEQMZmtxGwVAkENkSVDHjEZ5DRelmBn5UMkGAiG+GCgCsqrguL+aP2urHW31pQ+OKWkblbLiprow9H6py2WpRZLzohFpmF236QKefTiSy/1FXhTm325lilwaopF2MS/tis31e6ybinLzLWlkpTow/xrT7OzUy05gdHplXbfpZcuHi1XTPQVNOlWDs9hdXKEeLiI1CiruQzoE1uVyagzSCWE6OwFLr/OFyCnhY6WNWtaIjQlAqmsXtMSbWpZQ1PI6TUt/KGWNfDaAvdvqOMT6Rj0ZRqrxyxriFtD/F6RQLfiJjXeuTS6Prp+Kf8j6YxE9/OtvZOEfNqm2nTnUv46Vk7bIndFH4k+xk+jWnKapkC9EW6XvFyu4TI5F1cH9ZrStSSNuEkDCfjcrgItIa4A5PM17FiSiWQwmwIyMUlaIuW7XekNJETMrLRK+semTXe2fLmUSM3NDQ0NzzSMp09ahrTccSVZ0Pctb8rLK2jNi36LSRnZY8UTdPeVyi10XmNjwzPSISy5o2WIlYjjm6GCxsZm+uTSL1vu3NQ7Ayq4MC+ft0a/Yemb5F52YtMmsnAT3GKhcxueaWzgOBXMjzC803JOz+VwRThHiM7nKiFum2wvkKD3TV5bVYCrMhmkApdPtOlYGvBWmXU26ND+Q9FQW/TwtbTt2oeLamuLhFNFtdHGIzfffORm4SA5DcnNi805tBv6VMkLHfyhotpIpLYo2gQ38M9i8RFV78nFeI9IzlJ5CX2AHXB8/5wQYEQ5HD7RZrTpvHyrcKr3gJDflxkhp0VDz3fhiGjA8f+GOyn9RTrFqblszo6z3k0COOvFIJHTiN0mY6Mb4EUDGuWETMQ8eugl0pQ90+XO6HvjIuHatVXfzqXt7Z72Vk97vSCRpiw8lU0PSbnKlXq366J32vo2TK0a1u5phQtJx5zTdC+cyYAz2fQlXII8zJk3pKjUxxk5G7RdUrkJPjxIXBnBgMOs4U0SLjQ2f2A1Sh3z6T+uiH419uitY/ltPt/82US1hv6ZZBNrUXXPbutUi9VqmWq1CD/P9/mil4+99egY3noFyZg/u9pD/0xPkrzVP0fzLJbYhZxAPMQjq6W9sP5LuFHK6NptAyNLvDi0JcSIA1lP7DiatdgzsPTiR348ssSvZEPul9W1RT3f4ViLhqLavswwZsOWYkt/hpw+T1mnqgvzvZNw0C21LbW7jBaLcRdkeBfm6AOJZdFPMcfAI9fJPSCPlFthlnIEhtEl4dIzy9CdKuhK4g6aAri6VIaDfPtvJrw6YlyT3vebH+mpAP0o8LafmH+EwqZxI/TSAwej1x706UeMG/HKxIM/0r8F3g6QUrjgn6yw6VWYbwaYb4dgvmVyFfDsgjJVOXGFBG8VTJQ0UXBCaiFpKntBGV8OnRMiXpVp5uSAJ0snCJJU0rAwtGhrWRpR6TJL/JtI+uV/2Kj1P7T3ywULv3jyJrf78g+vUHld9WPG1Ov1wWXzx5WueXSWnDVq6KQh9K8HtxxdcVbUuq2ZZltBSvLZtvc3KzA8LKuhPW6uHN7eLsnw3pJstPldbtkddLntOm8g6A6aA0G/zWgyB82yyezlqgI+V4FkkNWfZgfvOnpX6yLavaj1ru67gpmffmIeAiXTlhMPKxli/qSv6kxX15kuIX/ZdDgDl3yaGYQzrYtI0YJZUBLIiZXMWkCHduG1rF0RuUCeDDAWRoUzZQAWUbkFUbC5lemdURXwszZIDS+PGDGnjb619SX60S7aHRZyRlWumkP48pUTJqycIJe9TCn9eU6bv5E+l0e3RQRyI2lYNWdE9MSE6iBcgc8ihfJymMc6zgF9UKUyy2UwPyXZqyHeQIZDX+BwB60wRwNBu4bY0wTh1F1EN++x0ItL7/mx4BR9gD5wJPNVUvrE3fSH/lIym8w+krHh4PfS3k1tr7XMef022kY695OMPT0dsQLSSds2fXbfLA5hZQTeV1lLWbCai365mrh8lVlS5TvcARV7b1MVAUjlhx9bL1vZelkH6yVIWohvwwb6Ln2SvrthA//Qmr1r1uyF+evp2Uo8Qj6CNry4LxP2wpg9O3bsge0EXrQmuj8cDkN7UrkIrO3lMC+0AL3NMAZ5MENKYI4EuVquAVb7uPOsd5vOpocmeWNbHLIHoZ1OODfoGM6rEo7l5fAODvYOx4tqexwM5BKP8t+7otgCKzyCHca3IsLsiyaUHBp8BelEsBEDIapPoMATYX80xcKuCocBp3vieTgRyyJMBXwQlvYyGsE6mEqwxagEdxAWBqwSWApAMZyKUQy0GzLC3p6ecPwf6Ye+E3H6QchvWdP3ZMJpxCUcjPkReJYMvZyHuERv1wMt4WCjG/AJTpPZZS9QyS6HvUAOBIVTUVNZpOJW4ZRwqm9oSy1AsTBf2pbpLzxEX5k1i75yqNCf2SacIsW9B1Wra7EvwuzVor//823PyS/s3v2C/NxtCs6Th8trgBrUIQUDRBoiPhvQb4jOZOnO7RYLbek9oCo5YJ0S/SuftSN6apTcuh1oLDq5b4h4/ICF9N3MZ+6I/rWbA7oS/uA9jsBMsXOtsHKXcm1QlM6XEUe+Ko3w6RlWAjM3RGAOmzLSeZzGLigNMJrRJUv2AnfA4YWF55KMBqAgTWYTIA2geUIEAS+7wgWAUjLlEb2GhFRuOM9riIv3+4geb5ePLHjhJ/oBfZF+8NMLCyBPKslIUvnTC71vkJVk/I87dvxIn6U302cxR+rpB0sMaXrj1VNt+pVk3vt3EfNy3yyzKVsUqhry8+mPRpdabdAaDJun2pfYHQbITm0jzxNRUJs0ctLsj3qOk01v/49Q/PXqjYsWCSOURy04pwnijEEPHc8a0lsk+NW8t5wkkX2vrpwvjxtrGVpYpFHN2FJ3oqWF/wdRqwQ+6CPJEi8Qf5Co6ZFoLv+CnNXSctWQR//wJ7pNuLn31Hxy3bfP0neiO4utnBibs8thRslcMluxHK5FAhB70OYR1/VsVTX3nQC6hm18a3S/vPzMGXEdrInugQ1g4jTSKYtyGtAWJVCbz10GeDEj6E5TmRESBgPOXxYJ00dXPTEm6/37H5z33J4VVenZXz16+9x5wlPnK+WPbZ7Z4ErfSYZO/kv5lgPvnb3qD32trbvOV4jTS+ynJVVAeaVw6fiOeqC3bQQACdvgBTXEBsgsur93EvGounonqbqi+6P7hXyEGPLy3knR/eJxeME2BACYktMKHTVAp7oQBxZIlgGuwMtAQD8c0JFYuaq5ZfL1tBs5hRa+tWUNbggJusOQiut2jH2edhPPmhZyGstpG2wpAAz6y2DJMByHz9UAvNVBT2dxFi4f3wuf5oSHiIJXb7MLXhLfYJlqeCBYi2rPnKklL0TCAKbDkTDQQ/EdAvnTyrjWFp19mZdCRbVhfOzABnTtqb5MoYO20TZG/yjvH0YYRJwBIMfgVfNd6YwSF3Vp+MrKgS/Av6SaUFj7Hv38vfduGjO+rz0j0nETy1ZLuyNSQ0mk9x9wTAres/OrIn0dVz3O8kJtoT+BH9AyjmBo/E0Nkj0OXOH9uDh284Vkb/+5KqsqD9Z9lZU3fyGl+caM8Z39J+zFf/ds5Q8pCO4BIiYZLWU1LRUKbisaX+OzZ0mSKr26cXHbouHeZHl57DYfVnH2ZVwOQg9DfLRbnd0yafms2cOLGV4s4g95Rk2bNspkSilaNHEolBjjcyXC8KKeUYvntN8LeI7LD6S78qV08ThxeUIhz9l3cU9cQC130ptJ8zff0APfSI0hT+/80qamUtU9nlCk57tvlBP4DAmesaufb7LD+vMCzuUAdlp5QxoPsLOM94X4jBgNpjonjWNZKZYKOeQuUvPWVT7fVW/RN+hC+oaSl9tbW9tb+ezEJCqx5HcMt8jLh6965MUvX3xk1fB4JmpvZRck/Ec3s6StFu8BHruTnGb4M1nhpuI/aS/iSMSFAIUM8RzjfRUeTLnHjHfZ/ciCARPmDxrtRrvf7vcCPSHthcXV165qBpQNSDssGgCvh3scQkeEHUciyJ8jTyLtBTpKgYUwQn4btkPAVIF/XcDTYUY8HunLxJUCnCODMefcG4Ojyv2Y6jDfX4/QgY0ZWFODqmSMP/7/p3p1sbqLSCzP6sXaxHV97UijYI7VyirDimN1/tp7ZiW0D9b4L16TIPknrhPXwUzmNDweAVBcR1fQVRzhD8G546ou5Zx4HEsRhPKtsXOG+H2iAUuBFLuFbGfnDonHgT1m54Acg1K8Prr/P56TFZpXroH+yGO0pZdRlwx3QX8onKGSGm1GJInqCU5xMSGP/efU2WGvbLDqPGdfJsA0t5JO2PW1K8Qdf0hJSSf0cGeEb8V/qRG6Z1041NoaCrN9D/KEg3c9q3CgwygUi28IM/lh/HBpsvhXpH6ImdhJUBTf2RJ9aQs9tIUQ8a+z+14kb2z8QYEZf+T+KJ2RzihYC/iLARrI78twAE4RTt1HCo62tx+ln9OX6edH27vJEnJ39EXpzEBR+1FScN9HZMnR3uWCml6p8P8RxrtpGY90Lm3FAykpa4hZQxiBUnjsyiuP0T8CefJHzAm/w4kLSwpwGE60iMLNJ15CCtltfV48FRl8+SC8qcH30hCRCPAs4iR6keidop44hVO0GxbDPZfiZGkju2ESdn9DPqSvzqAe6plBXyUfysuj+8fRqugSrJW/nbw/jqyjJTV0dzT6zTdAAoVruAQchc9iTwIqkNVPPHwrDbchnr+Uzudbf1kdthPL2RwUcXaRIkKACspECAQtTIHZDOPK+hN54eVcmsIHmtIZZYmTMUT0MX7TaDCjcMCE3CAxia9vOXx4i825FHDqi5oD18665poXr8mhh+3XZghy/tNW0lQhL/8dPX1YvbT3K/H4TXdH/9Qxc1ZHx6xAJVz0eoZqA1yCQI/sJ/ulQqmIrWVFpBjUoDxP/yf6KL31fbKcPvopmUGWv0dv5de8T1bQR9jh+/RWMv1T+gj3v84HLj9E0stIfhpJN51vQpDhJP3kli0n6Q+wP+9E6F225WT/NQiDOmOyMzOs31Jot3cwNmSynnyTUdCxjtMRd4jE+tBklmHh9XOhRWHEfxHAw8TjcJfDui13O1TNMQleEcrziGffN9/sw0nI6KnuaNPHGWM8uGg9YzI+HkwjIh3l5Jq48YPbVE8SaTqEMv20RkjywjADdZGHWaQyAA2x24xS4+sl9fUlPadL6llGTCmp7/lO1dx7gJxmqI/k82pLfmDI+KK+9uoWl4kQIqRm2Ny1BeXjinJF/uVwfUnfVVKjUkd9yetKHfUlvVNVzTTC8CjtTnIsvnjVlCFIk8NL5eWptEWuMpsZCY9oBczWq0rqgUHVJNBQZkYduBncRJ6cCwIP7k/gyTNiFADy2vx/kWd0JRKNsI8wEkBc13vgx/+YC9cWDdwlNTIqoBZY7bb/lEscq4H34JznSjzibYOh4RPyCmWLD8VHn+09T7MSX0USleciyuo7MZDnOIUHx3YcAX7fyGUOplmQhYJ5ABPFjA8Fcrm77wTKFwDoHAK6G2XOwEyQTiEfs5gyIq+NnYs2AXWDZzlOkYUrPHISPCmTy0U+Ayaiv4Az2jXxh4osQVEJf+i1nXecoj88QyRpKk1BakPIB0gKgJimAO1+Sjx+/Z1H6d8+o0/wX/VspSnCKaCDok3AfgBm/ZXnaeCRnN1YZSKxt9OzREDyrPY10kikZ+gPp+7Y2VOEtWGtDCmE8Wn0CTLlM2I+eieR+9oRdCIZhf3Q1x7vSxXryyMwpslMNwIEMzEqqBz3TpsGBVaijchHaDfU3o10Su9J/hB9gD+EiJg+AH02W9UcQeY0gvxphHRG14R7GJsSeyccK6ShlPpjeB9oRXgNu07QCDBQcB+roQrvhFE5RdukvfEHIl7AhwEhmI2SO5TTMZQOOCbCHZWToP1mpn+RnQDx3S782XUwRlUolpBemjiRfhMM+ubN3dixHV/93RcPbr1B+PxFuvjF1R3bd2zeOG+uPwjPepW8So9NHH/DVqXuN6BudazuQBB+XqyzQJbwB0hFdKUTI1x98MV3kTra3tE+b54vGKTfTBQ+hweMn0iKaYiGiCfonztv4+Yd2ztWv0juYPQFdD8QtACH09kMNkiyDoUnujKUruebVEyY5CoQ1z1yTbiq6ppHENZG97OFIK674VhB9C5PODdXKCs4dgPA2Cy2QNjaUNaoul8iacNFqEB3Jr5HOAoUGrHFV6cjlvKtQkccuEcwQzxFtUD2t/W1tzF4JxxX2I5D2AqYbizB+duWwFrEeKHIOXJI+/n5RiZ5REo9lg4GAT1bUZQo5KNoAJLBIlOFmBfywwqj3KakMboDqSLxOOP2rKjKYM/0BYK4A544xDCMQXzv2oPv3dSXedN7XZulmxdXllX97rJ93whfp71xHfLH176uy85dfLN+/rpv9lUofUuuA5rkDwDRzShhAb7fLMHOHRB9OOXS4FFIY3D5jmAZQXEXcOR+XzCNyCb+Vb6Z/OWKK2hu9ADNveIK4X98hbr8yqZmf2ActZFT5O4lI37YveLv9Jm/r9j9w4gl4h/o0TNn6FFSduaM2tOUwvOqMV5/c3P09n8e2vBY0ep7H/773x++d3XRYxsOKXh0gI7QM+6z8ZeyXjcsOpENv13nNeI2MBoc439N+YLZquh+sLsG93gYl2BvUJWd5wnDnyev92SexyO0Im8M03Pf+GATEANNQVyxTJYbuxOu3AgUKO3eCJfn4e1RPsZS84dWZYbrkTioD2eydUEMhEiHpMOch6vGFZ0hK6LF+E+GzpSUBR77SQ63Kz0YcKiEQLrblS9L6WZTvurwja4lQpa6oDykqrdV2h1mk0oYVlFZ5fN5K20evjQ/M9NwF71j8333LSU5JMe+cOEi+vnCRYsWkgKp7Ea6/l7BJOXke4RSWyVSjaUVwwTBZHTZK211QkNZvtUwxXf1/eSt+5aOGxfNXkRsi+CP/nnRIoR5v+Ad+zGUEE87kINjnCEmqmYEH7gp4j3GasE6An4H5vG6BB7UrNTlBNiJiACoNXu/pPC0cKrnuwjAYBSbdyu1wKIGkByOV6qwubhUAKFL/XpULcDlPIbPSxSIobBwXiChq0yirQz6hNjiSzeRc1N1IZDo+Q6BhW7ngZ30auJJnzZvGp2DhGBfO5KAgE3xH+iMojBQj9Mvu2x6yZAh9JEYETmYSVP3z2N85/SYfM0GlCHnjHH08P6Kktnsh0XsjPHk8U1Wo4gIxYh97cSDiqkTKOdDnBLf8CS8N1xnQHKgux0VXZHImhYULwLFg8LGuK42wsZRUvAWMoFGfPwAge4QTu0kwkuXwLgduuQlGqVf0uhLl1zyEhGEU0rJTujzpp3xUgBHcDXHbAcG3jNZebt4v8pq1g78x2Yi2YqjyGgf4N894nGpEXBpLvYKNKcqqOA8P1LqbpdN0AGIQ+Bjl71VRoMslRC4640P1q7z+lZNW7h6FY2u37rC5529eNd9f/RWLdsPLPV34fnPbBrXnKPR7rr88QkTo1Fiy7eNnTTyT/dfVIKQjpB3YU6r4LnI69iJV7YFvcQetIlvfERPdYeis0LHSOZHIf5BFIPAJOzA+dXJ1kEje0M94zjsqD91oXTAgBok/tfyYYZOwgjiD503KxoUERaQTudmmDwOnp3Nxg7ltD6AJYu4ZUxOJZsBkctA2Rhtgt/uDzK87kfBuF1B7GbE86wD8VBLjOxS6Fg4r5wzMgV5/BpgN11uo8nbPwxwjRnfoXXE1YVlKRk8ycUGb3jcW51m1CSlp9XZLSZdljGnNNNozDSnpEpySnL5fLITr7ra6WyYECzM0RuMNZ6KvDxvptlgLM6xZuVUNU0qLsnOqizMMl+tdADpXOR1JmUU039FwtEnRqoqfPpssznXBpskpKSYA/rkpOSUTK02XZdaGa55LUw/KcvKLqzLEOWyvMxhKSmWfK1WLaeONdlstYWZmRKvyc1tCgMMdpBO6VMYNwOjIAaUBjz/S0VCf5nwXH3JrSHjUzfcuPSlW0frTK/ddNXUKYJzoPAWKHwVC/l9l47329KuIBkjXvPufodGtx74eNzYqy8dH8g/t5D7FXh6jpYEV3tcvheTn+Hq6d/+mzpg4p5QNSu6Fkz/v9Qh7QWSpAPxZCw9t47zyxURsvmZYphtzCBpryJVRIk/bN2oI8AhR+5F0YwiJGdEdlwml85ZORdXw40AHrqVm43SEMCYQZcyrxlpEvRLyoQFqiRAvIJd8Aa9et2guYsZu+zvn96iHVYIVCTGS0oIE1NJFQ57tss+4aLpw4YWFGzraB2dX+xyXFBaXlHZ9+TiE0tPLKr5+ugnC6qrrblDq3JzqwMbJ01rsuRZcuvplCcDZo1WrSFb5jcW5OfnhRbTNLTkCiOrJh1KVusmu53OUU0X37Yne2qSRj0k0Lakri7KVCT7yDPR/WWeljq7PUWlsTu9ExyOM/v0GSVlBsPC3UNLfdlZ28zmMm9mZvRFYLHyw8iBIX0Us3sRWa8bGW0o652yrojo3KKeWRGZnYK5iAQFMajjWzd+Qa/fCAiucyO9/ou+N/nW3gMbydovNtI2VdfGL8jajdJePLMRRwGP+84y5S27LXYhBxgsTgsn4vCcfmwbl582xGYBo4VRlj54O/85m19g80U5Rp2gtBflqBFyOuG/85xiYHxTwjjF8QA1b4AdUxQOONL/BwwrTGDEaoCZW/tLu5UU6bTTyL8AjW3ishEjIHXAeAydwSpUhQS/ji2pyLYlS2+LZA2df2/k/vnDsmF1Ho/+fufdu7fx9dHn6tdumFUz5KIr1tZHUcCg6h+j/vWlh5dM/DF8OGjbG4k3CdtETot/Y/gmCaVIiKf0NrdNL5YcpvNhAR5aRh4ooa/cBpwwioI8d5GTA3YcMEYi4Ao72vhomHYyrq1RLODMUBRMsIEjgj0Z9Xs5BP5Vx4gEvLX6NcaICR21RXcFeicF747Tzthz4fCRlyOoCAkDgu8Oh3F5M4au14hWUA1//0coZgkljGGCiBRgs1MwVXSeie3UAu4vTWhnTETn/IU0D62CBKab8eoGN5K/9u4BKv3uINBEfSdgCgy0raYYzxQXY6OKa2qKlUb+PXoNTg9oUswOT+qCOeBmNgkWYpCJVFDOu+qJL0gQjaLpYzlBGESYbWmVeNvK+vrokron6y6BDH973Yzp9ZTnN1ssxywlxZboJsxMk8RL6mZ0z6iLLqmvX8my9fyu+vreCFw41XrMAtdZp8KF2C86Rmc0Ml3Ur6+v4TH7FwZidQzUxlcTSovlWF48J/1P56RGJLMRNiNV1pcZFk6Fw2iNAykQ3f3785XJ6nC4xxEOoxY/zIxbTrNMpH93vjK0h2X4YyXDzApATmODbEPQDQyQDTggnQHgNb4ocKEM1AunDi8Ij7CtmARrfefNw8Y+tA8I1S8eemhM6FZ6M986daV1eHi+eGD58vdevi403xuJLLj2zoMk+e6779lNzzx3x+alkUgwHLr2t+8vW440ejgBh6HUCGGAlStQ8KEIm2z3o3mtMwE12mMpzOk2RI/hCNLiEeFUXzsCGaawAVSXT7ulxjCz8ImgqCcOdpQFxPgWNdN6LP+156PNG/Hi8+2Jz/f2G1QAnkFwx+yOIqhTR+YDwR0U4xJApB1mz/qVBgzS5WlhjtUzyxmHvUAlAVNgUnmrHMSO/R6M49MC2Z1AVAI2FmKiCFZSIO09RA8f7ucSdh4mw+jI3ZmmYfUGQ26ut7Wt8Zqb140eZcmZGkzX3pLj85bn5uTkzBGKSTsZ/tIA4/ESWVFSXeyuKsnNdjiN+iFXja2pmTustLS+0Gyy03eyKqqqgIQsz8qJyQz4A9IfRTPXxE3gLuBmAY0McwrabFSIWnsM3fvtZrvbLtuDdj+QC2ZvjDbQEq8iFKsyyy63QmbApAMmncheN049t+Q0euNdANUYRbfdqBAbUllhga1wZOs1I2s1szOCQ+Z/vH3Wotq/1CyeNeuaWUtnPvP0qlAwR3212uwINc6Y1WzPctsdUyrsGuKkn2jspb0nMxab+GRVCp9Gnlnrzsq1WofTi5/gfyu8vLguP0+QZTl1avbE4W355ZPKSnt6Hn64J3z2bE+RY7zPrglVjLI7XZNTU5JrPcPD44uryZhAvViQUpRUW/ugoNWXF+sz6BlCCL/fnFlVhn2l8KWKniIXoEsBF+CGcHUMb6PVtyS7G3jF6FtwKzbfvBdVa04SNMsxW2+zVjH1DooaQE16DRGZ0Xdpw0ePxG2+m/cOzStDm++eVpQdR5hOmln9nGgce4Ni8n3jtyPuQIPvBuEsiguQsEQhuZAv/YNZgJflDd0bNwBvfuRYg+fOTQinFPshRj9G3xzx7Y2K8fcNYxvvZJdOVOqABdAJD429M+lk+DgV6CXUzpTBW4e4kQhFAzof73Lkw4Q3psdl/qpzJIqamG1wf0E87VfhrFOd6BpQWvH/ZoiJPqYg0YuUo3FkMtp6jGJHqm+VQkUtQTr/RLIejCvFHqR/FT5i5dsVhQH7p+nkzeh+FDFN+zix+GRcZBq3ZWDwRIecuB1orRBw6oGgLo2U8Ug2eaZ0f3KCrpzy3Z9/fjciHu9xoGAll1gsfE7fCbu6IE+twIROxu/26/dRlK5sin4/vkmNESYRi8Sez7dKe5meXkScroOpgWURpHeFr8ktbOBQ3Q/XdhLCcB3S+qgv5FExZxUB4AeCITGIMgBelW9KR2Mg1Y3Qsd/dv+1SldtQaHGmX2uxXJvutBQa3KpLt90ffYnkvv02/cvbsvp++t2DO87OE2wZTkux8cm5c580FlucGTZh3tkdDxLDxXjV2yS3X24hHeNSgDtEa0t9gn4wrrwiTp3oFHVOUS8aVteNufnIzWPqgox3J8PIaJoZ3c1MSR57gn+Sb7GtHrn45psXj1xtI5cxDp6uu7av/Z13UIawPeoa4G8QvyOsR3lQCcxE5OaZFoFJkKEFNp8LiwikdrQysOsc/ZQR8ReUiXCuMwKETqR3Eppzkc7VfT+GhXxIp6DNZ1i4bd9q1Gd2Lnhk3cqV6x5ZENM2d9NuVJyouta0TFkNKwRJMs+U1Wui0zEbxrvhTLQ3YvM3NvptNCUuA4c5lcy0ZWgj5mJWEnajHYkxP7MLi8tCgELTob4Czf/wDU4D5Rzp2RqJiIbeScIxZu0U7j0Qxtb0ZfKHICvt7T0QiSiKF8CdpJMZVEWr4H0QlwFdksKyitwa13Ejs8HLh1kTEwszOhamG5HPERQL+bVFNKWott5NThfxtzC+prao7wRz5cgvqhWfRdF/cQ1icOgYNM3AU9H9sGc2BuS0vBx4gxh3O7hyYLUI9iT66Sg+Oop48pBijcfWKmmmIej3EMrgYrheyzx3zqnLCW1fvqal5zu8UzS0rOk9gLbGioVvXybsDyLIU/REEekYzCEXsxJQ4FLQKdlj3itOF7NZQS7GLSLeEwPio0wyqKFjL+iAXPvmi8hBDUoUIUfHajTk4AVCPjsusJ+cD5n5Jwvs7BbMYBn2xZvcW2zu5jHfAdTz2IjyLHiIGR9NYqRA0GgSdMSkSN+DbmwJkdXeop4css8IK0PsLB0GJPbC2tZQVq5YtJ3+BkvJg4UVmTn0Zem+meN0PV/w9zvdqGDXGRqqNPzVnrGh1iRNsq5nmOrC6LPKKXm0JYkKim5O4U0RliBs55yJqxmpdsBrgYGCOKA/F+DLalIagPnX4KXzfY2hsPlY2up9q/2l9JhkZmC290aF5ehQlMmqd3MuCuAQ1c7NjK50NVXfWeCcsnr1lMCFOdHvxeMMQEevZMmPio0azmENzIM3md4cB9SURhK0AApVFaOtgAzR2QLB/l9cdxBHO6ILnd76f8GES/2BINyLOob4L/4EabrdvHi93VjgyHMWFhdfOLOkqNBpsxWYMnUkJZl6SZJGKK701jUMHTXy9ttHjhraUOetpAeZH1O0GO69okC511Ex4+IKB96bl5WthXvJe/QnXo7d3Dj+9tvHN7KbxW2+9SPNvjxHgTErXS8b9JqM9CyTrcDmKOR5azHxpKtCld7Ckhxran5+qjWnpNBbGT3InKwe9V0xMjN2Z3qSXp+UjnfmOYrseCft5tNit+ak5+en57Bb2VpT8H0K6hkAMKSp5AzAhwQYX1RbqGQbcIcp06+966rrQyYyjzShNV2kxyE8Rf/xMD2q6gKAUMKnuRqWjyWppMJIqgBG3Rc9omquuAPX4FKikxdKh9ERESgmmOlJRFLZ850mbz5TmAFpWEbqYWxQCxo0qcyxlREISnJAXjhuOZnedZo++ho9QqMVhdzPkbUvOVx55ZVXPjxp+rjWqhvI9V8kfXzHfcs3LStZu0zKaJugzb+FfkL/eaT9IfEefsclcmr22x2qEsF7/+zw1EfeSS513/7x5dkNHSOTmd6Q3BDTh+ShlBqBjGzIMFcxSMPgjl8XywGOPfDkBvLtF3ySwGumt7dPj56w8iGWeVVWb5jRd7kkfEh/lkj7kxvcpHzDk+3vz1BsFxT8+T3wLTkIi5w2XxLhPMSuq0oh2US0+XjOAQcqsylD7MdeJrGb+FZ9AO9yP537yVFyAwl9f030BPHtp1/T9cd2kfRlSy+N/q1148auje2RY+QOcgGxv3spPXr1t/RNuuGDP5CrifkherRt8WL6z5uvmDF9w4bpM66I6c8V3OpItIzVeYHWZ65eLmZZDVR7vy+FTdzp9HqddPGRvO+rRl41bN2ORz78MMo7fQAGvM6eNoePX/7jXbW1f9Q8fMczP0Zv9TnETqeX2d+hzvt2eJYB31vn1dvYM3SxZ+i8wgTi/B8nPVnbcvvF7Q+/+dNPEf5TkntwxAju5+TfP3uU/gX7D3CLIiPSME8IRV4KK57r12PTbvF4X3uEpghq5sSEDF1fJqLKdgVgn+EkooGxfkN6DjBiLvDS1dxorhVnpVXwVoV4pg2QRMlKqkLEjfovzHvjB4I+wC4w65mHEYEMIhK34MLZKjmrTLKAFthufQBAR0Cwy6KjYmxRVWuFOTX90uFNbbQlteCCyy4oSE2bc9kcYTEcVA9Rji4es9EZOnjdB68O2aTb2DxuY/SpZUPb/MOHLtEuq9jbVeRKFiq7Hqpcpl0ydLj/kuErUrUuKaPwolnjykcvXVcx+qKLHghuXbhwa7B+woT6/lxvM3ly0zPzPn2etvibmoSKW7rptXlDysiK3c9Lybrnd9NbyobkkfUf35yhldicGM8dlNdKy5htuZmgR5kGxTqE+Sk6HWarxix9s50+tGNqYC71Rv9pmWJdZ7GoxvyVdpHdP2VVub25Pn0wuUYQW3fQx3a0XL0wuoIWWyzr0RX4xE3CxouTcswlpmr98NRxAsCdO0i1dKv0OFfM1TCNfZoAYDmkCiIRbrYSHuGxqgxHJSTrGbx2+xSYbzYJMwx8piM32eIyN4+9qHlSlvui+bPybOmlFz916Woa/emzLq/FmO4ZNWPRyssvedI656KWOUJq9ryZU2fLvLRHthZVBP3VZl1m1fhRw9NM6ekTho8+TqN9p0aNbcyc9fiqYbtu2nXdleGW4tTooqaUlNHTF9jyh+Zbpswenx7TEZKdjLZCSUS/hbDehoYiNtKpMFXAyKExJRo8AmHXO/EtlBfRFKQiFfk9KWF1pALctXHlwFkOZ3Zwg7gsotAMMMXF/hwJOBpIGuFlCfh130C58zy5c5mtQworRFOUlLzuJCM7O62zfuts6GoIUZNSzLcOTknJZyTzAVLEWK6PH6CnhDYmJayp2RNL6THnUyNGNL5C73Y2NISenhcrLj4nVeSZiu0m+gs6mO7Zy0zI0YWyCmkjKzGi5MaHclckTEoIEEAEgAWUSXvDZ18Obzm5dcnFFy/ZenJL76TIQr69SzjV1c4vpN1hIPR7D8Cih1PFxXBZJLJ3axc9FGnv2ro3QvZd2BGJdHAiCXCTpLtkHbO/dEIbKpl/eB6w7Q0w88uJ7JZJgYKHsB/dBXFCUZTd+qCXmIOC204OBwJvbTh5csNbgUCk/eTXG8n8h7/5dt9D33zzcPtTT515uosIVx2JbuvpfWfjR73besR3T37dDpe+1f71yfa3goFINOmbh+Hih/Z9G35qIyMhV54oj75wnDd+4Y3+9jgHcytRX5wExzqAonFJpwsgmAd9QfVo/oaajCBLnG6gj81umRmNFUGJqJwTgm7RrNMSW0QRvQFDYd1Fu9HpBjLk9K5dPbuIJxJtkhqZbCyTpqg2oZvmrl1kNjsnq+Na+55diowa0m7i2bWrahcyKHiGCTB37aJtu+CPeHp2KXKzmN9T3P7UeI43Bg5+vpWIRhvDfcSfQJEaxeP9hH2LYtcabWKcD8kMDINkWADWVyJrgaPPxh4Kep/4JHN+HdKZdfMzP2G8NOCAocyXD9cu4yO9OugjYMR04vrBCxW6QhHEtEZwHeN65hLrkJQ6lHtjqnyUZqJSAsUvEdXTb+FNChiIxAGDgoOZ3qORebMzAxEzNARd2M++zB+CYQiLhr5M0RBBbm7AxgvtMGu5CUz2qAAJlD3mOwLE4Q5wzjTeZJbKVAgj4WdVybwYKBPdIYFYVWmClpSpAIQu3xn3dtu5M+7t1jecbnl0LLmRcLayjGKfvanS76owtJZVPRMaPfe6CcUpRKJtfE5l/bDayuQknWuYsDmv3Jouq0StWi0bQ7XVpUluoZLVtXNQ/T3uwz+Q6uTgjt13ekWTq9gq6kZMbq02pOrKfWNGVNFjj0/fMrWhyFZoLvaOriNvV8yfPnPkZO+wnMxM7wV11Y0F1w/257HFqZYBP/SY2bKStxeUEZhOGp4v5P/KrE36JUAlG46sX39EeIe5mamhQHFeT3BHL+Knrj/y05H1vZNQIsaeu5J7RxZlEeBEFcNTGUi/OlDUGWSIKiSUAd6XzUQwh4hDxRg7vz2HEGfQJU676f2ZplvP0BP08E03vFG1t+DeVZf8dPy3l2WMvudzSIccojr3M2PPEhsZSo9bVGTuXFJOQ3yq1DX2DP0z/R39/L1ZprGj/rJ90brX64boRu2Buw5fBuklc+m7/MiLoHpz335LsSpFIF/QPPpKNy8DjNXA3HoF6CX016jjxmJ/IeGSAcjVa0OxLRzKoi2kqgW22ExgIVYFgvoAI3LZSS2PVwCKIcpFaGfdSQ9bS1S7X3Coh9h41UhZX0ufyy2VyRswMSS9ISf1I2OVNnp/5XjJWRhU7xcLc+hv3Tl0q9mTlDSKjsoqVN2bqlN9RMfymuwsh/ZrQ4FRK4jHy519WfyJpx0FR8wjCqxbVWkF2aaqrN7N4zxuodnuukXrsmjTduSYo/MaZgrL2GmjxZLMJfrEq4B7wVWkIXGHd1UzgrBok+pVJkdB0IUgKiYxQTl43Bc2A6jAadxMtFmFNcXBmuJ4owEdYb1VDs55XsdX1X9yexVDgo+5vcoZxMXpfEEYDnZ/hnzkXnqa7qBL6XZ6eg/zfX3wHXIZSen9hD62OjPdlHnTTKdxPbnxr4+T4BU1yzTqzCS7KjjSbqcfZhbBEVzROdt9ududaUrPnLlJSEtJNsmaJf94+9+9r35Jvx9NJpF/EP7aG9Yvz31EsJBdWPe97JnvPMicXfeQFKdwi1qo9pNk8uIfr2jTTGvJcGeXp9dIc3YN65k5UxhB1CoVH6olKZIgkLoQUdPHyvKtF03c2PTKqf+hF1/O3xZtXkEOEun1B/sWkfuiI0ttU8jfFRvMuJ/0tPP5GKA+5r8qQyM0/yCvTmZ7gzlZzXwRKKM/0Dn0V4/QeZMdk052jLI/IH+K6bHi2tpiUlyMgUd+/QiwiJJTSgG/KHMmzORSZi4b6NaJ3AzFC1UWbIIXZQiJXgt2vXiu8asfXgtpG4AbwClgyBFYdsBNuEJ8A9Ab7hAJyi63FyaWS9V8e9mM7AvpF98/MpbkoEeqgttow9th8hrmYhhPcNPXLqevXaUZ5m+8Ll8Uk0no+ZYphxqISpIE3rZtqHeo5n+asz7MHqsSRIM7j6RFmyLo5arUAcy785VE5ElTln/yyfJh26qzHdnZo01Dq6qGprldtuRkZ3b1tqGvjNzQPkLgER/dxHXKDXJj3J5FQ0ySTEQ9FwyY0JeJdxMxQiYUEWefK9qyU3ikwr6ZfhKddD3/KNXyXR3RibKBPu1Z5+pz7OS7hMcrnSq6KTr+ev6Fvu38s3Aan/E0t1LOEyOAZS2o++SY/Aw5Ry1RNAyJh1w+p3cz01w5g1+yb3Xu6LBnutGYy783kKfX8mXkjQs7muk11EOvae64UIysnuKrMCSJYoUPyYT+fG8OaSLqss/pDyT98zJ6BukYtDU4Lh7vl/UnWhIdR2t/ZQOsPWD9o/DbCs2rV6jd+DSBnIQyTakx0vMdShtRqMswUjNab3S1q7rau3q2ospiwOdJB33BtAyDa9HHkaAJeFMWCAcrxBQq/DHmU+eJJNSJFvzoPNd7APYJOhFYvxbOi7hO5TUkkTQeyAaZ9wOHHNQDNvADDaGzWYU8IpxKKb3lrpNt49tvu63d7dLkzZm5acXKCZVtXz14ja2AnGaw2jDiN7fflktTctu3XlVcLKvVOSP8JSfoZfTvJ2+co9ertKFxHbf/6V9k2NPoQdN3WpUxYeGLbSptaWlDbrRJqSqmez0t7T1/36PdVL+m5Zy+T3in873Rf3yH/621rP6z5Kz4sfgxtknD9zuEiR/TPWTedrqH3ruDzGU7Mk8cC8d7tseP5+6g95K5Ci+oyOoFrgyojOnchdxsbl4sNkBMSNkArKA/4I7rXNkvL1Gi6a1ihL6bnbWQgWJ2fwj1toqXhF2MKeyZ0l6NNjW9L+jT0pJSVaIoETk5pcDuteRka3VJSTzheV4F+Cs5NUWrN5gzhZ9oSvTkDfV+f67FkG0pchcMC/qqhlRUBXLTHXyqOi/f568RtsRNWNCHU9VFa5NT0zOyk1ONmbxESktLAH+nZBgyM3MynJrkNKuQoQdyUK1xodJhSmu+zecLbhTVUpIsy5IkapJkIUnFbwz6/DbbB8wqIhJmPlYD/BH2WyDWbwu5pUzW9H/pu7gRw/+l/8igPuyz/Nd9WKZ0D33yf+lH/nA8FgCaLwOvC/zIx/9dVxKJddJv/nNnLmMXoe0PdujA+i/ipsLsc7viEnIvc6lBjXf/jxkLxH6EGQHFBejxMxgWSek5s6wzB3XuINTCfyoAXWEyWW1VvvpFTSNMplSBJMmpqcYMS1axu7ysqDgrK9OUkiZrhNuqLHKddWVw2sq2BQsuvXC5p62kIads6LTyZyY+PHzhvKaHPpw8R1ynD/qrK6ocbqO5tm7qtFn6JJfNUQADnW3S642WXJfD6c61Re+fdvVZlYbXAUWlTUlJUevV2Un65LNbJq/yW7IfvpZ2L19OPNc+7KtncPAg8Ks5AGttCAe5fFWG0YBAI43Ae8Y8FH0ud5nK78vQwwRA8gQ3gMhAtggTSRURbi+urTMas+wKQWLPUueM9Ht2tfGt+SVZwfJImS+rJF9efjuld/o6VoUtVtvSIiVCVtFSW7J71dLrfHcSvic8Y4a/rizgL69L4Bn3cmrmscWchomsRmYlrDDfbapmZhpwCFhIJWYEsx1fx2wgFfgkrmM2Rni9eBzZXHY1NwhWQv1Ouw5BmUwG1RhBcT8z34/5y5F+PTarH+5IqFQJARSOuWIPbj/0G8JJNxlUpdDBrB+agEaJ1T+4/XBHQqWIj8lpdvkv2g94Fj2qg2RQlYM765fthzsSKk3oqgQ5PvOdMJ/Xczema9KjGOA8nrt8ecyx8rxeu/QNdlLxBon5PEJ/HRnwF+i3CEX7tCNnKuIb+tIz/+3+PVyfGOsHPYPGAo9zqRKdgkCj0zDQTxmG/AmRmBwhheQ7uIz0JDwe9F5igYwOQjKTyohK0CPIERmpAK+vDNhFdxryPrYAEAe/FmWHv41uovf9vGsX9zOZQzaTORzkf45WkQtJ7V+2bPkL/T3dR3+POX73lNFr7g7O3/wYvXP9Y4/98/HHSLl32LxyCy9cZXJW+v2VzuTPurubVo4CaCkgdJ2alFvTPHG48VejC3l3/Uzv+8XzqxKfSmpZS5yluS9vDM8w3bt4/WPhx//52GPrr3iMJtfqL5g/K8/avHHqMEeWWiAtH36octWOmzx5dFCXvnDvgnEFBhKzW4/NQTP0ezmLtmdTIui5mOKD0awsip7Y76XnC+h/kS9hSmEGU1ASCuXiyGgTqnLv1bSGwqFWzb1w0JeSILzYnhAu7EdFO78idu0KOGDeExYjVmG0oEtFTBbcnZDGTzMrGZTVvicvkqcDd50NGLYB3s9VEAtoGSQBc+KBT09QFYNRqVhoQxSXysSH0fHS0FwF3jygamxt90Tf9njKNpTwAc/3no0l/UclDeQBT+vGEjr7aQy3CKdh3/toQWWlTqf1jBs/JD80WqKteHu7x0Pw/lUeOCrZ6PHwxXD/xug2OhtvIg88DRV5eD8GZIx2l64Kt2Zn583/Y+DClRfAutgDdHSV9CU3mbuIm8+t4jZzO7i7ULdsQG2HIU2Sy0S/IlsPMudBFPMAZ6YYDcTDIMZSZaSUC3BgIUfi8e5M8fBgRDJaCb5/EOgHGFHRxyQwsqTYM4hxTSMcm72Yh2sgL33a2nW2tUCfXe6qt9dpksf7xpUVFLSeuaC1deHyreqMjoX+W5w65NswoBpsmNU57qxc2JGh3lqxJLfvVlcIx5ZsUgb4oJ7P1Yf1ubxeqw1riUavTafd6Vq9xUg8Rgt9APcWI+2G/fowZnEnvNN6tqvVN+zyKc2llSa7pK5wTL7wllZfa2vr2dbhDc9/Ve6/5uuW3Bppzd41VXhTlbKHQ6k+q+Xra/zlXz2fOzSDXF5XWMSAn6Lpp7psfU6O3mhK7jEDRtYBg/K1wqXEorxxMTsQ5HlqueFMVouiAWPAq4tFobQo8r96ItnjoStjaYHbGJMGKtrGuFhIyI88f/lFKzD0UwvOf29lrEWVXgzS1tUe4ctjMXUAX6x6Yfp02o1mOISm4nL6NIM5yUaUfcaninwh3N6F2EgxWmB+SHF5dxJnBChQybUi5CW+fmdR50CWWbfEjFvQtiXxCD1MY++BFI1kj70uu9ds5atCKJ3iWCIE4SQCbL/Oit45Qke4sA67HNqnZGgb6mBwI50DucP3AShQ2zTqAjVk7jt8z978OzvaO+7Mf3BPVNx0/e3OpgWjiy0v0d/SDvrbl5zDNs6w3yntnbm88HKPs6GuMJ6JHiGz0XaIPsAsiAby9Sue9/+EQIWUEEI/wtxP/udXrHzKl9Tocg1N8j5FJ7pDSfrKYf5S2r3i+WXLnl9BPDVjxmclhdAekfkcHGc+0zboyaHcCG4MNx5WLxcDLioWZMaZeKDY7ivdiOvOec4xCRplJ2xiLBWWOby+jAw5s67MNf2Z6XzroMPoKzDWbMCLUCPWn0eXN3STiO5XUnGne+mcaVnZSQVzL1junjdu3Lxzjnt/RjuqRJuqWJ6/GiMlMWtvJUV+91XAI2mykTNwuVwhylfS+IIyoJdg05sQ3ugBASN74pYEAC1upnuWTaqx5PWKQ0ePHD1UQV4d8vmun96c51298Dcv08CsUVPe3L1g66xbesbPG99zy4wLGu4Qi/venrOtsXHbHKFq1lIVcWw/PGmhlX5ZRjMeSb/44JToZ+HpXdMXGFdNjvvdR6R7YSyYdAC4AYx7bCcSkMLIapklDCotyXod2gGHCAuVSmSdnkm2Au6ApLlgfH5j7VvT6Zkl9N/TPqxvzJ9wQdM4XmO4d5m15q2Fz+oNo7tOd4026J9d+EGDY8UDBg0/Rry4bP+rF05ZpKap5F8pi2dc+Or+0gIhVHv1T6HpbnoNH8g91dHxl23b/tLRcSo3+jtylW1u/dnNtQ18QpyVVIyrwLGoIUA6hQQgVGW9U3DHou7cuv+rd571B86+bBj13iHhDL2RrC75MrPvlrI3bWQ13V/Ir+W3y+pFt9zi9aF20dD0eEfP48RBMp2byVM+WnNxHj1Fvyohd9C53DnxdrS/jLfzn2Lt/KcgOxizS+iQGlXNjDJE+9JOFjyvOYK4uov7lNmzlnE13EjAbYoXfBqP+hC/zwHgxIvITHKhZBWVrTbZbor5EsCqcZsCzHwbx1BMiObF0Jm7TAKUhaJvk3BP68i6FY8t3nT0SqJ6Ps2XUm9W50q3v3LJb+aT1xd0TjGUXOW3TXy7daFW29mK+5tUk1jYr74HHt8tqlLNGS6jL6W6+po3HhOaQh3zQ6tmBRs2TLzq96R+aEkJEV7dNuPeueEZllDLdfOLq5y5094U9qy67AGBv+uyVfuGKvHDojVXLjNlpefk6i1pDnUGv31OeDvr90lktHyVtJXTKRZ/qgwzRoZVYsS6Aw59QRnvthNThtmuRIk1Syqh7wlS+mrmETT7P1Xw4z1LXww9No/oLtv8/cENGQDUav5W219Mf5C27qH/2I8mkLe9PqfltbZNPS/Puu+zTaRzGD09LFYEa7eKeKU90v3nk40KMdnoCqItINa+P0e7L+fPuC1Lvo9+eAlfTFfwZcuiH0ob6Q/2eXl9n1/Ol/G9hVaBvhn94BLeH/XxFcujR9i7vgnczHLmm6vEtwPgxqyVfBrCLFZgbruAGzeZyTVi6aFDPX84JLTwDxhTDMZRWdE3om9mjTIaUoxS47N9B599Vhj7bN9evkg3xGaVDXQT2QykjG2ILvE5WhZ3+FyjUYQC8HoMEmAcZuD7gUdTwIGGBOTlraGe6xDoi+tDrddoxdQkupRsyTZoXBo67thHdBxkDNlkC12alCpqC4N8G39pkHcJHXhPXzvshfe09swkuo0utRqTeTVZ/dpr9EY1nww01S5yeVKmXVtYTtXkTDlb7ytkjTwb2mpT2iojroS2BqFPYA2W8YAv84jIQWI2yZo1Lb0TUeirenrK6p3RvdFFcoomWWNLSebXkK9yUxxZNuEyYf4Fk23Ubnvywr49F06ykc9sTwhNfReRd0WtRZuejD7fVzi0yalm9N3v5w9NzHbew+QH52pq9ZLsDBEiutx6K4lbA4tOk1koI6IQCIoANM8b32vsbXNL6Y3+wyo9vbF07m0bDlMV0271PUdWs2NhPlxBVvsPn4/7VE2I3/Vm7KrofqYNey1W7b9itZzL6+Yg/vlllCoHHMJ7wQHBKFEkmXgNACHOG7IKX8Bw//30O2abfj9pS9Pw5FX64dy5RHX+EFby/cSQeBNpSxL5btKAak6SzhczmXCcNsBVZvpllEcWbcRG0Gx/ANd+Hd3PXIEGx7nonRQLtZmi2CsoPNx/rndQIHPV6r5MZtN8bsQSBUSzevv71DKgxVbqRS2YEn8BdWKDnxKLrEFTkObIBNIDrbRrxfreScwpHp/HwrcooRYiSuB9xcEKYyD029wAboh7TZ0vXjKG0zezuD8KYmEkMk1hptmqPYj3wiiFxNCOgIX2nvvNhRjhQvpl2eqYZQ/aREmNkd4DeC3ir7522o3a9Vhsuvj1YlyCrgIAgh7QKKfZj+IfZooei3/Yxhxf+Fa0QGd+Mhi7sD+mRRnjtlEIic5wQOvpmOsNBtsKBtB/qf847v0sHo+a2hcvqauvr1uyaGOJJW9SnhV3FivuFhRardY8WV0XWrTozKLFdfXRxwsxsH6Rqgt4FEteIQy9FVPRYM0thuwgGFDAXcwt49ZyHeddPYGMOFwwssaikj0d0TUSSwp6CjBjbH0Ard7SiCkYsDKrOCPTeckZQXYi4CDeAAAzSUb3Mo4FgUWltLdKTMibhJGkKW7BRQ/Rj9laq4Kf8a21a9+i39L36bdvrb2iKLCYPHF9z4Flyw70XP/+/gk3+w3rLtr8Wbblso2lC92L+eTU6scyUnUZgH5VUjJA+CFXly1whwUhObX4+tlEQxdJPk2SmZcX1PKusrVTg026Au2Kuha+3LQOD+za5XUtQbbkB5pRxJrWc+nat4hxoEV3/vml+uolYja0hP4DWnSpqrm+ZmpX+5WPF+eRP6dpVVodb80lRKUzlwVKBPKvWVD+XkZquipZu2ID/Zg3mxenWGnl5ps/oLcc2doy7uHG6d8sVtLNSvzWc32PlVgrsUDFtnNSFPMjkJAaKQtjCDP5BAYWQXdkxT9/YA+cX5jhzb3n9QHvjw0TT/XnPC/u643RD9F2AdehrO49EO47IathAbVhIDGMqB5B10ppb3+ok5T+6MFKW7rDsb9YLCMPw+VxeSI8QR+LP42e5GEl8gi+Gt6KBhN4oxro2Vnye/IbXBZXBDyYnxvC1TNODP1/QwRnJfuCDEH5jyL8McskyNQHZfhVGUmlmOkGRBm/2zB4U+3bVnXLsrXNZq1W2max9C2xTrH0/WSxCHdYpsyoId/XZGoEKVlVsWBMafkyUlxTM7WmJvrhKH7jyL6fRvLto/p+Yvl/j4rnR8mPbJO0WnPz2mW3VG2zQG2LobYkyxSrcLuF1lBdzbhl5aVjFlSokiVBU4j1Ta0ZOjJ6zSjy/ahox0jyfX+e7a8Zpdh8QfcATZ/CuJ9+bSsy7QZONnoHBHhoQc3FjQfxAiWv6lq9b/WalqmXwzB99XEEzSKZ80xR5Bj9Epnxbx/a9w2mGBloyuq1kxH0rp38GX3G8aEiovvQQSZ8hndghEXmdgPtmkqsUrv0Loyom2nIFWcsn6OBqJiNSoU+Q5aQOa6QeTezNHAIjyqxDHky9qGH+FtPtF1Se5FHN3FGS07OnKdLdWpXiU5HG6V3W9svuKCdtltcoip5qGWk0UDfj0Z18sK776mufoU+mp72UPS7adPGcTF7VkVWg7JxnCP1LCYFdy4vHo9AplCSxrg6JZGmhPUQ/3KCI+69YcoPppF8l6prgP/+MeZ2j0Em542gP42Yx2L7tyDqCvds5VuZHImMUSLrv3U7+eb29C/pu1+itJwh1G7Yk2mKN74b4/7bRsybN8KmfA1gDf8oYp8fB7wHa40TJzZjsCcVrOU0+XfyQS6TaYjqOE6P0u8Q4ULQxZyWlKnF/+JzM3rT25e0WcIk9eS3G9KtNPPk1yptVemIQFNxqfg9/f1zpDbrAqcro++zVmH55ZV/mU2vW1+ybnrJ+lr+h9ipbPp78aqMM5evglq0/+y7T6OjN738O0FtyXRmWVPUy+jvD8KVGS7nBb9f0Xfb5MrG9SXT13nWkXWz/06fILXZcKY1i74O45cSiwmI9lD53GhuAtfKzeHauU5uF3cPt497CkZS8CsMhVGApocIkK8kgCyjSpYwXpdDMJnxg0cSIiMt0ZuBo2RGUWboG1k5dKMoQAwE9WWE6FG1iJyDoDeYUWeI1nS1CBGZBNWu88oicpz5eOQ0w4OxHgHtsezMnkr2YT1OxS05aEBMGQQ8mkMMJjNcIB9ZMGGXJXfUxAU91vkTdlWPmrBQeLXAfuPC3fSjakzvJp7ItY2qzFJNklaj1VSPVRemqdOG2FvTUtKAqL0TDuW0arugH9VFd2b5VaNLyW+OVhpUclqe7ZYHeVJXV1lExh3NWDqcnH15CiztJbnk8SUYtI+Prro1maRm6KsnXFOkkdSaWqdWrZ+Y/9jMS8iDj6fk2g/MbVkpyz6BVi2/hJC62nLxID1JckdPmLArl9CTfDYx547afVsuyeu7bflb+5zBHXcvf3ufI7iDX12xgddkZeY2hIpzxiwgdyQLuSptqkPKkdTqB18ndyvHRA7knhkToCmj36Q3Ejk4JCnrwhkzN5AKeljFGzOs9MFxjZMBTRSiGyOpmHTHqjsRpqhS/u4XMglP7vqObBGINk0klq+aR9Li0id/Clnyc1vXfTpvXzkJGbL1OrqL1NAPiUBi3+b5LcmX9dLjLGpWADjdDLcLpT84QWQpw2zihFM/kCWL5uqndn49//DYsYfnf905VT9/AVlC8heQMb/7DWle+ZwsTGxsnCjIz62kB37zO/obwFT3w7w0y/OA+xzO7K2UaHB2/Nn0MNMAfgDPKdjdEtM6o7Y/rvfHZSbYY77oyBJLimGsEFA+XIHHyk0hIpuHNeWtn5CeKaVI6dHWzwVdqpEeNabqhPAVvLPFPjnLlpczkRc6DCqNVp83/tFxzWu/4mvKpudWXVWzueaKiopA7fpNHdb8YY7iFGt1dkNWjSEzO6lM3PS3j+dcbZZ4PvqpTpeertPxLl5ls01YuXLlbAfP56aoJClJbfIPb4pEfWnViyMzl765sboi3fbw7j92t63lv5KSckdPne1xTE5Vm7NqZk65wO5N9I8dTF8wa/AsYtNhRAR9AoVhUyItnn0ZqGb2jxQ0bugKi8HHlNBCjGZgxgkpStw4DBEDlLqqP4awCp6Xo3wFhQVnI4Iurs9g5LUXY5OJOtmIYXTwg2p4fxhoZNqNtHNeIfFAqgQdaQPqqRGfgIFZlLOxq+rIaRSDcuqE5w6O9aE838xIGGY5ThLMWkQWHwqfD4wDC2yCzBC+cNxGS2HVlBaElTiSA6YQcQsTRiPG7K6Ufo5HPk+wPnKK6H+oY7YlSMozixGdM17ACADsogRrJQd6k6NhuaSJ7s9ITs8LTR5SXT1k8pjqag35V3HRzCFDLps86bL09L5qZQziNCZur7cBFZ5J/WlDqlsmVw+pqASC5RK6Vz+kGm65bBL/TFZ6RvSRGB0qn9P+HBYzw3XOG5zL35aScxurfNEnFiy0nSFOMp4+C/Ok7dz2RRIl3NGmWCQNxRzr/xd+L33QnED/ZgOLnJsPPHUh5+EqWOy3OoyGqYmry0VGTtsZaf1/ySuTCHhpplZn7vksmvB/lU2c4dAJ4YHALudNYjHsEtZZRjzGSXytsUDAsjdo9rrjgiNnjG1IXG4sqo9SM40qLjydOMMHpryy6NiHCuCPeJQQCgrDgO1I+tV1x/iX86w9C29jIaucCUvx/EsQPaSYfwV6SjG/kfMvxNgRyw7YKCX2T3+/JL584ismxD5XAU+WHr/DHXRriE0DUF9WbgVwE2FPw7hC6EjUP3jocc9CRrIQyziLhUFtKE0cHfRQU/0CGvihU1xMJoFHg+BiSpKOrsp1pHuGuAsL3UOG5jUSz4whbndhExQMGizKi7qUFH6ULJfSp2R3cSBYWJg9JEia605mD3G3FbrdxeeMG/oMpbJvGZiAc3MpMa6UlorGoFk2OxP2QhXK/8t5pPDi3mN+X2JbaduBdQcO0O6B/a7GizV8VnLym6WyONvS6PE0ehKbXBUJV4XDiXvaNneYblJ+/srXmmsXf1+al19amp8HMOED7gMZCGIlHj5RviHncLt4/H6catDXSTz3tLXds4deSC/cw3JkH9lHf2Ah8lhkb8lzzknM9ZzFUY1fxPxJFb4fZ0QW9gr7XogXNtFmlt12LHAHzcjzIwRCrjqCVkEYlHhV26IIvh9NgRzpFNfSj2C5sQisnxz4fXQ4HEKqxCaLxwuKfclU54aZR2x6HfOsljEkLNwWPbKdn0sXRyIY8TOCsLTvRJj4oh9u5+dhBIpItEnVDLsE+ynsJb1OCAKaF21Os85mFnR6qE922kS3zia5v8BIdBvJWkD3azH3BYas20ivh4ZfDzmxlKzt2Tr4FABbPLWR3TrI38gMOO8XUuz/jtM8v6/Re/8N+3k+ZyLVqf+WJU2N4b0aaH1hDBs0AV/TzE3ipgJvMxO4m/7vlzDZIBO/KlJCm1ERE9YTJYwTfshkoACO+8PyeY12/ISeeE5etPu9bIt95MTDbFY6WdLXrk0rTtNq04ymVC1/KC29MD0tTVusTYt98QT+cWMx1eM5VC/jkdSI2DhcV+bxlNWFY2mPUQsVGHugOm2qqccA1aUbeoz4iB6tItVm0fLCCfvI4O8wJFBV54vYnRjFODFaN38y+rC4HiMas2RwuP++L/rjG/95IL6x2O/HNfAlLU6vDEOMiiRKsDadEENsYRR82QsqaUVlgR0Dd6FZXkRxRZRu6fGL66ZU2AsKCugB9PhGsViM3EB99Q3yCHkLdyHHBU0hKYjsaqDKik7GbuYWhyLUNAkjWSFTYVXJTFzF2PM0FssqIZ9EIrkdXR998lFXR44j66LR+SPqhg4JBaxlpcaUyrIWz5xUR+ucoUS4cUSWx5GTm54lprcEF44lpLCmoSTZNOHeO4aMnLV/u1ZOTnJqb3h8VMM9V2ilpCRn+uq7dt5wT46udvEV2zuuLKu7++6xRnuF352mzdxQmu02ZUgaonEOmVQ8YqNaMJW4h7vGpf55dEnSlGBeQ2VdYIyzboy2oLT9mdnJDm26nDz76SVr9kxR8pPuoCcpqr6BZvIAcbEX+Pv/NSYl+oyS+ASG7b/KY5RxSHWYV76OpExetsEM/l/zyIAgeYCTE787EItIeZ6krx2XAxwo9CTHLWByCxv3/+q6FuA2ijN8e3fS6WHLOr1j6SRZkvWwZVmWLQk/JL9ix07sEOJHnIdNnDqxE5OWJiQ4DpCAg0kIBdMEY8gAtkmYNn0QGmAMhpI+hgooDJQQk2mnDR3SyQCFBsJAY2vp7p5k7EBHo7ud092edNr99398//dfj0YS8e6nnPzp1Tc9d3ENOl2qpAIyB+mwjpS8dnxvsyf2m1hParOuI9WEZ69+glc2tBaMgCslQbfTnGE3C2Xr11ekmxvWpZtFxcyl/Pzld+xrXLxt3CeiXffNlYh8j5zLbC/1Wv1uoz6P9i9ul3ltuO2SUWL9RjG/CsdxHFQAWcRrKSqcEzZE4wztCbBcmGT7AjJe+Th2qEgMOI5A/DIGfDwAcATUQIDZeGhLjeRg9JqjzKXLHw++NrxMVpB3dPrvlwawFJm7IKkuntkcsMeead3cAKfVvkxkK/NetAWx9je6dAaFS88fG2rIU3o1vEJZqtl+9Xa9iWWdBsO7pzbXKXy8Rq5sSmRXrikYf+sTAAZ3nhm6gbNkE5L5udc3N4QMuWBXtcNXPKNFPaP+M6W82gcPlLpMEpdXL2HN7UV1vFyh9PHrZhrDOtaJBDPLmnbX9qOeFT7NYNrGSOOMMVsEzyHpgpZ0su7q5UCPlD22iVgZOCxF6pDCs6P0vQn4Llq9sao/mtydQFZQfiJVEwL8hJNKY8RiATx+OfliHrC/FunbMf86+x7oQ+pBHxwDF6CdPQXt4EIK8yzaO99eW4zZnnAeMA5M4llAfw3H0BVj6Gp0FeoF9bDoWvTPa8VrE8wlQhCGtvh88Y7Xnpu6DyebM5GbXEI/qS99ixQOG6cYYcwzUuCRQpjA4xkbc5huGE/eVAx4nj83gBFX4rnAKtWpJCLOH40XabgkwJBhpdXhFOP0cVY8TCLtRsP8DdgvZUJtVWPE5Yo0VtUKMpnSqZSptQpNeTCeZy1tXOOXadVq92hhuDVbD+RyRybHa6VCpMDhKIgIUi36VW7tg6XW9BdlVjIqf3T9ttGnRretj/pVDGvTumUSmcffvOb2uo3Hb2w0MjK3W508V7+3Lp6JTE07+pxW+SLr+tZFfCoadYc6rRqqpzD0e4TwrJMaaJhSCkd7iM1Jz3+G5aeIxMaRkytpiyGFxUHv+dzSm9As9SHNYwPOR0l5T40p9ynhs8AeVMIWgpEaDIZqYGeBHGemYC4RjPWKanH0DhhEv2h03jEqwhqwuzyGnq+EJE6mi15wb29uHrNYnC7i+WxuWi5YXI7rtzCfH9IYDMGkOngjf0jjD9L/Meg91ckV9GeCKlN5SFEqJHnBrDzEeY1K+oUwdmq2lpYTr6bNE2osYewljS2a2dN+Wwtj8tvmLtj8ktWi17K5acW82xLdqrmpUQC22V+BgcJgAA1c3l8IDxZ18fBTWYCxwc+UFosAD1osSqBBdwUDBvNszIe9keWlrcQduSWj2gdvxvUfn7ZWrwIjNj+8eMbm9+MxuYU6yK3mbkWaeynS5yhAsGcgLrEiASYHVlbKIflNA7RRATQCSYQKwyPjtAediwsyRokIZJ/XZ2dozUCtzFGZMvUaU5YeiYIpvS+cu0SizSlZY/knvNe3qa0pv69308YqK5jara6utRsPd98s2POzTLNafRZPGzLyFEDjK/DpJAM6s9dlBlqlU6VnWIVapYMqMGWp7Ozu3VrQ1NLrht/ASWFNxMrTZlfYrQdTk8ZMv914X/ctNntNNT93t15tWqKyZHoVQO3hnHpRR6OoD7i3CRdaORpJ/dROisI8AwQnKgaCc8B385m+ZbeqBItynzCEH3N9z+c5hRZegk6WpAjR8FDzxAElEl84uLdXvDK88XGv19ew0zSnYOoUgGbQi5YxGXJVpkZj0GvUqgyFHK0dNKAB0nJstqBgNKkywLNlwcLobfuvCxaazRq6yOuwVZTmecvKbMjSVILaHRMTO/pX5YYDOcPQ3zvS2zsiPT67aviVre3q1hpmj8loNsrUnMyoNGSps2RyuUyVocvSIP1GxrESn89tMSuUfFby8I6iTVZb62qrtTBYvEOikkulnATJKSYzg+EmPpxovq629AfW5cg6xLfopVI5lUrpB1Q11UiYdQmQuzhkZXA5Zw4H7YwY4BSg8bNTIGW0RIOGj9tpl+BK8AZjgMGnudJ5H8y6QkfHDeC6RJtvZduyGP/k668Ola340e9cDnlFOdf9WHttzfbRWpjReSxxblvnWvgK/MrSs//w8s6Tpaa1O3ZV/XhDDcijg4QQUfqByjPzQPOYNrRy3w1da9V18bITx1x9v93troEz8K6L4yB0+Y1hZ9bv+ydvDNRVrNoVszg7D84VE9NKzOWkCAbZQZXguuyLq5+S8CWxeOLAjn+kAADxkqe8FkZ9cTgiDczzbpDSrfAsod+oddng6ZzyismK8pycyHiEbVqYPyyWfevpwRwcO2OPHEokPwrGWsrLyspbYsGQ6fx5U2p9NhAuB1zNIkJUbFakJsSJ8zjTCvNRRTBOC6Dlkv1aZc7LzaQFk4XvKAT+gmhPKKSOWOd+eE4AxQZ1ZPZT7LCh5aqV+dza6zc2ZLnj0QIznJyYdMeZAwJ41W/1JH85dxuxP17jbpI+SZmQ5hugakiGhlEMXmOyo0rg9qCJkBMyIlsQ4IcRJQVnAGbVx/hJTpobNRjRLsfhiaJp40KfO9xyPAelU2pBuPqN0CLwgvDEv2/d88Vl4Hn6xKdCa7LDYXtWt8SjKJr7a99r+5u3P7J3D/uvjY92oFPg+fbu/rjqS/Do1qV7aGnyHbSg7NotHeZRP1ehIOD9+MOffzX2cMVnAlydW5zvPq3lGMDCoy8M7O87MH6Lt71jw8a7TqMzNP2Sz1/a08Em/wJGju/aLdZj3ITsrW2YA3K+oqXT4fLkYowJwXBhGWKU8Ebsa5kGDReHhi7CqelPYP8+wLTBByeBfmICfjw5kmx7Pvmzl+8Ed3Hb7v8CPgdH4HNf3D8zNbbz4AmkU1UA/YnhnQ8n6Jcef+oMktN3UNNcG6en5FS2WFHCbRejeQCTlGCi1YgGyWP0YF04pIfEODbBNJKBVGmhj2b/vKzbo/VFp9/seaC9xbf/yDizYwRUtYRBf1f9+JH9vpZ2yd0nPsZR84/gn7x3Hhmv7+oH4RZQNVKPLkw6Wtof6HlzOurTerrrR+CZRZg2LUYIXovKAdoc86JpEPreLK4KJ3zfeT7XlXuvO9ftPvj9WL336OHkIDzljMWdTqejMuZ0/F+8SbrGDXpLFuy/rWqD8R/gikgMv7Cdrh9LIOjiJp0HN4rmfhmJxYXjbHGItaF/CBs9oBCpcH5V0bHH/rHlSdDV2QUzBnsDa/R6qSqRot5YkkhWJ5fJQ4ZlJhO4TPq7QvVIbuW2kup0fC6D8yCRqGRyGB2SjHSYxxSSOCUSqUxDoHMvGOwC8BdgqdtTB0+CzsFBaS8AAELdQ5tCm47qIITfNMOj4KZmgPqmtfjoQ4vqWS2ok0HwKQveuPRegthNHantCIldXcEQGczwj70FGG8HrmC4DswQ8/xo6j7qj1whh6sLYZkjjjikrVJIXSAqQgQdZMWYIdIc3JyPkaqyTTGtZn1yZm+gNbuw5OU/5A+Dwf8eqlmdaysPLn2mshgsbXr3vLRfbm1YYsyQSgrgPfeUvPhyNKBryR+mS66+k7+1u3ODI5RRG/3bsvpKBYVzlkUbzr6gJoUdfSMf8SOnKsEiY0USduq1JJlcQra5IAWl4yUkQuHUS47ANtjWiN2SPbAf7hIhdQnz/FHmifkmjt8g620Ab5HhzJ5KSDCy/XAjeB4u/xD+HKxfDrrg5FsnT8Lt88cb51uJdP09cX81XXuBepHwGh5P1WqSEnWfFSlkkKzUEOgZ0lXwQwaY649+f6Ech2fTcpz56TkBvonkOKtBXV8rxkEXFuNztwmwDIlxupU5QM1z4h9P4Zgw+VIYMzlJj6dKMGOaXLLH9tL/AIxzQ2cAAHjaY2BkYGBgZOzcvTpCNJ7f5isDN/sFoAjDxavXJJFp9gtgcQ4GJhAPAGEpC8MAAHjaY2BkYGC/8P8GiGRgAJOMDCiAkQUAdcoEZAB42mP8wgAGTLMYGBiBbPYLDCnsFxh1gPR3ID6BxH8F4YPZE4C0CEQOjk8gyTOg0aFoatEw4wSIOnTMrMB+gWkPKgbZweQEpG8g3IfsBsYVUHoCmhwDFjZI/zGgeRFY3HUC4kew+08gaBgG6WE8A3U7CKtguh+uHuTHL1BzvqCGFczvsHBGtwfFzAmoZqKHPcNxNLEsoJ4uVDeDzeQE0r5APAPNLjM0d01AsysPiDmRwhCGJwLxRix+g+GfaOLbkMIQyc/ofJj5cP48JDOAdjEeQgtjkHs3AHEAkG0EDY/jaH78ghnGGPGLnjZDoOLCUDftBeKFiHSGEi9IYtgww3k0+1LQ7ETKQ2AMTaPo7oX75QtUXRpCPYrZIFyHFv6weOqB6tkFEmeKYGAAANkHWesAAAAAJgAmACYALgCGAKgA1AE+AZABqAHuAi4CkgLIAxADXAOSA9QEHASYBM4FCgUyBfIGHAZkBpIGzgcSB0YHqAfaCDgIUgh4CJYIwgjsCQgJFgkkCTIJQAlOCawJwgnuCi4KZAqCCpYK1Ar2Cy4LdgvoDEwMkAzEDPwNNg1mDZYNxA3yDh4OYA6gDswPGg9+D+AQBBA0EH4QxBDyEQ4RShFkEaISQBKIEqoSzBLuExgTqhPmFFIUfBScFLgVDBVUFZgWDhZQFpAW0hc0F8oYRBi4GNwY+BkOGU4ZiBniGigaYBqGGqoa5hs0G4ocPBxsHLwc7h02HWwdjh2yHkAeeB7WHvgfdB+2IAogbiC0INYg+CEQIZAhzCImIpoiuCNiI9IkWCSKJNIk7iUQJUIlkCWsJdwl/iaaJ0InxigSKCwoQihcKHIojCiiKLwo0ikKKSgp5CpKKrQriivmLIwtCC1SLaot5i4SLiAuoi7mLxgvTC+iL+IwSDCaMMYw8jEuMWQxfDGeMeQyujLoMzIzTjPQNBw0YDTWNUA2YDaMNxg3UDeMN8w4LDh0OJY5BDlIOZQ5rDnWOiQ6fjq2Ouo7EjtIO6g8Ojx0PKo9MD2cPhI+pj7OPuw/Cj8gPzY/Sj/CP9A/5kCUQQxBukIoQnZCtEMsQ2hDskPyRCZETkSCRLBE9EVaRZhFsEWwAAB42mNgZGBgZGHYwCDIAAJMQMwIhAwMDmA+AwAVeAEMAHjajVLJTgJBEH0zoJHEcPDgwXiY6EVNWMSALFeXRIkhGsXrIMMSEQYYFhOPfoEf4ne4XLx68RuMH2B81dMQwlxMpadfvX5V1V01AKJ4RghGOALgi8vHBlbo+dik5lvjELL41TiMDSOj8QLGxrXGi+Q/NI5gx/jReBlr5rrGL1g1J7GvSJpFjd+wZD5o/I6o+ejjzxBjn3CMEoqwMISDHvpoooM2/RRXh4wFm/499xaRp1RB9YjIQ4OophiPyMEYN/y69Ca6LWo8mos8ErSRsjjqPB1wl4p18i1GSGybNRyuBFmXbIz5bXSplDx3ZDZxpCseBupt44DqPrWSraOynVNRZy15TQ+7zJSkZVDAJU5RxhlRMCo2FxdUWHOKq7kOzVYq4YKMeLNsg0pP5xtOI+LY57fAt9q4ZU7R1MhKhyqcUhxptbLYo5f7x93LqstV3qKneit3ryrUVHOw1JRtVhxppTtVTiZUpl+ZmbV/V2Gr9E5ULfmHUuosx2kLzqsXCy97Wr1H5uXqXjmM60/nabFLXTJNnkn91h+P6YatAAAAeNptlGV0XFUYRbNDocXd3R0y97v3vTc4FFLc3a3QQilFSilW3N3d3a24u7u7u7uXVbLzj/mRs2bl3X0nJ2dPR2fHf68xoztSx/+86DP2R0cnnYxDH8ZlPPrSj/GZgAmZiImZhEmZjMmZgimZiqmZhmmZjumZgRmZiZmZhVmZjdmZgzmZi7mZh3mZj/lZgAVZiIVZhEXpokUiyBQqahraLMbiLMGSLMXSLMOyLEd/lmcFuhnAiqzEyqzCqqzG6qzBmqzF2qzDuqzH+mzAhmzExmzCpmzG5mzBlmzF1mzDtgxkO7ZnEIPZgR0Zwk4MZWeGsQu7shu7M5w9GMGejGQv9mYf9mU/RrE/B3AgB3Ewh3Aoh3E4R3AkR3E0x3Asx3E8J3AiJ3Eyp3Aqp3E6Z3AmZ3E253Au53E+F3AhF3Exl3Apl3E5V3AlV3E113At13E9N3AjN3Ezo7mFW7mN27mDO7mLu7mHe7mP+3mAB3mIh3mER3mMx3mCJ3mKp3mGZ3mO53mBF3mJl3mFV3mN13mDN3mLt3mHd3mP9/mAD/mIj/mET/mMz/mCL/mKr/mGb/mO7/mBH/mJn/mFX/mN3/mDP/mLv/mHMZ1j//2dfYcPHZxKd/+x2d3q6jJbZjLDzGYxK7M2G7Pdky15LXkteS15LTktOS05LTktOUlOkpPkJDlJTpKT5CQ5SU7ICc+H58O/K+SEnPB8eD57Pvs5spwsJ3s+e3/2fPH3xXuKzxXvKT5fep/3vsr7Ku+r5FRyKjmVnEpOJaeSU3u+9vPWcmo5tZxaTi2nllPLafw8jbxGXiOvkdf08JJ7Su4puaPkjlJX73OVWZuN2XNvckfJHSV3lNxRaslzT8k9JfeU3FNyT8k9JfeU3FNyTynJc1fJXSV3ldxVclfJXaWQ576S+0ruK7mv5L5SyHNnyZ0ld5bcV9hfdPW+DzObxazM2mzMHm7YY9hj2GPYY9hj2GPYY9hj2GPYY9hj2GPYY9hj2GPYY9hj2GPYY9hj2GPYY9hj2GPYY9hj2GPYY9hj2GPYY+hr9Papr5Hl6W1kefob+hu5h5d9n3vfly6zZSYzzGwWszJrU46e58rzep71POt51vOs51nPs57nWo6+Z33P+p71Pet71ves71nfs75nfc/6nvU963vW96zvuZHXyGvkNfLa8try2vLa8try2vLa8try2vLaPbzi90vRj6IfRT+KfhS9KHpR9KLoRdGLohdFL4peFL0oelH0ouhF0YuiF0Uvil4UvSh6UfSi6EXRi6IXRS+KXhS9KHpR9KHoQ9GHog9FH4o+FD0oelD0oOToN3TgiAFDRg4b9C8VmLmgAAAAAVWwJZkAAA==) format('woff'),url(../wp-includes/fonts/dashicons.ttf) format("truetype"),url(../wp-includes/fonts/dashicons.svg#dashicons) format("svg");font-weight:400;font-style:normal}.dashicons,.dashicons-before:before{display:inline-block;width:20px;height:20px;font-size:20px;line-height:1;font-family:dashicons;text-decoration:inherit;font-weight:400;font-style:normal;vertical-align:top;text-align:center;-webkit-transition:color .1s ease-in 0;transition:color .1s ease-in 0;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}.dashicons-menu:before{content:"\f333"}.dashicons-admin-site:before{content:"\f319"}.dashicons-dashboard:before{content:"\f226"}.dashicons-admin-media:before{content:"\f104"}.dashicons-admin-page:before{content:"\f105"}.dashicons-admin-comments:before{content:"\f101"}.dashicons-admin-appearance:before{content:"\f100"}.dashicons-admin-plugins:before{content:"\f106"}.dashicons-admin-users:before{content:"\f110"}.dashicons-admin-tools:before{content:"\f107"}.dashicons-admin-settings:before{content:"\f108"}.dashicons-admin-network:before{content:"\f112"}.dashicons-admin-generic:before{content:"\f111"}.dashicons-admin-home:before{content:"\f102"}.dashicons-admin-collapse:before{content:"\f148"}.dashicons-filter:before{content:"\f536"}.dashicons-admin-customizer:before{content:"\f540"}.dashicons-admin-multisite:before{content:"\f541"}.dashicons-admin-links:before,.dashicons-format-links:before{content:"\f103"}.dashicons-admin-post:before,.dashicons-format-standard:before{content:"\f109"}.dashicons-format-image:before{content:"\f128"}.dashicons-format-gallery:before{content:"\f161"}.dashicons-format-audio:before{content:"\f127"}.dashicons-format-video:before{content:"\f126"}.dashicons-format-chat:before{content:"\f125"}.dashicons-format-status:before{content:"\f130"}.dashicons-format-aside:before{content:"\f123"}.dashicons-format-quote:before{content:"\f122"}.dashicons-welcome-edit-page:before,.dashicons-welcome-write-blog:before{content:"\f119"}.dashicons-welcome-add-page:before{content:"\f133"}.dashicons-welcome-view-site:before{content:"\f115"}.dashicons-welcome-widgets-menus:before{content:"\f116"}.dashicons-welcome-comments:before{content:"\f117"}.dashicons-welcome-learn-more:before{content:"\f118"}.dashicons-image-crop:before{content:"\f165"}.dashicons-image-rotate:before{content:"\f531"}.dashicons-image-rotate-left:before{content:"\f166"}.dashicons-image-rotate-right:before{content:"\f167"}.dashicons-image-flip-vertical:before{content:"\f168"}.dashicons-image-flip-horizontal:before{content:"\f169"}.dashicons-image-filter:before{content:"\f533"}.dashicons-undo:before{content:"\f171"}.dashicons-redo:before{content:"\f172"}.dashicons-editor-bold:before{content:"\f200"}.dashicons-editor-italic:before{content:"\f201"}.dashicons-editor-ul:before{content:"\f203"}.dashicons-editor-ol:before{content:"\f204"}.dashicons-editor-quote:before{content:"\f205"}.dashicons-editor-alignleft:before{content:"\f206"}.dashicons-editor-aligncenter:before{content:"\f207"}.dashicons-editor-alignright:before{content:"\f208"}.dashicons-editor-insertmore:before{content:"\f209"}.dashicons-editor-spellcheck:before{content:"\f210"}.dashicons-editor-distractionfree:before,.dashicons-editor-expand:before{content:"\f211"}.dashicons-editor-contract:before{content:"\f506"}.dashicons-editor-kitchensink:before{content:"\f212"}.dashicons-editor-underline:before{content:"\f213"}.dashicons-editor-justify:before{content:"\f214"}.dashicons-editor-textcolor:before{content:"\f215"}.dashicons-editor-paste-word:before{content:"\f216"}.dashicons-editor-paste-text:before{content:"\f217"}.dashicons-editor-removeformatting:before{content:"\f218"}.dashicons-editor-video:before{content:"\f219"}.dashicons-editor-customchar:before{content:"\f220"}.dashicons-editor-outdent:before{content:"\f221"}.dashicons-editor-indent:before{content:"\f222"}.dashicons-editor-help:before{content:"\f223"}.dashicons-editor-strikethrough:before{content:"\f224"}.dashicons-editor-unlink:before{content:"\f225"}.dashicons-editor-rtl:before{content:"\f320"}.dashicons-editor-break:before{content:"\f474"}.dashicons-editor-code:before{content:"\f475"}.dashicons-editor-paragraph:before{content:"\f476"}.dashicons-editor-table:before{content:"\f535"}.dashicons-align-left:before{content:"\f135"}.dashicons-align-right:before{content:"\f136"}.dashicons-align-center:before{content:"\f134"}.dashicons-align-none:before{content:"\f138"}.dashicons-lock:before{content:"\f160"}.dashicons-unlock:before{content:"\f528"}.dashicons-calendar:before{content:"\f145"}.dashicons-calendar-alt:before{content:"\f508"}.dashicons-visibility:before{content:"\f177"}.dashicons-hidden:before{content:"\f530"}.dashicons-post-status:before{content:"\f173"}.dashicons-edit:before{content:"\f464"}.dashicons-post-trash:before,.dashicons-trash:before{content:"\f182"}.dashicons-sticky:before{content:"\f537"}.dashicons-external:before{content:"\f504"}.dashicons-arrow-up:before{content:"\f142"}.dashicons-arrow-down:before{content:"\f140"}.dashicons-arrow-left:before{content:"\f141"}.dashicons-arrow-right:before{content:"\f139"}.dashicons-arrow-up-alt:before{content:"\f342"}.dashicons-arrow-down-alt:before{content:"\f346"}.dashicons-arrow-left-alt:before{content:"\f340"}.dashicons-arrow-right-alt:before{content:"\f344"}.dashicons-arrow-up-alt2:before{content:"\f343"}.dashicons-arrow-down-alt2:before{content:"\f347"}.dashicons-arrow-left-alt2:before{content:"\f341"}.dashicons-arrow-right-alt2:before{content:"\f345"}.dashicons-leftright:before{content:"\f229"}.dashicons-sort:before{content:"\f156"}.dashicons-randomize:before{content:"\f503"}.dashicons-list-view:before{content:"\f163"}.dashicons-excerpt-view:before,.dashicons-exerpt-view:before{content:"\f164"}.dashicons-grid-view:before{content:"\f509"}.dashicons-hammer:before{content:"\f308"}.dashicons-art:before{content:"\f309"}.dashicons-migrate:before{content:"\f310"}.dashicons-performance:before{content:"\f311"}.dashicons-universal-access:before{content:"\f483"}.dashicons-universal-access-alt:before{content:"\f507"}.dashicons-tickets:before{content:"\f486"}.dashicons-nametag:before{content:"\f484"}.dashicons-clipboard:before{content:"\f481"}.dashicons-heart:before{content:"\f487"}.dashicons-megaphone:before{content:"\f488"}.dashicons-schedule:before{content:"\f489"}.dashicons-wordpress:before{content:"\f120"}.dashicons-wordpress-alt:before{content:"\f324"}.dashicons-pressthis:before{content:"\f157"}.dashicons-update:before{content:"\f463"}.dashicons-screenoptions:before{content:"\f180"}.dashicons-cart:before{content:"\f174"}.dashicons-feedback:before{content:"\f175"}.dashicons-cloud:before{content:"\f176"}.dashicons-translation:before{content:"\f326"}.dashicons-tag:before{content:"\f323"}.dashicons-category:before{content:"\f318"}.dashicons-archive:before{content:"\f480"}.dashicons-tagcloud:before{content:"\f479"}.dashicons-text:before{content:"\f478"}.dashicons-media-archive:before{content:"\f501"}.dashicons-media-audio:before{content:"\f500"}.dashicons-media-code:before{content:"\f499"}.dashicons-media-default:before{content:"\f498"}.dashicons-media-document:before{content:"\f497"}.dashicons-media-interactive:before{content:"\f496"}.dashicons-media-spreadsheet:before{content:"\f495"}.dashicons-media-text:before{content:"\f491"}.dashicons-media-video:before{content:"\f490"}.dashicons-playlist-audio:before{content:"\f492"}.dashicons-playlist-video:before{content:"\f493"}.dashicons-controls-play:before{content:"\f522"}.dashicons-controls-pause:before{content:"\f523"}.dashicons-controls-forward:before{content:"\f519"}.dashicons-controls-skipforward:before{content:"\f517"}.dashicons-controls-back:before{content:"\f518"}.dashicons-controls-skipback:before{content:"\f516"}.dashicons-controls-repeat:before{content:"\f515"}.dashicons-controls-volumeon:before{content:"\f521"}.dashicons-controls-volumeoff:before{content:"\f520"}.dashicons-yes:before{content:"\f147"}.dashicons-no:before{content:"\f158"}.dashicons-no-alt:before{content:"\f335"}.dashicons-plus:before{content:"\f132"}.dashicons-plus-alt:before{content:"\f502"}.dashicons-plus-alt2:before{content:"\f543"}.dashicons-minus:before{content:"\f460"}.dashicons-dismiss:before{content:"\f153"}.dashicons-marker:before{content:"\f159"}.dashicons-star-filled:before{content:"\f155"}.dashicons-star-half:before{content:"\f459"}.dashicons-star-empty:before{content:"\f154"}.dashicons-flag:before{content:"\f227"}.dashicons-info:before{content:"\f348"}.dashicons-warning:before{content:"\f534"}.dashicons-share:before{content:"\f237"}.dashicons-share1:before{content:"\f237"}.dashicons-share-alt:before{content:"\f240"}.dashicons-share-alt2:before{content:"\f242"}.dashicons-twitter:before{content:"\f301"}.dashicons-rss:before{content:"\f303"}.dashicons-email:before{content:"\f465"}.dashicons-email-alt:before{content:"\f466"}.dashicons-facebook:before{content:"\f304"}.dashicons-facebook-alt:before{content:"\f305"}.dashicons-networking:before{content:"\f325"}.dashicons-googleplus:before{content:"\f462"}.dashicons-location:before{content:"\f230"}.dashicons-location-alt:before{content:"\f231"}.dashicons-camera:before{content:"\f306"}.dashicons-images-alt:before{content:"\f232"}.dashicons-images-alt2:before{content:"\f233"}.dashicons-video-alt:before{content:"\f234"}.dashicons-video-alt2:before{content:"\f235"}.dashicons-video-alt3:before{content:"\f236"}.dashicons-vault:before{content:"\f178"}.dashicons-shield:before{content:"\f332"}.dashicons-shield-alt:before{content:"\f334"}.dashicons-sos:before{content:"\f468"}.dashicons-search:before{content:"\f179"}.dashicons-slides:before{content:"\f181"}.dashicons-analytics:before{content:"\f183"}.dashicons-chart-pie:before{content:"\f184"}.dashicons-chart-bar:before{content:"\f185"}.dashicons-chart-line:before{content:"\f238"}.dashicons-chart-area:before{content:"\f239"}.dashicons-groups:before{content:"\f307"}.dashicons-businessman:before{content:"\f338"}.dashicons-id:before{content:"\f336"}.dashicons-id-alt:before{content:"\f337"}.dashicons-products:before{content:"\f312"}.dashicons-awards:before{content:"\f313"}.dashicons-forms:before{content:"\f314"}.dashicons-testimonial:before{content:"\f473"}.dashicons-portfolio:before{content:"\f322"}.dashicons-book:before{content:"\f330"}.dashicons-book-alt:before{content:"\f331"}.dashicons-download:before{content:"\f316"}.dashicons-upload:before{content:"\f317"}.dashicons-backup:before{content:"\f321"}.dashicons-clock:before{content:"\f469"}.dashicons-lightbulb:before{content:"\f339"}.dashicons-microphone:before{content:"\f482"}.dashicons-desktop:before{content:"\f472"}.dashicons-tablet:before{content:"\f471"}.dashicons-smartphone:before{content:"\f470"}.dashicons-phone:before{content:"\f525"}.dashicons-smiley:before{content:"\f328"}.dashicons-index-card:before{content:"\f510"}.dashicons-carrot:before{content:"\f511"}.dashicons-building:before{content:"\f512"}.dashicons-store:before{content:"\f513"}.dashicons-album:before{content:"\f514"}.dashicons-palmtree:before{content:"\f527"}.dashicons-tickets-alt:before{content:"\f524"}.dashicons-money:before{content:"\f526"}.dashicons-thumbs-up:before{content:"\f529"}.dashicons-thumbs-down:before{content:"\f542"}.dashicons-layout:before{content:"\f538"} #wpadminbar *{height:auto;width:auto;margin:0;padding:0;position:static;text-shadow:none;text-transform:none;letter-spacing:normal;font:400 13px/32px "Open Sans",sans-serif;-webkit-border-radius:0;border-radius:0;-webkit-box-sizing:content-box;-moz-box-sizing:content-box;box-sizing:content-box;-webkit-transition:none;transition:none;-webkit-font-smoothing:subpixel-antialiased;-moz-osx-font-smoothing:auto}.rtl #wpadminbar *{font-family:Tahoma,sans-serif}html:lang(he-il) .rtl #wpadminbar *{font-family:Arial,sans-serif}#wpadminbar .ab-empty-item{cursor:default;outline:0}#wpadminbar .ab-empty-item,#wpadminbar a.ab-item,#wpadminbar>#wp-toolbar span.ab-label,#wpadminbar>#wp-toolbar span.noticon{color:#eee}#wpadminbar #wp-admin-bar-my-sites a.ab-item,#wpadminbar #wp-admin-bar-site-name a.ab-item{white-space:nowrap;overflow:hidden;text-overflow:ellipsis}#wpadminbar ul li:after,#wpadminbar ul li:before{content:normal}#wpadminbar a,#wpadminbar a img,#wpadminbar a img:hover,#wpadminbar a:hover{outline:0;border:none;text-decoration:none;background:0 0}#wpadminbar a:active,#wpadminbar a:focus,#wpadminbar div,#wpadminbar input[type=text],#wpadminbar input[type=password],#wpadminbar input[type=number],#wpadminbar input[type=search],#wpadminbar input[type=email],#wpadminbar input[type=url],#wpadminbar select,#wpadminbar textarea{-webkit-box-shadow:none;box-shadow:none;outline:0}#wpadminbar{direction:ltr;color:#ccc;font:400 13px/32px "Open Sans",sans-serif;height:32px;position:fixed;top:0;left:0;width:100%;min-width:600px;z-index:99999;background:#23282d}#wpadminbar .ab-sub-wrapper,#wpadminbar ul,#wpadminbar ul li{background:0 0;clear:none;list-style:none;margin:0;padding:0;position:relative;text-indent:0;z-index:99999}#wpadminbar ul#wp-admin-bar-root-default>li{margin-right:0}#wpadminbar .quicklinks ul{text-align:left}#wpadminbar li{float:left}#wpadminbar .quicklinks .ab-top-secondary>li{float:right}#wpadminbar .quicklinks .ab-empty-item,#wpadminbar .quicklinks a,#wpadminbar .shortlink-input{height:32px;display:block;padding:0 10px;margin:0}#wpadminbar .quicklinks>ul>li>a{padding:0 8px 0 7px}#wpadminbar .menupop .ab-sub-wrapper,#wpadminbar .shortlink-input{margin:0;padding:0;-webkit-box-shadow:0 3px 5px rgba(0,0,0,.2);box-shadow:0 3px 5px rgba(0,0,0,.2);background:#32373c;display:none;position:absolute;float:none}#wpadminbar .selected .shortlink-input,#wpadminbar li.hover>.ab-sub-wrapper,#wpadminbar.nojs li:hover>.ab-sub-wrapper{display:block}#wpadminbar.ie7 .menupop .ab-sub-wrapper,#wpadminbar.ie7 .shortlink-input{top:32px;left:0}#wpadminbar .ab-top-menu>.menupop>.ab-sub-wrapper{min-width:100%}#wpadminbar .ab-top-secondary .menupop .ab-sub-wrapper{right:0;left:auto}#wpadminbar .ab-submenu{padding:6px 0}#wpadminbar .quicklinks .menupop ul li{float:none}#wpadminbar .quicklinks .menupop ul li a strong{font-weight:700}#wpadminbar .quicklinks .menupop ul li .ab-item,#wpadminbar .quicklinks .menupop ul li a strong,#wpadminbar .quicklinks .menupop.hover ul li .ab-item,#wpadminbar .shortlink-input,#wpadminbar.nojs .quicklinks .menupop:hover ul li .ab-item{line-height:26px;height:26px;white-space:nowrap;min-width:140px}#wpadminbar .shortlink-input{width:200px}#wpadminbar .menupop li.hover>.ab-sub-wrapper,#wpadminbar .menupop li:hover>.ab-sub-wrapper{margin-left:100%;margin-top:-32px}#wpadminbar .ab-top-secondary .menupop li.hover>.ab-sub-wrapper,#wpadminbar .ab-top-secondary .menupop li:hover>.ab-sub-wrapper{margin-left:0;left:inherit;right:100%}#wpadminbar .ab-top-menu>li.hover>.ab-item,#wpadminbar.nojq .quicklinks .ab-top-menu>li>.ab-item:focus,#wpadminbar:not(.mobile) .ab-top-menu>li:hover>.ab-item,#wpadminbar:not(.mobile) .ab-top-menu>li>.ab-item:focus{background:#32373c;color:#00b9eb}#wpadminbar:not(.mobile)>#wp-toolbar a:focus span.ab-label,#wpadminbar:not(.mobile)>#wp-toolbar li:hover span.ab-label,#wpadminbar>#wp-toolbar li.hover span.ab-label{color:#00b9eb}#wpadminbar .ab-icon,#wpadminbar .ab-item:before,#wpadminbar>#wp-toolbar>#wp-admin-bar-root-default .ab-icon{position:relative;float:left;font:400 20px/1 dashicons;speak:none;padding:4px 0;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale;background-image:none!important;margin-right:6px}#wpadminbar #adminbarsearch:before,#wpadminbar .ab-icon:before,#wpadminbar .ab-item:before{color:#a0a5aa;color:rgba(240,245,250,.6);position:relative;-webkit-transition:all .1s ease-in-out;transition:all .1s ease-in-out}#wpadminbar .ab-label{display:inline-block;height:32px}#wpadminbar .ab-submenu .ab-item,#wpadminbar .quicklinks .menupop ul li a,#wpadminbar .quicklinks .menupop ul li a strong,#wpadminbar .quicklinks .menupop.hover ul li a,#wpadminbar.nojs .quicklinks .menupop:hover ul li a{color:#b4b9be;color:rgba(240,245,250,.7)}#wpadminbar .quicklinks .ab-sub-wrapper .menupop.hover>a,#wpadminbar .quicklinks .menupop ul li a:focus,#wpadminbar .quicklinks .menupop ul li a:focus strong,#wpadminbar .quicklinks .menupop ul li a:hover,#wpadminbar .quicklinks .menupop ul li a:hover strong,#wpadminbar .quicklinks .menupop.hover ul li a:focus,#wpadminbar .quicklinks .menupop.hover ul li a:hover,#wpadminbar li #adminbarsearch.adminbar-focused:before,#wpadminbar li .ab-item:focus:before,#wpadminbar li a:focus .ab-icon:before,#wpadminbar li.hover .ab-icon:before,#wpadminbar li.hover .ab-item:before,#wpadminbar li:hover #adminbarsearch:before,#wpadminbar li:hover .ab-icon:before,#wpadminbar li:hover .ab-item:before,#wpadminbar.nojs .quicklinks .menupop:hover ul li a:focus,#wpadminbar.nojs .quicklinks .menupop:hover ul li a:hover{color:#00b9eb}#wpadminbar.mobile .quicklinks .ab-icon:before,#wpadminbar.mobile .quicklinks .ab-item:before{color:#b4b9be}#wpadminbar.mobile .quicklinks .hover .ab-icon:before,#wpadminbar.mobile .quicklinks .hover .ab-item:before{color:#00b9eb}#wpadminbar .ab-top-secondary .menupop .menupop>.ab-item:before,#wpadminbar .menupop .menupop>.ab-item:before{position:absolute;font:400 17px/1 dashicons;speak:none;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}#wpadminbar .menupop .menupop>.ab-item{display:block;padding-right:2em}#wpadminbar .menupop .menupop>.ab-item:before{top:1px;right:4px;content:"\f139";color:inherit}#wpadminbar .ab-top-secondary .menupop .menupop>.ab-item{padding-left:2em;padding-right:1em}#wpadminbar .ab-top-secondary .menupop .menupop>.ab-item:before{top:1px;left:6px;content:"\f141"}#wpadminbar .quicklinks .menupop ul.ab-sub-secondary{display:block;position:relative;right:auto;margin:0;-webkit-box-shadow:none;box-shadow:none}#wpadminbar .quicklinks .menupop ul.ab-sub-secondary,#wpadminbar .quicklinks .menupop ul.ab-sub-secondary .ab-submenu{background:#464b50}#wpadminbar .quicklinks .menupop .ab-sub-secondary>li .ab-item:focus a,#wpadminbar .quicklinks .menupop .ab-sub-secondary>li>a:hover{color:#00b9eb}#wpadminbar .quicklinks a span#ab-updates{background:#eee;color:#32373c;display:inline;padding:2px 5px;font-size:10px;font-weight:700;-webkit-border-radius:10px;border-radius:10px}#wpadminbar .quicklinks a:hover span#ab-updates{background:#fff;color:#000}#wpadminbar .ab-top-secondary{float:right}#wpadminbar ul li:last-child,#wpadminbar ul li:last-child .ab-item{-webkit-box-shadow:none;box-shadow:none}#wp-admin-bar-my-account>ul{min-width:198px}#wp-admin-bar-my-account>.ab-item:before{content:"\f110";top:2px;float:right;margin-left:6px;margin-right:0}#wp-admin-bar-my-account.with-avatar>.ab-item:before{display:none;content:none}#wp-admin-bar-my-account.with-avatar>ul{min-width:270px}#wpadminbar.ie8 #wp-admin-bar-my-account.with-avatar .ab-item{white-space:nowrap}#wpadminbar #wp-admin-bar-user-actions>li{margin-left:16px;margin-right:16px}#wpadminbar #wp-admin-bar-user-actions.ab-submenu{padding:6px 0 12px}#wpadminbar #wp-admin-bar-my-account.with-avatar #wp-admin-bar-user-actions>li{margin-left:88px}#wpadminbar #wp-admin-bar-user-info{margin-top:6px;margin-bottom:15px;height:auto;background:0 0}#wp-admin-bar-user-info .avatar{position:absolute;left:-72px;top:4px;width:64px;height:64px}#wpadminbar #wp-admin-bar-user-info a{background:0 0;height:auto}#wpadminbar #wp-admin-bar-user-info span{background:0 0;padding:0;height:18px}#wpadminbar #wp-admin-bar-user-info .display-name,#wpadminbar #wp-admin-bar-user-info .username{display:block}#wpadminbar #wp-admin-bar-user-info .username{color:#999;font-size:11px}#wpadminbar #wp-admin-bar-my-account.with-avatar>.ab-empty-item img,#wpadminbar #wp-admin-bar-my-account.with-avatar>a img{width:auto;height:16px;padding:0;border:1px solid #82878c;background:#eee;line-height:24px;vertical-align:middle;margin:-4px 0 0 6px;float:none;display:inline}#wpadminbar.ie8 #wp-admin-bar-my-account.with-avatar>.ab-empty-item img,#wpadminbar.ie8 #wp-admin-bar-my-account.with-avatar>a img{width:auto}#wpadminbar #wp-admin-bar-wp-logo>.ab-item .ab-icon{width:15px;height:20px;margin-right:0;padding:6px 0 5px}#wpadminbar #wp-admin-bar-wp-logo>.ab-item{padding:0 7px}#wpadminbar #wp-admin-bar-wp-logo>.ab-item .ab-icon:before{content:"\f120";top:2px}#wpadminbar .quicklinks li .blavatar{float:left;font:400 16px/1 dashicons!important;speak:none;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale;color:#eee}#wpadminbar .quicklinks .ab-sub-wrapper .menupop.hover>a .blavatar,#wpadminbar .quicklinks li a:focus .blavatar,#wpadminbar .quicklinks li a:hover .blavatar{color:#00b9eb}#wpadminbar .quicklinks li .blavatar:before{content:"\f120";height:16px;width:16px;display:inline-block;margin:6px 8px 0 -2px}#wpadminbar #wp-admin-bar-appearance{margin-top:-12px}#wpadminbar #wp-admin-bar-my-sites>.ab-item:before,#wpadminbar #wp-admin-bar-site-name>.ab-item:before{content:"\f112";top:2px}#wpadminbar #wp-admin-bar-customize>.ab-item:before{content:"\f540";top:2px}#wpadminbar #wp-admin-bar-edit>.ab-item:before{content:"\f464";top:2px}#wpadminbar #wp-admin-bar-site-name>.ab-item:before{content:"\f226"}.wp-admin #wpadminbar #wp-admin-bar-site-name>.ab-item:before{content:"\f102"}#wpadminbar #wp-admin-bar-comments .ab-icon{margin-right:6px}#wpadminbar #wp-admin-bar-comments .ab-icon:before{content:"\f101";top:3px}#wpadminbar #wp-admin-bar-comments .count-0{opacity:.5}#wpadminbar #wp-admin-bar-new-content .ab-icon:before{content:"\f132";top:4px}#wpadminbar #wp-admin-bar-updates .ab-icon:before{content:"\f463";top:2px}#wpadminbar.ie8 #wp-admin-bar-search{display:block;min-width:32px}#wpadminbar #wp-admin-bar-search .ab-item{padding:0;background:0 0}#wpadminbar #adminbarsearch{position:relative;height:32px;padding:0 2px;z-index:1}#wpadminbar #adminbarsearch:before{position:absolute;top:6px;left:5px;z-index:20;font:400 20px/1 dashicons!important;content:"\f179";speak:none;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}#wpadminbar>#wp-toolbar>#wp-admin-bar-top-secondary>#wp-admin-bar-search #adminbarsearch input.adminbar-input{position:relative;z-index:30;font:13px/24px "Open Sans",sans-serif;height:24px;width:24px;max-width:none;padding:0 3px 0 24px;margin:0;color:#ccc;background-color:rgba(255,255,255,0);border:none;outline:0;cursor:pointer;-webkit-box-shadow:none;box-shadow:none;-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;-webkit-transition-duration:.4s;transition-duration:.4s;-webkit-transition-property:width,background;transition-property:width,background;-webkit-transition-timing-function:ease;transition-timing-function:ease}#wpadminbar>#wp-toolbar>#wp-admin-bar-top-secondary>#wp-admin-bar-search #adminbarsearch input.adminbar-input:focus{z-index:10;color:#000;width:200px;background-color:rgba(255,255,255,.9);cursor:text;border:0}#wpadminbar.ie7>#wp-toolbar>#wp-admin-bar-top-secondary>#wp-admin-bar-search #adminbarsearch input.adminbar-input{margin-top:3px;width:120px}#wpadminbar.ie8>#wp-toolbar>#wp-admin-bar-top-secondary>#wp-admin-bar-search #adminbarsearch input.adminbar-input{background:url(data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBR‌​AA7)}#wpadminbar.ie8 #adminbarsearch.adminbar-focused:before{content:"\f179 "}#wpadminbar.ie8>#wp-toolbar>#wp-admin-bar-top-secondary>#wp-admin-bar-search #adminbarsearch input.adminbar-input:focus{background:#fff;z-index:-1}#wpadminbar #adminbarsearch .adminbar-input::-webkit-input-placeholder{color:#999}#wpadminbar #adminbarsearch .adminbar-input:-moz-placeholder{color:#999}#wpadminbar #adminbarsearch .adminbar-input::-moz-placeholder{color:#999}#wpadminbar #adminbarsearch .adminbar-input:-ms-input-placeholder{color:#999}#wpadminbar #adminbarsearch .adminbar-button,.customize-support #wpadminbar .hide-if-customize,.customize-support .hide-if-customize,.customize-support .wp-core-ui .hide-if-customize,.customize-support.wp-core-ui .hide-if-customize,.no-customize-support #wpadminbar .hide-if-no-customize,.no-customize-support .hide-if-no-customize,.no-customize-support .wp-core-ui .hide-if-no-customize,.no-customize-support.wp-core-ui .hide-if-no-customize{display:none}#wpadminbar .screen-reader-text,#wpadminbar .screen-reader-text span{position:absolute;left:-1000em;top:-1000em;height:1px;width:1px;overflow:hidden}#wpadminbar .screen-reader-shortcut{position:absolute;top:-1000em}#wpadminbar .screen-reader-shortcut:focus{left:6px;top:7px;height:auto;width:auto;display:block;font-size:14px;font-weight:700;padding:15px 23px 14px;background:#f1f1f1;color:#0073aa;z-index:100000;line-height:normal;text-decoration:none;-webkit-box-shadow:0 0 2px 2px rgba(0,0,0,.6);box-shadow:0 0 2px 2px rgba(0,0,0,.6)}* html #wpadminbar{overflow:hidden;position:absolute}* html #wpadminbar .quicklinks ul li a{float:left}* html #wpadminbar .menupop a span{background-image:none}.no-font-face #wpadminbar ul.ab-top-menu>li>a.ab-item{display:block;width:45px;text-align:center;overflow:hidden;margin:0 3px}.no-font-face #wpadminbar #wp-admin-bar-edit>.ab-item,.no-font-face #wpadminbar #wp-admin-bar-my-sites>.ab-item,.no-font-face #wpadminbar #wp-admin-bar-site-name>.ab-item{text-indent:0}.no-font-face #wpadminbar #wp-admin-bar-wp-logo>.ab-item,.no-font-face #wpadminbar .ab-icon,.no-font-face #wpadminbar .ab-icon:before,.no-font-face #wpadminbar a.ab-item:before{display:none!important}.no-font-face #wpadminbar ul.ab-top-menu>li>a>span.ab-label{display:inline}.no-font-face #wpadminbar #wp-admin-bar-menu-toggle span.ab-icon{display:inline!important}.no-font-face #wpadminbar #wp-admin-bar-menu-toggle span.ab-icon:before{content:"Menu";font:14px/45px sans-serif!important;display:inline-block!important;color:#fff}.no-font-face #wpadminbar #wp-admin-bar-site-name a.ab-item{color:#fff}@media screen and (max-width:782px){#wpadminbar ul#wp-admin-bar-root-default>li,.network-admin #wpadminbar ul#wp-admin-bar-top-secondary>li#wp-admin-bar-my-account{margin-right:0}html #wpadminbar{height:46px;min-width:300px}#wpadminbar *{font:400 14px/32px "Open Sans",sans-serif}#wpadminbar .quicklinks .ab-empty-item,#wpadminbar .quicklinks>ul>li>a{padding:0;height:46px;line-height:46px;width:auto}#wpadminbar .ab-icon{font:40px/1 dashicons!important;margin:0;padding:0;width:52px;height:46px;text-align:center}#wpadminbar .ab-icon:before{text-align:center}#wpadminbar .ab-submenu{padding:0}#wpadminbar #wp-admin-bar-my-account a.ab-item,#wpadminbar #wp-admin-bar-my-sites a.ab-item,#wpadminbar #wp-admin-bar-site-name a.ab-item{text-overflow:clip}#wpadminbar .ab-label{display:none}#wpadminbar .menupop li.hover>.ab-sub-wrapper,#wpadminbar .menupop li:hover>.ab-sub-wrapper{margin-top:-46px}#wpadminbar #wp-admin-bar-comments .ab-icon,#wpadminbar #wp-admin-bar-my-account.with-avatar #wp-admin-bar-user-actions>li{margin:0}#wpadminbar .ab-top-menu .menupop .ab-sub-wrapper .menupop>.ab-item{padding-right:30px}#wpadminbar .menupop .menupop>.ab-item:before{top:10px;right:6px}#wpadminbar .ab-top-menu>.menupop>.ab-sub-wrapper .ab-item{font-size:16px;padding:8px 16px}#wpadminbar .ab-top-menu>.menupop>.ab-sub-wrapper a:empty{display:none}#wpadminbar #wp-admin-bar-wp-logo>.ab-item{padding:0}#wpadminbar #wp-admin-bar-wp-logo>.ab-item .ab-icon{padding:0;width:52px;height:46px;text-align:center;vertical-align:top}#wpadminbar #wp-admin-bar-wp-logo>.ab-item .ab-icon:before{font:28px/1 dashicons!important;top:-3px}#wpadminbar .ab-icon,#wpadminbar .ab-item:before{padding:0}#wpadminbar #wp-admin-bar-customize>.ab-item,#wpadminbar #wp-admin-bar-edit>.ab-item,#wpadminbar #wp-admin-bar-my-account>.ab-item,#wpadminbar #wp-admin-bar-my-sites>.ab-item,#wpadminbar #wp-admin-bar-site-name>.ab-item{text-indent:100%;white-space:nowrap;overflow:hidden;width:52px;padding:0;color:#999;position:relative}#wpadminbar .ab-icon,#wpadminbar .ab-item:before,#wpadminbar>#wp-toolbar>#wp-admin-bar-root-default .ab-icon{padding:0;margin-right:0}#wpadminbar #wp-admin-bar-customize>.ab-item:before,#wpadminbar #wp-admin-bar-edit>.ab-item:before,#wpadminbar #wp-admin-bar-my-account>.ab-item:before,#wpadminbar #wp-admin-bar-my-sites>.ab-item:before,#wpadminbar #wp-admin-bar-site-name>.ab-item:before{display:block;text-indent:0;font:400 32px/1 dashicons;speak:none;top:7px;width:52px;text-align:center;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}#wpadminbar #wp-admin-bar-appearance{margin-top:0}#wpadminbar .quicklinks li .blavatar:before{display:none}#wpadminbar #wp-admin-bar-search{display:none}#wpadminbar #wp-admin-bar-new-content .ab-icon:before{top:0;line-height:53px;height:46px!important;text-align:center;width:52px;display:block}#wpadminbar #wp-admin-bar-updates{text-align:center}#wpadminbar #wp-admin-bar-updates .ab-icon:before{top:3px}#wpadminbar #wp-admin-bar-comments .ab-icon:before{display:block;font-size:34px;height:46px;line-height:47px;top:0}#wp-toolbar>ul>li,#wpadminbar #wp-admin-bar-user-actions.ab-submenu img.avatar{display:none}#wpadminbar #wp-admin-bar-my-account>a{position:relative;white-space:nowrap;text-indent:150%;width:28px;padding:0 10px;overflow:hidden}#wpadminbar .quicklinks li#wp-admin-bar-my-account.with-avatar>a img{position:absolute;top:13px;right:10px;width:26px;height:26px}#wpadminbar #wp-admin-bar-user-actions.ab-submenu{padding:0}#wpadminbar #wp-admin-bar-user-info .display-name{height:auto;font-size:16px;line-height:24px;color:#eee}#wpadminbar #wp-admin-bar-user-info a{padding-top:4px}#wpadminbar #wp-admin-bar-user-info .username{line-height:.8!important;margin-bottom:-2px}#wpadminbar li#wp-admin-bar-comments,#wpadminbar li#wp-admin-bar-customize,#wpadminbar li#wp-admin-bar-edit,#wpadminbar li#wp-admin-bar-menu-toggle,#wpadminbar li#wp-admin-bar-my-account,#wpadminbar li#wp-admin-bar-my-sites,#wpadminbar li#wp-admin-bar-new-content,#wpadminbar li#wp-admin-bar-site-name,#wpadminbar li#wp-admin-bar-updates,#wpadminbar li#wp-admin-bar-wp-logo{display:block}#wpadminbar li.hover ul li,#wpadminbar li:hover ul li,#wpadminbar li:hover ul li:hover ul li{display:list-item}#wpadminbar .ab-top-menu>.menupop>.ab-sub-wrapper{min-width:-webkit-fit-content;min-width:-moz-fit-content;min-width:fit-content}#wpadminbar #wp-admin-bar-comments,#wpadminbar #wp-admin-bar-edit,#wpadminbar #wp-admin-bar-my-account,#wpadminbar #wp-admin-bar-my-sites,#wpadminbar #wp-admin-bar-new-content,#wpadminbar #wp-admin-bar-site-name,#wpadminbar #wp-admin-bar-updates,#wpadminbar #wp-admin-bar-wp-logo,#wpadminbar .ab-top-menu,#wpadminbar .ab-top-secondary{position:static}#wpadminbar #wp-admin-bar-my-account{float:right}#wpadminbar .ab-top-secondary .menupop .menupop>.ab-item:before{top:10px;left:0}}@media screen and (max-width:600px){#wpadminbar{position:absolute}#wp-responsive-overlay{position:fixed;top:0;left:0;width:100%;height:100%;z-index:400}#wpadminbar .ab-top-menu>.menupop>.ab-sub-wrapper{width:100%;left:0}#wpadminbar .menupop .menupop>.ab-item:before{display:none}#wpadminbar #wp-admin-bar-wp-logo.menupop .ab-sub-wrapper{margin-left:0}#wpadminbar .ab-top-menu>.menupop li>.ab-sub-wrapper{margin:0;width:100%;top:auto;left:auto;position:static;-webkit-box-shadow:none;box-shadow:none}#wpadminbar .ab-top-menu>.menupop li>.ab-sub-wrapper .ab-item{font-size:16px;padding:6px 15px 19px 30px}#wpadminbar li:hover ul li ul li{display:list-item}#wpadminbar li#wp-admin-bar-updates,#wpadminbar li#wp-admin-bar-wp-logo{display:none}}@media screen and (max-width:400px){#wpadminbar li#wp-admin-bar-comments{display:none}} -.wp-core-ui .button,.wp-core-ui .button-primary,.wp-core-ui .button-secondary{display:inline-block;text-decoration:none;font-size:13px;line-height:26px;height:28px;margin:0;padding:0 10px 1px;cursor:pointer;border-width:1px;border-style:solid;-webkit-appearance:none;-webkit-border-radius:3px;border-radius:3px;white-space:nowrap;-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}.wp-core-ui button::-moz-focus-inner,.wp-core-ui input[type=reset]::-moz-focus-inner,.wp-core-ui input[type=button]::-moz-focus-inner,.wp-core-ui input[type=submit]::-moz-focus-inner{border-width:0;border-style:none;padding:0}.wp-core-ui .button-group.button-large .button,.wp-core-ui .button.button-large{height:30px;line-height:28px;padding:0 12px 2px}.wp-core-ui .button-group.button-small .button,.wp-core-ui .button.button-small{height:24px;line-height:22px;padding:0 8px 1px;font-size:11px}.wp-core-ui .button-group.button-hero .button,.wp-core-ui .button.button-hero{font-size:14px;height:46px;line-height:44px;padding:0 36px}.wp-core-ui .button:active,.wp-core-ui .button:focus{outline:0}.wp-core-ui .button.hidden{display:none}.wp-core-ui input[type=reset],.wp-core-ui input[type=reset]:active,.wp-core-ui input[type=reset]:focus,.wp-core-ui input[type=reset]:hover{background:0 0;border:none;-webkit-box-shadow:none;box-shadow:none;padding:0 2px 1px;width:auto}.wp-core-ui .button,.wp-core-ui .button-secondary{color:#555;border-color:#ccc;background:#f7f7f7;-webkit-box-shadow:0 1px 0 #ccc;box-shadow:0 1px 0 #ccc;vertical-align:top}.wp-core-ui p .button{vertical-align:baseline}.wp-core-ui .button-secondary:focus,.wp-core-ui .button-secondary:hover,.wp-core-ui .button.focus,.wp-core-ui .button.hover,.wp-core-ui .button:focus,.wp-core-ui .button:hover{background:#fafafa;border-color:#999;color:#23282d}.wp-core-ui .button-link:focus,.wp-core-ui .button-secondary:focus,.wp-core-ui .button.focus,.wp-core-ui .button:focus{border-color:#5b9dd9;-webkit-box-shadow:0 0 3px rgba(0,115,170,.8);box-shadow:0 0 3px rgba(0,115,170,.8)}.wp-core-ui .button-secondary:active,.wp-core-ui .button.active,.wp-core-ui .button.active:hover,.wp-core-ui .button:active{background:#eee;border-color:#999;-webkit-box-shadow:inset 0 2px 5px -3px rgba(0,0,0,.5);box-shadow:inset 0 2px 5px -3px rgba(0,0,0,.5);-webkit-transform:translateY(1px);-ms-transform:translateY(1px);transform:translateY(1px)}.wp-core-ui .button.active:focus{border-color:#5b9dd9;-webkit-box-shadow:inset 0 2px 5px -3px rgba(0,0,0,.5),0 0 3px rgba(0,115,170,.8);box-shadow:inset 0 2px 5px -3px rgba(0,0,0,.5),0 0 3px rgba(0,115,170,.8)}.wp-core-ui .button-disabled,.wp-core-ui .button-secondary.disabled,.wp-core-ui .button-secondary:disabled,.wp-core-ui .button-secondary[disabled],.wp-core-ui .button.disabled,.wp-core-ui .button:disabled,.wp-core-ui .button[disabled]{color:#a0a5aa!important;border-color:#ddd!important;background:#f7f7f7!important;-webkit-box-shadow:none!important;box-shadow:none!important;text-shadow:0 1px 0 #fff!important;cursor:default;-webkit-transform:none!important;-ms-transform:none!important;transform:none!important}.wp-core-ui .button-link{margin:0;padding:0;-webkit-box-shadow:none;box-shadow:none;border:0;-webkit-border-radius:0;border-radius:0;background:0 0;outline:0;cursor:pointer}.wp-core-ui .button-link:focus{outline:#5b9dd9 solid 1px}.wp-core-ui .button-primary{background:#0085ba;border-color:#0073aa #006799 #006799;-webkit-box-shadow:0 1px 0 #006799;box-shadow:0 1px 0 #006799;color:#fff;text-decoration:none;text-shadow:0 -1px 1px #006799,1px 0 1px #006799,0 1px 1px #006799,-1px 0 1px #006799}.wp-core-ui .button-primary.focus,.wp-core-ui .button-primary.hover,.wp-core-ui .button-primary:focus,.wp-core-ui .button-primary:hover{background:#008ec2;border-color:#006799;color:#fff}.wp-core-ui .button-primary.focus,.wp-core-ui .button-primary:focus{-webkit-box-shadow:0 1px 0 #0073aa,0 0 2px 1px #33b3db;box-shadow:0 1px 0 #0073aa,0 0 2px 1px #33b3db}.wp-core-ui .button-primary.active,.wp-core-ui .button-primary.active:focus,.wp-core-ui .button-primary.active:hover,.wp-core-ui .button-primary:active{background:#0073aa;border-color:#006799;-webkit-box-shadow:inset 0 2px 0 #006799;box-shadow:inset 0 2px 0 #006799;vertical-align:top}.wp-core-ui .button-primary-disabled,.wp-core-ui .button-primary.disabled,.wp-core-ui .button-primary:disabled,.wp-core-ui .button-primary[disabled]{color:#66c6e4!important;background:#008ec2!important;border-color:#007cb2!important;-webkit-box-shadow:none!important;box-shadow:none!important;text-shadow:0 -1px 0 rgba(0,0,0,.1)!important;cursor:default}.wp-core-ui .button.button-primary.button-hero{-webkit-box-shadow:0 2px 0 #006799;box-shadow:0 2px 0 #006799}.wp-core-ui .button.button-primary.button-hero.active,.wp-core-ui .button.button-primary.button-hero.active:focus,.wp-core-ui .button.button-primary.button-hero.active:hover,.wp-core-ui .button.button-primary.button-hero:active{-webkit-box-shadow:inset 0 3px 0 #006799;box-shadow:inset 0 3px 0 #006799}.wp-core-ui .button-group{position:relative;display:inline-block;white-space:nowrap;font-size:0;vertical-align:middle}.wp-core-ui .button-group>.button{display:inline-block;-webkit-border-radius:0;border-radius:0;margin-right:-1px;z-index:10}.wp-core-ui .button-group>.button-primary{z-index:100}.wp-core-ui .button-group>.button:hover{z-index:20}.wp-core-ui .button-group>.button:first-child{-webkit-border-radius:3px 0 0 3px;border-radius:3px 0 0 3px}.wp-core-ui .button-group>.button:last-child{-webkit-border-radius:0 3px 3px 0;border-radius:0 3px 3px 0}.wp-core-ui .button-group>.button:focus{position:relative;z-index:1}@media screen and (max-width:782px){.wp-core-ui .button,.wp-core-ui .button.button-large,.wp-core-ui .button.button-small,a.preview,input#publish,input#save-post{padding:6px 14px;line-height:normal;font-size:14px;vertical-align:middle;height:auto;margin-bottom:4px}#media-upload.wp-core-ui .button{padding:0 10px 1px;height:24px;line-height:22px;font-size:13px}.media-frame.mode-grid .bulk-select .button{margin-bottom:0}.wp-core-ui .save-post-status.button{position:relative;margin:0 14px 0 10px}.wp-core-ui.wp-customizer .button{padding:0 10px 1px;font-size:13px;line-height:26px;height:28px;margin:0;vertical-align:inherit}.interim-login .button.button-large{height:30px;line-height:28px;padding:0 12px 2px}} -a img,abbr,fieldset{border:0}#logo,h1,h2{padding:0 0 7px}#logo a,.form-table th p,h1,h2{font-weight:400}html{background:#f1f1f1;margin:0 20px}body{background:#fff;color:#444;font-family:"Open Sans",sans-serif;margin:140px auto 25px;padding:20px 20px 10px;max-width:75%;-webkit-font-smoothing:subpixel-antialiased;-webkit-box-shadow:0 1px 3px rgba(0,0,0,.13);box-shadow:0 1px 3px rgba(0,0,0,.13)}a{color:#0073aa}a:active,a:hover{color:#00a0d2}a:focus{color:#124964;-webkit-box-shadow:0 0 0 1px #5b9dd9,0 0 2px 1px rgba(30,140,190,.8);box-shadow:0 0 0 1px #5b9dd9,0 0 2px 1px rgba(30,140,190,.8)}.ie8 a:focus{outline:#5b9dd9 solid 1px}h1,h2{border-bottom:1px solid #dedede;clear:both;color:#666;font-size:24px}h3{font-size:16px}dd,dt,li,p{padding-bottom:2px;font-size:14px;line-height:1.5}.code,code{font-family:Consolas,Monaco,monospace}input,submit,textarea{font-family:"Open Sans",sans-serif}dl,ol,ul{padding:5px 5px 5px 22px}abbr{font-variant:normal}fieldset{padding:0;margin:0}label{cursor:pointer}#logo{margin:6px 0 14px;border-bottom:none;text-align:center}#logo a{background-image:url(images/w-logo-blue.png?ver=20131202);background-image:none,url(images/wordpress-logo.svg?ver=20131107);-webkit-background-size:84px;background-size:84px;background-position:center top;background-repeat:no-repeat;color:#999;height:84px;font-size:20px;line-height:1.3em;margin:-130px auto 25px;padding:0;text-decoration:none;width:84px;text-indent:-9999px;outline:0;overflow:hidden;display:block}#pass1-text,.pw-weak,.show-password #pass1{display:none}#logo a:focus{-webkit-box-shadow:none;box-shadow:none}.step{margin:20px 0 15px}.step,th{text-align:left;padding:0}.language-chooser.wp-core-ui .step .button.button-large{height:36px;vertical-align:middle;font-size:14px}.form-table td,.form-table th{padding:10px 20px 10px 0;vertical-align:top;font-size:14px}textarea{border:1px solid #dfdfdf;width:100%;-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}.form-table{border-collapse:collapse;margin-top:1em;width:100%}.form-table td{margin-bottom:9px}.form-table th{text-align:left;width:140px}.form-table code{line-height:18px;font-size:14px}.form-table p{margin:4px 0 0;font-size:11px}.form-table input{line-height:20px;font-size:15px;padding:3px 5px;border:1px solid #ddd;-webkit-box-shadow:inset 0 1px 2px rgba(0,0,0,.07);box-shadow:inset 0 1px 2px rgba(0,0,0,.07)}.form-table input[type=email],.form-table input[type=password],.form-table input[type=text],.form-table input[type=url]{width:206px}.form-table.install-success td,.form-table.install-success th{vertical-align:middle;padding:16px 20px 16px 0}.form-table.install-success td p{margin:0;font-size:14px}.form-table.install-success td code{margin:0;font-size:18px}#error-page{margin-top:50px}#error-page p{font-size:14px;line-height:18px;margin:25px 0 20px}#error-page code,.code{font-family:Consolas,Monaco,monospace}.wp-hide-pw>.dashicons{line-height:inherit}#pass-strength-result{background-color:#eee;border:1px solid #ddd;color:#23282d;margin:-2px 5px 5px 0;padding:3px 5px;text-align:center;width:218px;-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;opacity:0}#pass-strength-result.short{background-color:#f1adad;border-color:#e35b5b;opacity:1}#pass-strength-result.bad{background-color:#fbc5a9;border-color:#f78b53;opacity:1}#pass-strength-result.good{background-color:#ffe399;border-color:#ffc733;opacity:1}#pass-strength-result.strong{background-color:#c1e1b9;border-color:#83c373;opacity:1}#pass1-text.short,#pass1.short{border-color:#e35b5b}#pass1-text.bad,#pass1.bad{border-color:#f78b53}#pass1-text.good,#pass1.good{border-color:#ffc733}#pass1-text.strong,#pass1.strong{border-color:#83c373}.message{border:1px solid #c00;padding:.5em .7em;margin:5px 0 15px;background-color:#ffebe8}#admin_email,#dbhost,#dbname,#pass1,#pass2,#prefix,#pwd,#uname,#user_login{direction:ltr}.show-password #pass1-text{display:inline-block}.form-table span.description.important{font-size:12px}.rtl input,.rtl submit,.rtl textarea,body.rtl{font-family:Tahoma,sans-serif}.language-chooser select,:lang(he-il) .rtl input,:lang(he-il) .rtl submit,:lang(he-il) .rtl textarea,:lang(he-il) body.rtl{font-family:Arial,sans-serif}@media only screen and (max-width:799px){body{margin-top:115px}#logo a{margin:-125px auto 30px}}@media screen and (max-width:782px){.form-table{margin-top:0}.form-table td,.form-table th{display:block;width:auto;vertical-align:middle}.form-table th{padding:20px 0 0}.form-table td{padding:5px 0;border:0;margin:0}input,textarea{font-size:16px}.form-table span.description,.form-table td input[type=text],.form-table td input[type=email],.form-table td input[type=url],.form-table td input[type=password],.form-table td select,.form-table td textarea{width:100%;font-size:16px;line-height:1.5;padding:7px 10px;display:block;max-width:none;-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}}body.language-chooser{max-width:300px}.language-chooser select{padding:8px;width:100%;display:block;border:1px solid #ddd;background-color:#fff;color:#32373c;font-size:16px;font-weight:400}.language-chooser p{text-align:right}.screen-reader-input,.screen-reader-text{position:absolute;margin:-1px;padding:0;height:1px;width:1px;overflow:hidden;clip:rect(0 0 0 0);border:0}.spinner{background:url(images/spinner.gif) no-repeat;-webkit-background-size:20px 20px;background-size:20px 20px;visibility:hidden;opacity:.7;filter:alpha(opacity=70);width:20px;height:20px;margin:2px 5px 0}.step .spinner{display:inline-block;margin-top:8px;margin-right:15px;vertical-align:top}.button-secondary.hide-if-no-js,.hide-if-no-js{display:none}@media print,(-webkit-min-device-pixel-ratio:1.25),(min-resolution:120dpi){.spinner{background-image:url(images/spinner-2x.gif)}} - - -/* - * Component: modal - * ---------------- - */ -.modal { - background: rgba(0, 0, 0, 0.3); -} -.modal-content { - border-radius: 0; - -webkit-box-shadow: 0 2px 3px rgba(0, 0, 0, 0.125) !important; - box-shadow: 0 2px 3px rgba(0, 0, 0, 0.125) !important; - border: 0; -} -@media (min-width: 768px) { - .modal-content { - -webkit-box-shadow: 0 2px 3px rgba(0, 0, 0, 0.125) !important; - box-shadow: 0 2px 3px rgba(0, 0, 0, 0.125) !important; - } -} -.modal-header { - border-bottom-color: #f4f4f4; -} -.modal-footer { - border-top-color: #f4f4f4; -} -.modal-primary .modal-header, -.modal-primary .modal-footer { - border-color: #307095; -} -.modal-warning .modal-header, -.modal-warning .modal-footer { - border-color: #c87f0a; -} -.modal-info .modal-header, -.modal-info .modal-footer { - border-color: #0097bc; -} -.modal-success .modal-header, -.modal-success .modal-footer { - border-color: #00733e; -} -.modal-danger .modal-header, -.modal-danger .modal-footer { - border-color: #c23321; -} +.wp-core-ui .button,.wp-core-ui .button-primary,.wp-core-ui .button-secondary{display:inline-block;text-decoration:none;font-size:13px;line-height:26px;height:28px;margin:0;padding:0 10px 1px;cursor:pointer;border-width:1px;border-style:solid;-webkit-appearance:none;-webkit-border-radius:3px;border-radius:3px;white-space:nowrap;-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}.wp-core-ui button::-moz-focus-inner,.wp-core-ui input[type=reset]::-moz-focus-inner,.wp-core-ui input[type=button]::-moz-focus-inner,.wp-core-ui input[type=submit]::-moz-focus-inner{border-width:0;border-style:none;padding:0}.wp-core-ui .button-group.button-large .button,.wp-core-ui .button.button-large{height:30px;line-height:28px;padding:0 12px 2px}.wp-core-ui .button-group.button-small .button,.wp-core-ui .button.button-small{height:24px;line-height:22px;padding:0 8px 1px;font-size:11px}.wp-core-ui .button-group.button-hero .button,.wp-core-ui .button.button-hero{font-size:14px;height:46px;line-height:44px;padding:0 36px}.wp-core-ui .button:active,.wp-core-ui .button:focus{outline:0}.wp-core-ui .button.hidden{display:none}.wp-core-ui input[type=reset],.wp-core-ui input[type=reset]:active,.wp-core-ui input[type=reset]:focus,.wp-core-ui input[type=reset]:hover{background:0 0;border:none;-webkit-box-shadow:none;box-shadow:none;padding:0 2px 1px;width:auto}.wp-core-ui .button,.wp-core-ui .button-secondary{color:#555;border-color:#ccc;background:#f7f7f7;-webkit-box-shadow:0 1px 0 #ccc;box-shadow:0 1px 0 #ccc;vertical-align:top}.wp-core-ui p .button{vertical-align:baseline}.wp-core-ui .button-secondary:focus,.wp-core-ui .button-secondary:hover,.wp-core-ui .button.focus,.wp-core-ui .button.hover,.wp-core-ui .button:focus,.wp-core-ui .button:hover{background:#fafafa;border-color:#999;color:#23282d}.wp-core-ui .button-link:focus,.wp-core-ui .button-secondary:focus,.wp-core-ui .button.focus,.wp-core-ui .button:focus{border-color:#5b9dd9;-webkit-box-shadow:0 0 3px rgba(0,115,170,.8);box-shadow:0 0 3px rgba(0,115,170,.8)}.wp-core-ui .button-secondary:active,.wp-core-ui .button.active,.wp-core-ui .button.active:hover,.wp-core-ui .button:active{background:#eee;border-color:#999;-webkit-box-shadow:inset 0 2px 5px -3px rgba(0,0,0,.5);box-shadow:inset 0 2px 5px -3px rgba(0,0,0,.5);-webkit-transform:translateY(1px);-ms-transform:translateY(1px);transform:translateY(1px)}.wp-core-ui .button.active:focus{border-color:#5b9dd9;-webkit-box-shadow:inset 0 2px 5px -3px rgba(0,0,0,.5),0 0 3px rgba(0,115,170,.8);box-shadow:inset 0 2px 5px -3px rgba(0,0,0,.5),0 0 3px rgba(0,115,170,.8)}.wp-core-ui .button-disabled,.wp-core-ui .button-secondary.disabled,.wp-core-ui .button-secondary:disabled,.wp-core-ui .button-secondary[disabled],.wp-core-ui .button.disabled,.wp-core-ui .button:disabled,.wp-core-ui .button[disabled]{color:#a0a5aa!important;border-color:#ddd!important;background:#f7f7f7!important;-webkit-box-shadow:none!important;box-shadow:none!important;text-shadow:0 1px 0 #fff!important;cursor:default;-webkit-transform:none!important;-ms-transform:none!important;transform:none!important}.wp-core-ui .button-link{margin:0;padding:0;-webkit-box-shadow:none;box-shadow:none;border:0;-webkit-border-radius:0;border-radius:0;background:0 0;outline:0;cursor:pointer}.wp-core-ui .button-link:focus{outline:#5b9dd9 solid 1px}.wp-core-ui .button-primary{background:#0085ba;border-color:#0073aa #006799 #006799;-webkit-box-shadow:0 1px 0 #006799;box-shadow:0 1px 0 #006799;color:#fff;text-decoration:none;text-shadow:0 -1px 1px #006799,1px 0 1px #006799,0 1px 1px #006799,-1px 0 1px #006799}.wp-core-ui .button-primary.focus,.wp-core-ui .button-primary.hover,.wp-core-ui .button-primary:focus,.wp-core-ui .button-primary:hover{background:#008ec2;border-color:#006799;color:#fff}.wp-core-ui .button-primary.focus,.wp-core-ui .button-primary:focus{-webkit-box-shadow:0 1px 0 #0073aa,0 0 2px 1px #33b3db;box-shadow:0 1px 0 #0073aa,0 0 2px 1px #33b3db}.wp-core-ui .button-primary.active,.wp-core-ui .button-primary.active:focus,.wp-core-ui .button-primary.active:hover,.wp-core-ui .button-primary:active{background:#0073aa;border-color:#006799;-webkit-box-shadow:inset 0 2px 0 #006799;box-shadow:inset 0 2px 0 #006799;vertical-align:top}.wp-core-ui .button-primary-disabled,.wp-core-ui .button-primary.disabled,.wp-core-ui .button-primary:disabled,.wp-core-ui .button-primary[disabled]{color:#EA4242!important;background:#008ec2!important;border-color:#007cb2!important;-webkit-box-shadow:none!important;box-shadow:none!important;text-shadow:0 -1px 0 rgba(0,0,0,.1)!important;cursor:default}.wp-core-ui .button.button-primary.button-hero{-webkit-box-shadow:0 2px 0 #006799;box-shadow:0 2px 0 #006799}.wp-core-ui .button.button-primary.button-hero.active,.wp-core-ui .button.button-primary.button-hero.active:focus,.wp-core-ui .button.button-primary.button-hero.active:hover,.wp-core-ui .button.button-primary.button-hero:active{-webkit-box-shadow:inset 0 3px 0 #006799;box-shadow:inset 0 3px 0 #006799}.wp-core-ui .button-group{position:relative;display:inline-block;white-space:nowrap;font-size:0;vertical-align:middle}.wp-core-ui .button-group>.button{display:inline-block;-webkit-border-radius:0;border-radius:0;margin-right:-1px;z-index:10}.wp-core-ui .button-group>.button-primary{z-index:100}.wp-core-ui .button-group>.button:hover{z-index:20}.wp-core-ui .button-group>.button:first-child{-webkit-border-radius:3px 0 0 3px;border-radius:3px 0 0 3px}.wp-core-ui .button-group>.button:last-child{-webkit-border-radius:0 3px 3px 0;border-radius:0 3px 3px 0}.wp-core-ui .button-group>.button:focus{position:relative;z-index:1}@media screen and (max-width:782px){.wp-core-ui .button,.wp-core-ui .button.button-large,.wp-core-ui .button.button-small,a.preview,input#publish,input#save-post{padding:6px 14px;line-height:normal;font-size:14px;vertical-align:middle;height:auto;margin-bottom:4px}#media-upload.wp-core-ui .button{padding:0 10px 1px;height:24px;line-height:22px;font-size:13px}.media-frame.mode-grid .bulk-select .button{margin-bottom:0}.wp-core-ui .save-post-status.button{position:relative;margin:0 14px 0 10px}.wp-core-ui.wp-customizer .button{padding:0 10px 1px;font-size:13px;line-height:26px;height:28px;margin:0;vertical-align:inherit}.interim-login .button.button-large{height:30px;line-height:28px;padding:0 12px 2px}} +a img,abbr,fieldset{border:0}#logo,h1,h2{padding:0 0 7px}#logo a,.form-table th p,h1,h2{font-weight:400}html{background:#f1f1f1;margin:0 20px}body{background:#fff;color:#444;font-family:"Open Sans",sans-serif;margin:140px auto 25px;padding:20px 20px 10px;max-width: 70%;-webkit-font-smoothing:subpixel-antialiased;-webkit-box-shadow:0 1px 3px rgba(0,0,0,.13);box-shadow:0 1px 3px rgba(0,0,0,.13)}a{color:#0073aa}a:active,a:hover{color:#00a0d2}a:focus{color:#124964;-webkit-box-shadow:0 0 0 1px #5b9dd9,0 0 2px 1px rgba(30,140,190,.8);box-shadow:0 0 0 1px #5b9dd9,0 0 2px 1px rgba(30,140,190,.8)}.ie8 a:focus{outline:#5b9dd9 solid 1px}h1,h2{border-bottom:1px solid #dedede;clear:both;color:#666;font-size:24px}h3{font-size:16px}dd,dt,li,p{padding-bottom:2px;font-size:14px;line-height:1.5}.code,code{font-family:Consolas,Monaco,monospace}input,submit,textarea{font-family:"Open Sans",sans-serif}dl,ol,ul{padding:5px 5px 5px 22px}abbr{font-variant:normal}fieldset{padding:0;margin:0}label{cursor:pointer}#logo{margin:6px 0 14px;border-bottom:none;text-align:center}#logo a{background-image:url(images/w-logo-blue.png?ver=20131202);background-image:none,url(images/wordpress-logo.svg?ver=20131107);-webkit-background-size:84px;background-size:84px;background-position:center top;background-repeat:no-repeat;color:#999;height:84px;font-size:20px;line-height:1.3em;margin:-130px auto 25px;padding:0;text-decoration:none;width:84px;text-indent:-9999px;outline:0;overflow:hidden;display:block}#pass1-text,.pw-weak,.show-password #pass1{display:none}#logo a:focus{-webkit-box-shadow:none;box-shadow:none}.step{margin:20px 0 15px}.step,th{text-align:left;padding:0}.language-chooser.wp-core-ui .step .button.button-large{height:36px;vertical-align:middle;font-size:14px}.form-table td,.form-table th{padding:10px 20px 10px 0;vertical-align:top;font-size:14px}textarea{border:1px solid #dfdfdf;width:100%;-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}.form-table{border-collapse:collapse;margin-top:1em;width:100%}.form-table td{margin-bottom:9px}.form-table th{text-align:left;width:140px}.form-table code{line-height:18px;font-size:14px}.form-table p{margin:4px 0 0;font-size:11px}.form-table input{line-height:20px;font-size:15px;padding:3px 5px;border:1px solid #ddd;-webkit-box-shadow:inset 0 1px 2px rgba(0,0,0,.07);box-shadow:inset 0 1px 2px rgba(0,0,0,.07)}.form-table input[type=email],.form-table input[type=password],.form-table input[type=text],.form-table input[type=url]{width:206px}.form-table.install-success td,.form-table.install-success th{vertical-align:middle;padding:16px 20px 16px 0}.form-table.install-success td p{margin:0;font-size:14px}.form-table.install-success td code{margin:0;font-size:18px}#error-page{margin-top:50px}#error-page p{font-size:14px;line-height:18px;margin:25px 0 20px}#error-page code,.code{font-family:Consolas,Monaco,monospace}.wp-hide-pw>.dashicons{line-height:inherit}#pass-strength-result{background-color:#eee;border:1px solid #ddd;color:#23282d;margin:-2px 5px 5px 0;padding:3px 5px;text-align:center;width:218px;-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;opacity:0}#pass-strength-result.short{background-color:#f1adad;border-color:#e35b5b;opacity:1}#pass-strength-result.bad{background-color:#fbc5a9;border-color:#f78b53;opacity:1}#pass-strength-result.good{background-color:#ffe399;border-color:#ffc733;opacity:1}#pass-strength-result.strong{background-color:#c1e1b9;border-color:#83c373;opacity:1}#pass1-text.short,#pass1.short{border-color:#e35b5b}#pass1-text.bad,#pass1.bad{border-color:#f78b53}#pass1-text.good,#pass1.good{border-color:#ffc733}#pass1-text.strong,#pass1.strong{border-color:#83c373}.message{border:1px solid #c00;padding:.5em .7em;margin:5px 0 15px;background-color:#ffebe8}#admin_email,#dbhost,#dbname,#pass1,#pass2,#prefix,#pwd,#uname,#user_login{direction:ltr}.show-password #pass1-text{display:inline-block}.form-table span.description.important{font-size:12px}.rtl input,.rtl submit,.rtl textarea,body.rtl{font-family:Tahoma,sans-serif}.language-chooser select,:lang(he-il) .rtl input,:lang(he-il) .rtl submit,:lang(he-il) .rtl textarea,:lang(he-il) body.rtl{font-family:Arial,sans-serif}@media only screen and (max-width:799px){body{margin-top:115px}#logo a{margin:-125px auto 30px}}@media screen and (max-width:782px){.form-table{margin-top:0}.form-table td,.form-table th{display:block;width:auto;vertical-align:middle}.form-table th{padding:20px 0 0}.form-table td{padding:5px 0;border:0;margin:0}input,textarea{font-size:16px}.form-table span.description,.form-table td input[type=text],.form-table td input[type=email],.form-table td input[type=url],.form-table td input[type=password],.form-table td select,.form-table td textarea{width:100%;font-size:16px;line-height:1.5;padding:7px 10px;display:block;max-width:none;-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}}body.language-chooser{max-width:300px}.language-chooser select{padding:8px;width:100%;display:block;border:1px solid #ddd;background-color:#fff;color:#32373c;font-size:16px;font-weight:400}.language-chooser p{text-align:right}.screen-reader-input,.screen-reader-text{position:absolute;margin:-1px;padding:0;height:1px;width:1px;overflow:hidden;clip:rect(0 0 0 0);border:0}.spinner{background:url(images/spinner.gif) no-repeat;-webkit-background-size:20px 20px;background-size:20px 20px;visibility:hidden;opacity:.7;filter:alpha(opacity=70);width:20px;height:20px;margin:2px 5px 0}.step .spinner{display:inline-block;margin-top:8px;margin-right:15px;vertical-align:top}.button-secondary.hide-if-no-js,.hide-if-no-js{display:none}@media print,(-webkit-min-device-pixel-ratio:1.25),(min-resolution:120dpi){.spinner{background-image:url(images/spinner-2x.gif)}} diff --git a/public/lb-faveo/installer/css/style.css b/public/lb-faveo/installer/css/style.css new file mode 100644 index 000000000..c74f8181b --- /dev/null +++ b/public/lb-faveo/installer/css/style.css @@ -0,0 +1,114 @@ +.modalDialog { + position: fixed; + font-family: Arial, Helvetica, sans-serif; + top: 0; + right: 0; + bottom: 0; + left: 0; + background: rgba(0, 0, 0, 0.8); + z-index: 99999; + opacity: 0; + -webkit-transition: opacity 400ms ease-in; + -moz-transition: opacity 400ms ease-in; + transition: opacity 400ms ease-in; + pointer-events: none; + overflow-y: scroll; +} +.modalDialog:target { + opacity: 1; + pointer-events: auto; +} +.modal-body { + overflow-y: scroll; + height: 500px; +} +.modalDialog > div { + width: 60%; + position: relative; + margin: 20px auto; + padding: 5px 20px 13px 20px; + border-radius: 10px; + background: #fff; + background: -moz-linear-gradient(#fff); + background: -webkit-linear-gradient(#fff); + background: -o-linear-gradient(#fff); +} +.close { + background: #606061; + color: #FFFFFF; + line-height: 25px; + position: absolute; + right: -12px; + text-align: center; + top: -10px; + width: 24px; + text-decoration: none; + font-weight: bold; + -webkit-border-radius: 12px; + -moz-border-radius: 12px; + border-radius: 12px; + -moz-box-shadow: 1px 1px 3px #000; + -webkit-box-shadow: 1px 1px 3px #000; + box-shadow: 1px 1px 3px #000; +} +.close:hover { + background: #00d9ff; +} +/*For gradient background */ + +/*Use only this id inorder to bring the gradient effect for future purpose*/ + +/*UI Developer- Karthik Sengottaian*/ + + + +#gradient { + width: 100%; + height: 100%; + padding: 0px; + margin: 0px; +} +.ok { + color: #4cae4c; + + text-align: center; +} +.error { + color: #d43f3a; + + text-align: center; +} +.warning { + color: #eea236; + + text-align: center; +} +a{ + text-decoration: none; +} +/*For gradient background */ + + +/*--Tool Tip-- */ + +a.tooltip {outline:none; } +a.tooltip strong {line-height:30px;} +a.tooltip:hover {text-decoration:none;} +a.tooltip span { + z-index:10;display:none; padding:14px 20px; + margin-top:-30px; margin-left:28px; + width:300px; line-height:16px; +} +a.tooltip:hover span{ + display:inline; position:absolute; color:#111; + border:1px solid #DCA; background:#fffAF0;} +.callout {z-index:20;position:absolute;top:30px;border:0;left:-12px;} + +/*CSS3 extras*/ +a.tooltip span +{ + border-radius:4px; + box-shadow: 5px 5px 8px #CCC; +} + +/*--Tool Tip-- */ \ No newline at end of file diff --git a/public/lb-faveo/installer/css/wc-setup.css b/public/lb-faveo/installer/css/wc-setup.css index cc5d78459..97757dcde 100644 --- a/public/lb-faveo/installer/css/wc-setup.css +++ b/public/lb-faveo/installer/css/wc-setup.css @@ -1 +1 @@ -.wc-setup-content p,.wc-setup-content table{font-size:1em;line-height:1.75em;color:#666}body{margin:60px auto 24px;box-shadow:none;background:#f1f1f1;padding:0}#wc-logo{border:0;margin:0 0 24px;padding:0;text-align:center}#wc-logo img{max-width:50%}.wc-setup-content{box-shadow:0 1px 3px rgba(0,0,0,.13);padding:24px 24px 0;background:#fff;overflow:hidden;zoom:1}.wc-setup-content h1,.wc-setup-content h2,.wc-setup-content h3,.wc-setup-content table{margin:0 0 24px;border:0;padding:0;color:#666;clear:none}.wc-setup-content p{margin:0 0 24px}.wc-setup-content a{color:#a16696}.wc-setup-content a:focus,.wc-setup-content a:hover{color:#111}.wc-setup-content .form-table th{width:35%;vertical-align:top;font-weight:400}.wc-setup-content .form-table td{vertical-align:top}.wc-setup-content .form-table td input,.wc-setup-content .form-table td select{width:100%;box-sizing:border-box}.wc-setup-content .form-table td input[size]{width:auto}.wc-setup-content .form-table td .description{line-height:1.5em;display:block;margin-top:.25em;color:#999;font-style:italic}.wc-setup-content .form-table td .input-checkbox,.wc-setup-content .form-table td .input-radio{width:auto;box-sizing:inherit;padding:inherit;margin:0 .5em 0 0;box-shadow:none}.wc-setup-content .form-table .section_title td{padding:0}.wc-setup-content .form-table .section_title td h2,.wc-setup-content .form-table .section_title td p{margin:12px 0 0}.wc-setup-content .form-table td,.wc-setup-content .form-table th{padding:12px 0;margin:0;border:0}.wc-setup-content .form-table td:first-child,.wc-setup-content .form-table th:first-child{padding-right:1em}.wc-setup-content .form-table table.tax-rates{width:100%;font-size:.92em}.wc-setup-content .form-table table.tax-rates th{padding:0;text-align:center;width:auto;vertical-align:middle}.wc-setup-content .form-table table.tax-rates td{border:1px solid #eee;padding:6px;text-align:center;vertical-align:middle}.wc-setup-content .form-table table.tax-rates td input{outline:0;border:0;padding:0;box-shadow:none;text-align:center}.wc-setup-content .form-table table.tax-rates td.sort{cursor:move;color:#ccc}.wc-setup-content .form-table table.tax-rates td.sort:before{content:"\f333";font-family:dashicons}.wc-setup-content .form-table table.tax-rates .add{padding:1em 0 0 1em;line-height:1em;font-size:1em;width:0;margin:6px 0 0;height:0;overflow:hidden;position:relative;display:inline-block}.wc-setup-content .form-table table.tax-rates .add:before{content:"\f502";font-family:dashicons;position:absolute;left:0;top:0}.wc-setup-content .form-table table.tax-rates .remove{padding:1em 0 0 1em;line-height:1em;font-size:1em;width:0;margin:0;height:0;overflow:hidden;position:relative;display:inline-block}.wc-setup-content .form-table table.tax-rates .remove:before{content:"\f182";font-family:dashicons;position:absolute;left:0;top:0}.wc-setup-content .wc-setup-pages{width:100%;border-top:1px solid #eee}.wc-setup-content .wc-setup-pages thead th{display:none}.wc-setup-content .wc-setup-pages .page-name{width:30%;font-weight:700}.wc-setup-content .wc-setup-pages td,.wc-setup-content .wc-setup-pages th{padding:14px 0;border-bottom:1px solid #eee}.wc-setup-content .wc-setup-pages td:first-child,.wc-setup-content .wc-setup-pages th:first-child{padding-right:9px}.wc-setup-content .wc-setup-pages th{padding-top:0}.wc-setup-content .wc-setup-pages .page-options p{color:#777;margin:6px 0 0 24px;line-height:1.75em}.wc-setup-content .wc-setup-pages .page-options p input{vertical-align:middle;margin:1px 0 0;height:1.75em;width:1.75em;line-height:1.75em}.wc-setup-content .wc-setup-pages .page-options p label{line-height:1}@media screen and (max-width:782px){.wc-setup-content .form-table tbody th{width:auto}}.wc-setup-content .twitter-share-button{float:right}.wc-setup-content .wc-setup-next-steps{overflow:hidden;margin:0 0 24px}.wc-setup-content .wc-setup-next-steps h2{margin-bottom:12px}.wc-setup-content .wc-setup-next-steps .wc-setup-next-steps-first{float:left;width:50%;box-sizing:border-box}.wc-setup-content .wc-setup-next-steps .wc-setup-next-steps-last{float:right;width:50%;box-sizing:border-box}.wc-setup-content .wc-setup-next-steps ul{padding:0 2em 0 0;list-style:none;margin:0 0 -.75em}.wc-setup-content .wc-setup-next-steps ul li a{display:block;padding:0 0 .75em}.wc-setup-content .wc-setup-next-steps ul .setup-product a{background-color:#a16696;border-color:#a16696;-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.2),0 1px 0 rgba(0,0,0,.15);box-shadow:inset 0 1px 0 rgba(255,255,255,.2),0 1px 0 rgba(0,0,0,.15);font-size:1em;height:auto;line-height:1.75em;margin:0 0 .75em;opacity:1;padding:1em;text-align:center;text-shadow:0 -1px 1px #8a4f7f,1px 0 1px #8a4f7f,0 1px 1px #8a4f7f,-1px 0 1px #8a4f7f}.wc-setup-content .wc-setup-next-steps ul li a:before{color:#82878c;font:400 20px/1 dashicons;speak:none;display:inline-block;padding:0 10px 0 0;top:1px;position:relative;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale;text-decoration:none!important;vertical-align:top}.wc-setup-content .wc-setup-next-steps ul .learn-more a:before{content:"\f105"}.wc-setup-content .wc-setup-next-steps ul .video-walkthrough a:before{content:"\f126"}.wc-setup-content .wc-setup-next-steps ul .sidekick a:before{content:"\f118"}.wc-setup-content .wc-setup-next-steps ul .newsletter a:before{content:"\f465"}.wc-setup-content .updated,.wc-setup-content .woocommerce-language-pack,.wc-setup-content .woocommerce-tracker{padding:24px 24px 0;margin:0 0 24px;overflow:hidden;background:#f5f5f5}.wc-setup-content .updated p,.wc-setup-content .woocommerce-language-pack p,.wc-setup-content .woocommerce-tracker p{padding:0;margin:0 0 12px}.wc-setup-content .updated p:last-child,.wc-setup-content .woocommerce-language-pack p:last-child,.wc-setup-content .woocommerce-tracker p:last-child{margin:0 0 24px}.wc-setup-steps{padding:0 0 24px;margin:0;list-style:none;overflow:hidden;color:#ccc;width:100%;display:-webkit-inline-flex;display:-ms-inline-flexbox;display:inline-flex}.wc-setup-steps li{width:20%;float:left;padding:0 0 .8em;margin:0;text-align:center;position:relative;border-bottom:4px solid #ccc;line-height:1.4em}.wc-setup-steps li:before{content:"";border:4px solid #ccc;border-radius:100%;width:4px;height:4px;position:absolute;bottom:0;left:50%;margin-left:-6px;margin-bottom:-8px;background:#fff}.wc-setup-steps li.active{border-color:#a16696;color:#a16696}.wc-setup-steps li.active:before{border-color:#a16696}.wc-setup-steps li.done{border-color:#a16696;color:#a16696}.wc-setup-steps li.done:before{border-color:#a16696;background:#a16696}.wc-setup .wc-setup-actions{overflow:hidden}.wc-setup .wc-setup-actions .button{float:right;font-size:1.25em;padding:.5em 1em;line-height:1em;margin-right:.5em;height:auto}.wc-setup .wc-setup-actions .button-primary{background-color:#a16696;border-color:#a16696;-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.2),0 1px 0 rgba(0,0,0,.15);box-shadow:inset 0 1px 0 rgba(255,255,255,.2),0 1px 0 rgba(0,0,0,.15);float:right;margin:0;opacity:1;text-shadow:0 -1px 1px #8a4f7f,1px 0 1px #8a4f7f,0 1px 1px #8a4f7f,-1px 0 1px #8a4f7f}.wc-return-to-dashboard{font-size:.85em;color:#b5b5b5;margin:1.18em 0;display:block;text-align:center} \ No newline at end of file +.wc-setup-content p,.wc-setup-content table{font-size:1em;line-height:1.75em;color:#666}body{margin: 50px auto 24px;box-shadow:none;background:#f1f1f1;padding:0}#wc-logo{/* top: 9px; */border:0;margin: 0 0 0px;padding:0;text-align:center}#wc-logo img{max-width:50%}.wc-setup-content{box-shadow:0 1px 3px rgba(0,0,0,.13);padding:24px 24px 0;background:#fff;overflow:hidden;zoom:1}.wc-setup-content h1,.wc-setup-content h2,.wc-setup-content h3,.wc-setup-content table{margin:0 0 24px;border:0;padding:0;color:#666;clear:none}.wc-setup-content p{margin:0 0 24px}.wc-setup-content a{color:#3AA7D9}.wc-setup-content a:focus,.wc-setup-content a:hover{color:#111}.wc-setup-content .form-table th{width:35%;vertical-align:top;font-weight:400}.wc-setup-content .form-table td{vertical-align:top}.wc-setup-content .form-table td input,.wc-setup-content .form-table td select{width:100%;box-sizing:border-box}.wc-setup-content .form-table td input[size]{width:auto}.wc-setup-content .form-table td .description{line-height:1.5em;display:block;margin-top:.25em;color:#999;font-style:italic}.wc-setup-content .form-table td .input-checkbox,.wc-setup-content .form-table td .input-radio{width:auto;box-sizing:inherit;padding:inherit;margin:0 .5em 0 0;box-shadow:none}.wc-setup-content .form-table .section_title td{padding:0}.wc-setup-content .form-table .section_title td h2,.wc-setup-content .form-table .section_title td p{margin:12px 0 0}.wc-setup-content .form-table td,.wc-setup-content .form-table th{padding:12px 0;margin:0;border:0}.wc-setup-content .form-table td:first-child,.wc-setup-content .form-table th:first-child{padding-right:1em}.wc-setup-content .form-table table.tax-rates{width:100%;font-size:.92em}.wc-setup-content .form-table table.tax-rates th{padding:0;text-align:center;width:auto;vertical-align:middle}.wc-setup-content .form-table table.tax-rates td{border:1px solid #eee;padding:6px;text-align:center;vertical-align:middle}.wc-setup-content .form-table table.tax-rates td input{outline:0;border:0;padding:0;box-shadow:none;text-align:center}.wc-setup-content .form-table table.tax-rates td.sort{cursor:move;color:#ccc}.wc-setup-content .form-table table.tax-rates td.sort:before{content:"\f333";font-family:dashicons}.wc-setup-content .form-table table.tax-rates .add{padding:1em 0 0 1em;line-height:1em;font-size:1em;width:0;margin:6px 0 0;height:0;overflow:hidden;position:relative;display:inline-block}.wc-setup-content .form-table table.tax-rates .add:before{content:"\f502";font-family:dashicons;position:absolute;left:0;top:0}.wc-setup-content .form-table table.tax-rates .remove{padding:1em 0 0 1em;line-height:1em;font-size:1em;width:0;margin:0;height:0;overflow:hidden;position:relative;display:inline-block}.wc-setup-content .form-table table.tax-rates .remove:before{content:"\f182";font-family:dashicons;position:absolute;left:0;top:0}.wc-setup-content .wc-setup-pages{width:100%;border-top:1px solid #eee}.wc-setup-content .wc-setup-pages thead th{display:none}.wc-setup-content .wc-setup-pages .page-name{width:30%;font-weight:700}.wc-setup-content .wc-setup-pages td,.wc-setup-content .wc-setup-pages th{padding:14px 0;border-bottom:1px solid #eee}.wc-setup-content .wc-setup-pages td:first-child,.wc-setup-content .wc-setup-pages th:first-child{padding-right:9px}.wc-setup-content .wc-setup-pages th{padding-top:0}.wc-setup-content .wc-setup-pages .page-options p{color:#777;margin:6px 0 0 24px;line-height:1.75em}.wc-setup-content .wc-setup-pages .page-options p input{vertical-align:middle;margin:1px 0 0;height:1.75em;width:1.75em;line-height:1.75em}.wc-setup-content .wc-setup-pages .page-options p label{line-height:1}@media screen and (max-width:782px){.wc-setup-content .form-table tbody th{width:auto}}.wc-setup-content .twitter-share-button{float:right}.wc-setup-content .wc-setup-next-steps{overflow:hidden;margin:0 0 24px}.wc-setup-content .wc-setup-next-steps h2{margin-bottom:12px}.wc-setup-content .wc-setup-next-steps .wc-setup-next-steps-first{float:left;width:50%;box-sizing:border-box}.wc-setup-content .wc-setup-next-steps .wc-setup-next-steps-last{float:right;width:50%;box-sizing:border-box}.wc-setup-content .wc-setup-next-steps ul{padding:0 2em 0 0;list-style:none;margin:0 0 -.75em}.wc-setup-content .wc-setup-next-steps ul li a{display:block;padding:0 0 .75em}.wc-setup-content .wc-setup-next-steps ul .setup-product a{background-color:#3AA7D9;border-color:#3AA7D9;-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.2),0 1px 0 rgba(0,0,0,.15);box-shadow:inset 0 1px 0 rgba(255,255,255,.2),0 1px 0 rgba(0,0,0,.15);font-size:1em;height:auto;line-height:1.75em;margin:0 0 .75em;opacity:1;padding:1em;text-align:center;/* text-shadow:0 -1px 1px #8a4f7f,1px 0 1px #8a4f7f,0 1px 1px #8a4f7f,-1px 0 1px #8a4f7f */color: aliceblue;}.wc-setup-content .wc-setup-next-steps ul li a:before{color:#82878c;font:400 20px/1 dashicons;speak:none;display:inline-block;padding:0 10px 0 0;top:1px;position:relative;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale;text-decoration:none!important;vertical-align:top}.wc-setup-content .wc-setup-next-steps ul .learn-more a:before{content:"\f105"}.wc-setup-content .wc-setup-next-steps ul .video-walkthrough a:before{content:"\f126"}.wc-setup-content .wc-setup-next-steps ul .sidekick a:before{content:"\f118"}.wc-setup-content .wc-setup-next-steps ul .newsletter a:before{content:"\f465"}.wc-setup-content .updated,.wc-setup-content .woocommerce-language-pack,.wc-setup-content .woocommerce-tracker{padding:24px 24px 0;margin:0 0 24px;overflow:hidden;background:#f5f5f5}.wc-setup-content .updated p,.wc-setup-content .woocommerce-language-pack p,.wc-setup-content .woocommerce-tracker p{padding:0;margin:0 0 12px}.wc-setup-content .updated p:last-child,.wc-setup-content .woocommerce-language-pack p:last-child,.wc-setup-content .woocommerce-tracker p:last-child{margin:0 0 24px}.wc-setup-steps{padding:0 0 24px;margin:0;list-style:none;overflow:hidden;color:#ccc;width:100%;display:-webkit-inline-flex;display:-ms-inline-flexbox;display:inline-flex}.wc-setup-steps li{width:20%;float:left;padding:0 0 .8em;margin:0;text-align:center;position:relative;border-bottom:4px solid #ccc;line-height:1.4em}.wc-setup-steps li:before{content:"";border:4px solid #ccc;border-radius:100%;width:4px;height:4px;position:absolute;bottom:0;left:50%;margin-left:-6px;margin-bottom:-8px;background:#fff}.wc-setup-steps li.active{border-color:#3AA7D9;color:#3AA7D9}.wc-setup-steps li.active:before{border-color:#3AA7D9}.wc-setup-steps li.done{border-color:#3AA7D9;color:#3AA7D9}.wc-setup-steps li.done:before{border-color:#3AA7D9;background:#3AA7D9}.wc-setup .wc-setup-actions{overflow:hidden}.wc-setup .wc-setup-actions .button{float:right;font-size:1.25em;padding:.5em 1em;line-height:1em;margin-right:.5em;height:auto}.wc-setup .wc-setup-actions .button-primary{background-color:#3AA7D9;border-color:#3AA7D9;-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.2),0 1px 0 rgba(0,0,0,.15);box-shadow:inset 0 1px 0 rgba(255,255,255,.2),0 1px 0 rgba(0,0,0,.15);float:right;margin:0;opacity:1;/*text-shadow:0 -1px 1px #8a4f7f,1px 0 1px #8a4f7f,0 1px 1px #8a4f7f,-1px 0 1px #8a4f7f*/}.wc-return-to-dashboard{font-size:.85em;color:#b5b5b5;margin:1.18em 0;display:block;text-align:center} \ No newline at end of file diff --git a/public/lb-faveo/installer/js/.DS_Store b/public/lb-faveo/installer/js/.DS_Store new file mode 100644 index 000000000..6630b745f Binary files /dev/null and b/public/lb-faveo/installer/js/.DS_Store differ diff --git a/public/lb-faveo/installer/js/bootstrap-datepicker.js b/public/lb-faveo/installer/js/bootstrap-datepicker.js new file mode 100644 index 000000000..f17de6d1c --- /dev/null +++ b/public/lb-faveo/installer/js/bootstrap-datepicker.js @@ -0,0 +1,1671 @@ +/* ========================================================= + * bootstrap-datepicker.js + * Repo: https://github.com/eternicode/bootstrap-datepicker/ + * Demo: http://eternicode.github.io/bootstrap-datepicker/ + * Docs: http://bootstrap-datepicker.readthedocs.org/ + * Forked from http://www.eyecon.ro/bootstrap-datepicker + * ========================================================= + * Started by Stefan Petre; improvements by Andrew Rowls + contributors + * + * 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. + * ========================================================= */ + +(function($, undefined){ + + var $window = $(window); + + function UTCDate(){ + return new Date(Date.UTC.apply(Date, arguments)); + } + function UTCToday(){ + var today = new Date(); + return UTCDate(today.getFullYear(), today.getMonth(), today.getDate()); + } + function alias(method){ + return function(){ + return this[method].apply(this, arguments); + }; + } + + var DateArray = (function(){ + var extras = { + get: function(i){ + return this.slice(i)[0]; + }, + contains: function(d){ + // Array.indexOf is not cross-browser; + // $.inArray doesn't work with Dates + var val = d && d.valueOf(); + for (var i=0, l=this.length; i < l; i++) + if (this[i].valueOf() === val) + return i; + return -1; + }, + remove: function(i){ + this.splice(i,1); + }, + replace: function(new_array){ + if (!new_array) + return; + if (!$.isArray(new_array)) + new_array = [new_array]; + this.clear(); + this.push.apply(this, new_array); + }, + clear: function(){ + this.splice(0); + }, + copy: function(){ + var a = new DateArray(); + a.replace(this); + return a; + } + }; + + return function(){ + var a = []; + a.push.apply(a, arguments); + $.extend(a, extras); + return a; + }; + })(); + + + // Picker object + + var Datepicker = function(element, options){ + this.dates = new DateArray(); + this.viewDate = UTCToday(); + this.focusDate = null; + + this._process_options(options); + + this.element = $(element); + this.isInline = false; + this.isInput = this.element.is('input'); + this.component = this.element.is('.date') ? this.element.find('.add-on, .input-group-addon, .btn') : false; + this.hasInput = this.component && this.element.find('input').length; + if (this.component && this.component.length === 0) + this.component = false; + + this.picker = $(DPGlobal.template); + this._buildEvents(); + this._attachEvents(); + + if (this.isInline){ + this.picker.addClass('datepicker-inline').appendTo(this.element); + } + else { + this.picker.addClass('datepicker-dropdown dropdown-menu'); + } + + if (this.o.rtl){ + this.picker.addClass('datepicker-rtl'); + } + + this.viewMode = this.o.startView; + + if (this.o.calendarWeeks) + this.picker.find('tfoot th.today') + .attr('colspan', function(i, val){ + return parseInt(val) + 1; + }); + + this._allow_update = false; + + this.setStartDate(this._o.startDate); + this.setEndDate(this._o.endDate); + this.setDaysOfWeekDisabled(this.o.daysOfWeekDisabled); + + this.fillDow(); + this.fillMonths(); + + this._allow_update = true; + + this.update(); + this.showMode(); + + if (this.isInline){ + this.show(); + } + }; + + Datepicker.prototype = { + constructor: Datepicker, + + _process_options: function(opts){ + // Store raw options for reference + this._o = $.extend({}, this._o, opts); + // Processed options + var o = this.o = $.extend({}, this._o); + + // Check if "de-DE" style date is available, if not language should + // fallback to 2 letter code eg "de" + var lang = o.language; + if (!dates[lang]){ + lang = lang.split('-')[0]; + if (!dates[lang]) + lang = defaults.language; + } + o.language = lang; + + switch (o.startView){ + case 2: + case 'decade': + o.startView = 2; + break; + case 1: + case 'year': + o.startView = 1; + break; + default: + o.startView = 0; + } + + switch (o.minViewMode){ + case 1: + case 'months': + o.minViewMode = 1; + break; + case 2: + case 'years': + o.minViewMode = 2; + break; + default: + o.minViewMode = 0; + } + + o.startView = Math.max(o.startView, o.minViewMode); + + // true, false, or Number > 0 + if (o.multidate !== true){ + o.multidate = Number(o.multidate) || false; + if (o.multidate !== false) + o.multidate = Math.max(0, o.multidate); + else + o.multidate = 1; + } + o.multidateSeparator = String(o.multidateSeparator); + + o.weekStart %= 7; + o.weekEnd = ((o.weekStart + 6) % 7); + + var format = DPGlobal.parseFormat(o.format); + if (o.startDate !== -Infinity){ + if (!!o.startDate){ + if (o.startDate instanceof Date) + o.startDate = this._local_to_utc(this._zero_time(o.startDate)); + else + o.startDate = DPGlobal.parseDate(o.startDate, format, o.language); + } + else { + o.startDate = -Infinity; + } + } + if (o.endDate !== Infinity){ + if (!!o.endDate){ + if (o.endDate instanceof Date) + o.endDate = this._local_to_utc(this._zero_time(o.endDate)); + else + o.endDate = DPGlobal.parseDate(o.endDate, format, o.language); + } + else { + o.endDate = Infinity; + } + } + + o.daysOfWeekDisabled = o.daysOfWeekDisabled||[]; + if (!$.isArray(o.daysOfWeekDisabled)) + o.daysOfWeekDisabled = o.daysOfWeekDisabled.split(/[,\s]*/); + o.daysOfWeekDisabled = $.map(o.daysOfWeekDisabled, function(d){ + return parseInt(d, 10); + }); + + var plc = String(o.orientation).toLowerCase().split(/\s+/g), + _plc = o.orientation.toLowerCase(); + plc = $.grep(plc, function(word){ + return (/^auto|left|right|top|bottom$/).test(word); + }); + o.orientation = {x: 'auto', y: 'auto'}; + if (!_plc || _plc === 'auto') + ; // no action + else if (plc.length === 1){ + switch (plc[0]){ + case 'top': + case 'bottom': + o.orientation.y = plc[0]; + break; + case 'left': + case 'right': + o.orientation.x = plc[0]; + break; + } + } + else { + _plc = $.grep(plc, function(word){ + return (/^left|right$/).test(word); + }); + o.orientation.x = _plc[0] || 'auto'; + + _plc = $.grep(plc, function(word){ + return (/^top|bottom$/).test(word); + }); + o.orientation.y = _plc[0] || 'auto'; + } + }, + _events: [], + _secondaryEvents: [], + _applyEvents: function(evs){ + for (var i=0, el, ch, ev; i < evs.length; i++){ + el = evs[i][0]; + if (evs[i].length === 2){ + ch = undefined; + ev = evs[i][1]; + } + else if (evs[i].length === 3){ + ch = evs[i][1]; + ev = evs[i][2]; + } + el.on(ev, ch); + } + }, + _unapplyEvents: function(evs){ + for (var i=0, el, ev, ch; i < evs.length; i++){ + el = evs[i][0]; + if (evs[i].length === 2){ + ch = undefined; + ev = evs[i][1]; + } + else if (evs[i].length === 3){ + ch = evs[i][1]; + ev = evs[i][2]; + } + el.off(ev, ch); + } + }, + _buildEvents: function(){ + if (this.isInput){ // single input + this._events = [ + [this.element, { + focus: $.proxy(this.show, this), + keyup: $.proxy(function(e){ + if ($.inArray(e.keyCode, [27,37,39,38,40,32,13,9]) === -1) + this.update(); + }, this), + keydown: $.proxy(this.keydown, this) + }] + ]; + } + else if (this.component && this.hasInput){ // component: input + button + this._events = [ + // For components that are not readonly, allow keyboard nav + [this.element.find('input'), { + focus: $.proxy(this.show, this), + keyup: $.proxy(function(e){ + if ($.inArray(e.keyCode, [27,37,39,38,40,32,13,9]) === -1) + this.update(); + }, this), + keydown: $.proxy(this.keydown, this) + }], + [this.component, { + click: $.proxy(this.show, this) + }] + ]; + } + else if (this.element.is('div')){ // inline datepicker + this.isInline = true; + } + else { + this._events = [ + [this.element, { + click: $.proxy(this.show, this) + }] + ]; + } + this._events.push( + // Component: listen for blur on element descendants + [this.element, '*', { + blur: $.proxy(function(e){ + this._focused_from = e.target; + }, this) + }], + // Input: listen for blur on element + [this.element, { + blur: $.proxy(function(e){ + this._focused_from = e.target; + }, this) + }] + ); + + this._secondaryEvents = [ + [this.picker, { + click: $.proxy(this.click, this) + }], + [$(window), { + resize: $.proxy(this.place, this) + }], + [$(document), { + 'mousedown touchstart': $.proxy(function(e){ + // Clicked outside the datepicker, hide it + if (!( + this.element.is(e.target) || + this.element.find(e.target).length || + this.picker.is(e.target) || + this.picker.find(e.target).length + )){ + this.hide(); + } + }, this) + }] + ]; + }, + _attachEvents: function(){ + this._detachEvents(); + this._applyEvents(this._events); + }, + _detachEvents: function(){ + this._unapplyEvents(this._events); + }, + _attachSecondaryEvents: function(){ + this._detachSecondaryEvents(); + this._applyEvents(this._secondaryEvents); + }, + _detachSecondaryEvents: function(){ + this._unapplyEvents(this._secondaryEvents); + }, + _trigger: function(event, altdate){ + var date = altdate || this.dates.get(-1), + local_date = this._utc_to_local(date); + + this.element.trigger({ + type: event, + date: local_date, + dates: $.map(this.dates, this._utc_to_local), + format: $.proxy(function(ix, format){ + if (arguments.length === 0){ + ix = this.dates.length - 1; + format = this.o.format; + } + else if (typeof ix === 'string'){ + format = ix; + ix = this.dates.length - 1; + } + format = format || this.o.format; + var date = this.dates.get(ix); + return DPGlobal.formatDate(date, format, this.o.language); + }, this) + }); + }, + + show: function(){ + if (!this.isInline) + this.picker.appendTo('body'); + this.picker.show(); + this.place(); + this._attachSecondaryEvents(); + this._trigger('show'); + }, + + hide: function(){ + if (this.isInline) + return; + if (!this.picker.is(':visible')) + return; + this.focusDate = null; + this.picker.hide().detach(); + this._detachSecondaryEvents(); + this.viewMode = this.o.startView; + this.showMode(); + + if ( + this.o.forceParse && + ( + this.isInput && this.element.val() || + this.hasInput && this.element.find('input').val() + ) + ) + this.setValue(); + this._trigger('hide'); + }, + + remove: function(){ + this.hide(); + this._detachEvents(); + this._detachSecondaryEvents(); + this.picker.remove(); + delete this.element.data().datepicker; + if (!this.isInput){ + delete this.element.data().date; + } + }, + + _utc_to_local: function(utc){ + return utc && new Date(utc.getTime() + (utc.getTimezoneOffset()*60000)); + }, + _local_to_utc: function(local){ + return local && new Date(local.getTime() - (local.getTimezoneOffset()*60000)); + }, + _zero_time: function(local){ + return local && new Date(local.getFullYear(), local.getMonth(), local.getDate()); + }, + _zero_utc_time: function(utc){ + return utc && new Date(Date.UTC(utc.getUTCFullYear(), utc.getUTCMonth(), utc.getUTCDate())); + }, + + getDates: function(){ + return $.map(this.dates, this._utc_to_local); + }, + + getUTCDates: function(){ + return $.map(this.dates, function(d){ + return new Date(d); + }); + }, + + getDate: function(){ + return this._utc_to_local(this.getUTCDate()); + }, + + getUTCDate: function(){ + return new Date(this.dates.get(-1)); + }, + + setDates: function(){ + var args = $.isArray(arguments[0]) ? arguments[0] : arguments; + this.update.apply(this, args); + this._trigger('changeDate'); + this.setValue(); + }, + + setUTCDates: function(){ + var args = $.isArray(arguments[0]) ? arguments[0] : arguments; + this.update.apply(this, $.map(args, this._utc_to_local)); + this._trigger('changeDate'); + this.setValue(); + }, + + setDate: alias('setDates'), + setUTCDate: alias('setUTCDates'), + + setValue: function(){ + var formatted = this.getFormattedDate(); + if (!this.isInput){ + if (this.component){ + this.element.find('input').val(formatted).change(); + } + } + else { + this.element.val(formatted).change(); + } + }, + + getFormattedDate: function(format){ + if (format === undefined) + format = this.o.format; + + var lang = this.o.language; + return $.map(this.dates, function(d){ + return DPGlobal.formatDate(d, format, lang); + }).join(this.o.multidateSeparator); + }, + + setStartDate: function(startDate){ + this._process_options({startDate: startDate}); + this.update(); + this.updateNavArrows(); + }, + + setEndDate: function(endDate){ + this._process_options({endDate: endDate}); + this.update(); + this.updateNavArrows(); + }, + + setDaysOfWeekDisabled: function(daysOfWeekDisabled){ + this._process_options({daysOfWeekDisabled: daysOfWeekDisabled}); + this.update(); + this.updateNavArrows(); + }, + + place: function(){ + if (this.isInline) + return; + var calendarWidth = this.picker.outerWidth(), + calendarHeight = this.picker.outerHeight(), + visualPadding = 10, + windowWidth = $window.width(), + windowHeight = $window.height(), + scrollTop = $window.scrollTop(); + + var zIndex = parseInt(this.element.parents().filter(function(){ + return $(this).css('z-index') !== 'auto'; + }).first().css('z-index'))+10; + var offset = this.component ? this.component.parent().offset() : this.element.offset(); + var height = this.component ? this.component.outerHeight(true) : this.element.outerHeight(false); + var width = this.component ? this.component.outerWidth(true) : this.element.outerWidth(false); + var left = offset.left, + top = offset.top; + + this.picker.removeClass( + 'datepicker-orient-top datepicker-orient-bottom '+ + 'datepicker-orient-right datepicker-orient-left' + ); + + if (this.o.orientation.x !== 'auto'){ + this.picker.addClass('datepicker-orient-' + this.o.orientation.x); + if (this.o.orientation.x === 'right') + left -= calendarWidth - width; + } + // auto x orientation is best-placement: if it crosses a window + // edge, fudge it sideways + else { + // Default to left + this.picker.addClass('datepicker-orient-left'); + if (offset.left < 0) + left -= offset.left - visualPadding; + else if (offset.left + calendarWidth > windowWidth) + left = windowWidth - calendarWidth - visualPadding; + } + + // auto y orientation is best-situation: top or bottom, no fudging, + // decision based on which shows more of the calendar + var yorient = this.o.orientation.y, + top_overflow, bottom_overflow; + if (yorient === 'auto'){ + top_overflow = -scrollTop + offset.top - calendarHeight; + bottom_overflow = scrollTop + windowHeight - (offset.top + height + calendarHeight); + if (Math.max(top_overflow, bottom_overflow) === bottom_overflow) + yorient = 'top'; + else + yorient = 'bottom'; + } + this.picker.addClass('datepicker-orient-' + yorient); + if (yorient === 'top') + top += height; + else + top -= calendarHeight + parseInt(this.picker.css('padding-top')); + + this.picker.css({ + top: top, + left: left, + zIndex: zIndex + }); + }, + + _allow_update: true, + update: function(){ + if (!this._allow_update) + return; + + var oldDates = this.dates.copy(), + dates = [], + fromArgs = false; + if (arguments.length){ + $.each(arguments, $.proxy(function(i, date){ + if (date instanceof Date) + date = this._local_to_utc(date); + dates.push(date); + }, this)); + fromArgs = true; + } + else { + dates = this.isInput + ? this.element.val() + : this.element.data('date') || this.element.find('input').val(); + if (dates && this.o.multidate) + dates = dates.split(this.o.multidateSeparator); + else + dates = [dates]; + delete this.element.data().date; + } + + dates = $.map(dates, $.proxy(function(date){ + return DPGlobal.parseDate(date, this.o.format, this.o.language); + }, this)); + dates = $.grep(dates, $.proxy(function(date){ + return ( + date < this.o.startDate || + date > this.o.endDate || + !date + ); + }, this), true); + this.dates.replace(dates); + + if (this.dates.length) + this.viewDate = new Date(this.dates.get(-1)); + else if (this.viewDate < this.o.startDate) + this.viewDate = new Date(this.o.startDate); + else if (this.viewDate > this.o.endDate) + this.viewDate = new Date(this.o.endDate); + + if (fromArgs){ + // setting date by clicking + this.setValue(); + } + else if (dates.length){ + // setting date by typing + if (String(oldDates) !== String(this.dates)) + this._trigger('changeDate'); + } + if (!this.dates.length && oldDates.length) + this._trigger('clearDate'); + + this.fill(); + }, + + fillDow: function(){ + var dowCnt = this.o.weekStart, + html = ''; + if (this.o.calendarWeeks){ + var cell = ' '; + html += cell; + this.picker.find('.datepicker-days thead tr:first-child').prepend(cell); + } + while (dowCnt < this.o.weekStart + 7){ + html += ''+dates[this.o.language].daysMin[(dowCnt++)%7]+''; + } + html += ''; + this.picker.find('.datepicker-days thead').append(html); + }, + + fillMonths: function(){ + var html = '', + i = 0; + while (i < 12){ + html += ''+dates[this.o.language].monthsShort[i++]+''; + } + this.picker.find('.datepicker-months td').html(html); + }, + + setRange: function(range){ + if (!range || !range.length) + delete this.range; + else + this.range = $.map(range, function(d){ + return d.valueOf(); + }); + this.fill(); + }, + + getClassNames: function(date){ + var cls = [], + year = this.viewDate.getUTCFullYear(), + month = this.viewDate.getUTCMonth(), + today = new Date(); + if (date.getUTCFullYear() < year || (date.getUTCFullYear() === year && date.getUTCMonth() < month)){ + cls.push('old'); + } + else if (date.getUTCFullYear() > year || (date.getUTCFullYear() === year && date.getUTCMonth() > month)){ + cls.push('new'); + } + if (this.focusDate && date.valueOf() === this.focusDate.valueOf()) + cls.push('focused'); + // Compare internal UTC date with local today, not UTC today + if (this.o.todayHighlight && + date.getUTCFullYear() === today.getFullYear() && + date.getUTCMonth() === today.getMonth() && + date.getUTCDate() === today.getDate()){ + cls.push('today'); + } + if (this.dates.contains(date) !== -1) + cls.push('active'); + if (date.valueOf() < this.o.startDate || date.valueOf() > this.o.endDate || + $.inArray(date.getUTCDay(), this.o.daysOfWeekDisabled) !== -1){ + cls.push('disabled'); + } + if (this.range){ + if (date > this.range[0] && date < this.range[this.range.length-1]){ + cls.push('range'); + } + if ($.inArray(date.valueOf(), this.range) !== -1){ + cls.push('selected'); + } + } + return cls; + }, + + fill: function(){ + var d = new Date(this.viewDate), + year = d.getUTCFullYear(), + month = d.getUTCMonth(), + startYear = this.o.startDate !== -Infinity ? this.o.startDate.getUTCFullYear() : -Infinity, + startMonth = this.o.startDate !== -Infinity ? this.o.startDate.getUTCMonth() : -Infinity, + endYear = this.o.endDate !== Infinity ? this.o.endDate.getUTCFullYear() : Infinity, + endMonth = this.o.endDate !== Infinity ? this.o.endDate.getUTCMonth() : Infinity, + todaytxt = dates[this.o.language].today || dates['en'].today || '', + cleartxt = dates[this.o.language].clear || dates['en'].clear || '', + tooltip; + this.picker.find('.datepicker-days thead th.datepicker-switch') + .text(dates[this.o.language].months[month]+' '+year); + this.picker.find('tfoot th.today') + .text(todaytxt) + .toggle(this.o.todayBtn !== false); + this.picker.find('tfoot th.clear') + .text(cleartxt) + .toggle(this.o.clearBtn !== false); + this.updateNavArrows(); + this.fillMonths(); + var prevMonth = UTCDate(year, month-1, 28), + day = DPGlobal.getDaysInMonth(prevMonth.getUTCFullYear(), prevMonth.getUTCMonth()); + prevMonth.setUTCDate(day); + prevMonth.setUTCDate(day - (prevMonth.getUTCDay() - this.o.weekStart + 7)%7); + var nextMonth = new Date(prevMonth); + nextMonth.setUTCDate(nextMonth.getUTCDate() + 42); + nextMonth = nextMonth.valueOf(); + var html = []; + var clsName; + while (prevMonth.valueOf() < nextMonth){ + if (prevMonth.getUTCDay() === this.o.weekStart){ + html.push(''); + if (this.o.calendarWeeks){ + // ISO 8601: First week contains first thursday. + // ISO also states week starts on Monday, but we can be more abstract here. + var + // Start of current week: based on weekstart/current date + ws = new Date(+prevMonth + (this.o.weekStart - prevMonth.getUTCDay() - 7) % 7 * 864e5), + // Thursday of this week + th = new Date(Number(ws) + (7 + 4 - ws.getUTCDay()) % 7 * 864e5), + // First Thursday of year, year from thursday + yth = new Date(Number(yth = UTCDate(th.getUTCFullYear(), 0, 1)) + (7 + 4 - yth.getUTCDay())%7*864e5), + // Calendar week: ms between thursdays, div ms per day, div 7 days + calWeek = (th - yth) / 864e5 / 7 + 1; + html.push(''+ calWeek +''); + + } + } + clsName = this.getClassNames(prevMonth); + clsName.push('day'); + + if (this.o.beforeShowDay !== $.noop){ + var before = this.o.beforeShowDay(this._utc_to_local(prevMonth)); + if (before === undefined) + before = {}; + else if (typeof(before) === 'boolean') + before = {enabled: before}; + else if (typeof(before) === 'string') + before = {classes: before}; + if (before.enabled === false) + clsName.push('disabled'); + if (before.classes) + clsName = clsName.concat(before.classes.split(/\s+/)); + if (before.tooltip) + tooltip = before.tooltip; + } + + clsName = $.unique(clsName); + html.push(''+prevMonth.getUTCDate() + ''); + if (prevMonth.getUTCDay() === this.o.weekEnd){ + html.push(''); + } + prevMonth.setUTCDate(prevMonth.getUTCDate()+1); + } + this.picker.find('.datepicker-days tbody').empty().append(html.join('')); + + var months = this.picker.find('.datepicker-months') + .find('th:eq(1)') + .text(year) + .end() + .find('span').removeClass('active'); + + $.each(this.dates, function(i, d){ + if (d.getUTCFullYear() === year) + months.eq(d.getUTCMonth()).addClass('active'); + }); + + if (year < startYear || year > endYear){ + months.addClass('disabled'); + } + if (year === startYear){ + months.slice(0, startMonth).addClass('disabled'); + } + if (year === endYear){ + months.slice(endMonth+1).addClass('disabled'); + } + + html = ''; + year = parseInt(year/10, 10) * 10; + var yearCont = this.picker.find('.datepicker-years') + .find('th:eq(1)') + .text(year + '-' + (year + 9)) + .end() + .find('td'); + year -= 1; + var years = $.map(this.dates, function(d){ + return d.getUTCFullYear(); + }), + classes; + for (var i = -1; i < 11; i++){ + classes = ['year']; + if (i === -1) + classes.push('old'); + else if (i === 10) + classes.push('new'); + if ($.inArray(year, years) !== -1) + classes.push('active'); + if (year < startYear || year > endYear) + classes.push('disabled'); + html += ''+year+''; + year += 1; + } + yearCont.html(html); + }, + + updateNavArrows: function(){ + if (!this._allow_update) + return; + + var d = new Date(this.viewDate), + year = d.getUTCFullYear(), + month = d.getUTCMonth(); + switch (this.viewMode){ + case 0: + if (this.o.startDate !== -Infinity && year <= this.o.startDate.getUTCFullYear() && month <= this.o.startDate.getUTCMonth()){ + this.picker.find('.prev').css({visibility: 'hidden'}); + } + else { + this.picker.find('.prev').css({visibility: 'visible'}); + } + if (this.o.endDate !== Infinity && year >= this.o.endDate.getUTCFullYear() && month >= this.o.endDate.getUTCMonth()){ + this.picker.find('.next').css({visibility: 'hidden'}); + } + else { + this.picker.find('.next').css({visibility: 'visible'}); + } + break; + case 1: + case 2: + if (this.o.startDate !== -Infinity && year <= this.o.startDate.getUTCFullYear()){ + this.picker.find('.prev').css({visibility: 'hidden'}); + } + else { + this.picker.find('.prev').css({visibility: 'visible'}); + } + if (this.o.endDate !== Infinity && year >= this.o.endDate.getUTCFullYear()){ + this.picker.find('.next').css({visibility: 'hidden'}); + } + else { + this.picker.find('.next').css({visibility: 'visible'}); + } + break; + } + }, + + click: function(e){ + e.preventDefault(); + var target = $(e.target).closest('span, td, th'), + year, month, day; + if (target.length === 1){ + switch (target[0].nodeName.toLowerCase()){ + case 'th': + switch (target[0].className){ + case 'datepicker-switch': + this.showMode(1); + break; + case 'prev': + case 'next': + var dir = DPGlobal.modes[this.viewMode].navStep * (target[0].className === 'prev' ? -1 : 1); + switch (this.viewMode){ + case 0: + this.viewDate = this.moveMonth(this.viewDate, dir); + this._trigger('changeMonth', this.viewDate); + break; + case 1: + case 2: + this.viewDate = this.moveYear(this.viewDate, dir); + if (this.viewMode === 1) + this._trigger('changeYear', this.viewDate); + break; + } + this.fill(); + break; + case 'today': + var date = new Date(); + date = UTCDate(date.getFullYear(), date.getMonth(), date.getDate(), 0, 0, 0); + + this.showMode(-2); + var which = this.o.todayBtn === 'linked' ? null : 'view'; + this._setDate(date, which); + break; + case 'clear': + var element; + if (this.isInput) + element = this.element; + else if (this.component) + element = this.element.find('input'); + if (element) + element.val("").change(); + this.update(); + this._trigger('changeDate'); + if (this.o.autoclose) + this.hide(); + break; + } + break; + case 'span': + if (!target.is('.disabled')){ + this.viewDate.setUTCDate(1); + if (target.is('.month')){ + day = 1; + month = target.parent().find('span').index(target); + year = this.viewDate.getUTCFullYear(); + this.viewDate.setUTCMonth(month); + this._trigger('changeMonth', this.viewDate); + if (this.o.minViewMode === 1){ + this._setDate(UTCDate(year, month, day)); + } + } + else { + day = 1; + month = 0; + year = parseInt(target.text(), 10)||0; + this.viewDate.setUTCFullYear(year); + this._trigger('changeYear', this.viewDate); + if (this.o.minViewMode === 2){ + this._setDate(UTCDate(year, month, day)); + } + } + this.showMode(-1); + this.fill(); + } + break; + case 'td': + if (target.is('.day') && !target.is('.disabled')){ + day = parseInt(target.text(), 10)||1; + year = this.viewDate.getUTCFullYear(); + month = this.viewDate.getUTCMonth(); + if (target.is('.old')){ + if (month === 0){ + month = 11; + year -= 1; + } + else { + month -= 1; + } + } + else if (target.is('.new')){ + if (month === 11){ + month = 0; + year += 1; + } + else { + month += 1; + } + } + this._setDate(UTCDate(year, month, day)); + } + break; + } + } + if (this.picker.is(':visible') && this._focused_from){ + $(this._focused_from).focus(); + } + delete this._focused_from; + }, + + _toggle_multidate: function(date){ + var ix = this.dates.contains(date); + if (!date){ + this.dates.clear(); + } + else if (ix !== -1){ + this.dates.remove(ix); + } + else { + this.dates.push(date); + } + if (typeof this.o.multidate === 'number') + while (this.dates.length > this.o.multidate) + this.dates.remove(0); + }, + + _setDate: function(date, which){ + if (!which || which === 'date') + this._toggle_multidate(date && new Date(date)); + if (!which || which === 'view') + this.viewDate = date && new Date(date); + + this.fill(); + this.setValue(); + this._trigger('changeDate'); + var element; + if (this.isInput){ + element = this.element; + } + else if (this.component){ + element = this.element.find('input'); + } + if (element){ + element.change(); + } + if (this.o.autoclose && (!which || which === 'date')){ + this.hide(); + } + }, + + moveMonth: function(date, dir){ + if (!date) + return undefined; + if (!dir) + return date; + var new_date = new Date(date.valueOf()), + day = new_date.getUTCDate(), + month = new_date.getUTCMonth(), + mag = Math.abs(dir), + new_month, test; + dir = dir > 0 ? 1 : -1; + if (mag === 1){ + test = dir === -1 + // If going back one month, make sure month is not current month + // (eg, Mar 31 -> Feb 31 == Feb 28, not Mar 02) + ? function(){ + return new_date.getUTCMonth() === month; + } + // If going forward one month, make sure month is as expected + // (eg, Jan 31 -> Feb 31 == Feb 28, not Mar 02) + : function(){ + return new_date.getUTCMonth() !== new_month; + }; + new_month = month + dir; + new_date.setUTCMonth(new_month); + // Dec -> Jan (12) or Jan -> Dec (-1) -- limit expected date to 0-11 + if (new_month < 0 || new_month > 11) + new_month = (new_month + 12) % 12; + } + else { + // For magnitudes >1, move one month at a time... + for (var i=0; i < mag; i++) + // ...which might decrease the day (eg, Jan 31 to Feb 28, etc)... + new_date = this.moveMonth(new_date, dir); + // ...then reset the day, keeping it in the new month + new_month = new_date.getUTCMonth(); + new_date.setUTCDate(day); + test = function(){ + return new_month !== new_date.getUTCMonth(); + }; + } + // Common date-resetting loop -- if date is beyond end of month, make it + // end of month + while (test()){ + new_date.setUTCDate(--day); + new_date.setUTCMonth(new_month); + } + return new_date; + }, + + moveYear: function(date, dir){ + return this.moveMonth(date, dir*12); + }, + + dateWithinRange: function(date){ + return date >= this.o.startDate && date <= this.o.endDate; + }, + + keydown: function(e){ + if (this.picker.is(':not(:visible)')){ + if (e.keyCode === 27) // allow escape to hide and re-show picker + this.show(); + return; + } + var dateChanged = false, + dir, newDate, newViewDate, + focusDate = this.focusDate || this.viewDate; + switch (e.keyCode){ + case 27: // escape + if (this.focusDate){ + this.focusDate = null; + this.viewDate = this.dates.get(-1) || this.viewDate; + this.fill(); + } + else + this.hide(); + e.preventDefault(); + break; + case 37: // left + case 39: // right + if (!this.o.keyboardNavigation) + break; + dir = e.keyCode === 37 ? -1 : 1; + if (e.ctrlKey){ + newDate = this.moveYear(this.dates.get(-1) || UTCToday(), dir); + newViewDate = this.moveYear(focusDate, dir); + this._trigger('changeYear', this.viewDate); + } + else if (e.shiftKey){ + newDate = this.moveMonth(this.dates.get(-1) || UTCToday(), dir); + newViewDate = this.moveMonth(focusDate, dir); + this._trigger('changeMonth', this.viewDate); + } + else { + newDate = new Date(this.dates.get(-1) || UTCToday()); + newDate.setUTCDate(newDate.getUTCDate() + dir); + newViewDate = new Date(focusDate); + newViewDate.setUTCDate(focusDate.getUTCDate() + dir); + } + if (this.dateWithinRange(newDate)){ + this.focusDate = this.viewDate = newViewDate; + this.setValue(); + this.fill(); + e.preventDefault(); + } + break; + case 38: // up + case 40: // down + if (!this.o.keyboardNavigation) + break; + dir = e.keyCode === 38 ? -1 : 1; + if (e.ctrlKey){ + newDate = this.moveYear(this.dates.get(-1) || UTCToday(), dir); + newViewDate = this.moveYear(focusDate, dir); + this._trigger('changeYear', this.viewDate); + } + else if (e.shiftKey){ + newDate = this.moveMonth(this.dates.get(-1) || UTCToday(), dir); + newViewDate = this.moveMonth(focusDate, dir); + this._trigger('changeMonth', this.viewDate); + } + else { + newDate = new Date(this.dates.get(-1) || UTCToday()); + newDate.setUTCDate(newDate.getUTCDate() + dir * 7); + newViewDate = new Date(focusDate); + newViewDate.setUTCDate(focusDate.getUTCDate() + dir * 7); + } + if (this.dateWithinRange(newDate)){ + this.focusDate = this.viewDate = newViewDate; + this.setValue(); + this.fill(); + e.preventDefault(); + } + break; + case 32: // spacebar + // Spacebar is used in manually typing dates in some formats. + // As such, its behavior should not be hijacked. + break; + case 13: // enter + focusDate = this.focusDate || this.dates.get(-1) || this.viewDate; + this._toggle_multidate(focusDate); + dateChanged = true; + this.focusDate = null; + this.viewDate = this.dates.get(-1) || this.viewDate; + this.setValue(); + this.fill(); + if (this.picker.is(':visible')){ + e.preventDefault(); + if (this.o.autoclose) + this.hide(); + } + break; + case 9: // tab + this.focusDate = null; + this.viewDate = this.dates.get(-1) || this.viewDate; + this.fill(); + this.hide(); + break; + } + if (dateChanged){ + if (this.dates.length) + this._trigger('changeDate'); + else + this._trigger('clearDate'); + var element; + if (this.isInput){ + element = this.element; + } + else if (this.component){ + element = this.element.find('input'); + } + if (element){ + element.change(); + } + } + }, + + showMode: function(dir){ + if (dir){ + this.viewMode = Math.max(this.o.minViewMode, Math.min(2, this.viewMode + dir)); + } + this.picker + .find('>div') + .hide() + .filter('.datepicker-'+DPGlobal.modes[this.viewMode].clsName) + .css('display', 'block'); + this.updateNavArrows(); + } + }; + + var DateRangePicker = function(element, options){ + this.element = $(element); + this.inputs = $.map(options.inputs, function(i){ + return i.jquery ? i[0] : i; + }); + delete options.inputs; + + $(this.inputs) + .datepicker(options) + .bind('changeDate', $.proxy(this.dateUpdated, this)); + + this.pickers = $.map(this.inputs, function(i){ + return $(i).data('datepicker'); + }); + this.updateDates(); + }; + DateRangePicker.prototype = { + updateDates: function(){ + this.dates = $.map(this.pickers, function(i){ + return i.getUTCDate(); + }); + this.updateRanges(); + }, + updateRanges: function(){ + var range = $.map(this.dates, function(d){ + return d.valueOf(); + }); + $.each(this.pickers, function(i, p){ + p.setRange(range); + }); + }, + dateUpdated: function(e){ + // `this.updating` is a workaround for preventing infinite recursion + // between `changeDate` triggering and `setUTCDate` calling. Until + // there is a better mechanism. + if (this.updating) + return; + this.updating = true; + + var dp = $(e.target).data('datepicker'), + new_date = dp.getUTCDate(), + i = $.inArray(e.target, this.inputs), + l = this.inputs.length; + if (i === -1) + return; + + $.each(this.pickers, function(i, p){ + if (!p.getUTCDate()) + p.setUTCDate(new_date); + }); + + if (new_date < this.dates[i]){ + // Date being moved earlier/left + while (i >= 0 && new_date < this.dates[i]){ + this.pickers[i--].setUTCDate(new_date); + } + } + else if (new_date > this.dates[i]){ + // Date being moved later/right + while (i < l && new_date > this.dates[i]){ + this.pickers[i++].setUTCDate(new_date); + } + } + this.updateDates(); + + delete this.updating; + }, + remove: function(){ + $.map(this.pickers, function(p){ p.remove(); }); + delete this.element.data().datepicker; + } + }; + + function opts_from_el(el, prefix){ + // Derive options from element data-attrs + var data = $(el).data(), + out = {}, inkey, + replace = new RegExp('^' + prefix.toLowerCase() + '([A-Z])'); + prefix = new RegExp('^' + prefix.toLowerCase()); + function re_lower(_,a){ + return a.toLowerCase(); + } + for (var key in data) + if (prefix.test(key)){ + inkey = key.replace(replace, re_lower); + out[inkey] = data[key]; + } + return out; + } + + function opts_from_locale(lang){ + // Derive options from locale plugins + var out = {}; + // Check if "de-DE" style date is available, if not language should + // fallback to 2 letter code eg "de" + if (!dates[lang]){ + lang = lang.split('-')[0]; + if (!dates[lang]) + return; + } + var d = dates[lang]; + $.each(locale_opts, function(i,k){ + if (k in d) + out[k] = d[k]; + }); + return out; + } + + var old = $.fn.datepicker; + $.fn.datepicker = function(option){ + var args = Array.apply(null, arguments); + args.shift(); + var internal_return; + this.each(function(){ + var $this = $(this), + data = $this.data('datepicker'), + options = typeof option === 'object' && option; + if (!data){ + var elopts = opts_from_el(this, 'date'), + // Preliminary otions + xopts = $.extend({}, defaults, elopts, options), + locopts = opts_from_locale(xopts.language), + // Options priority: js args, data-attrs, locales, defaults + opts = $.extend({}, defaults, locopts, elopts, options); + if ($this.is('.input-daterange') || opts.inputs){ + var ropts = { + inputs: opts.inputs || $this.find('input').toArray() + }; + $this.data('datepicker', (data = new DateRangePicker(this, $.extend(opts, ropts)))); + } + else { + $this.data('datepicker', (data = new Datepicker(this, opts))); + } + } + if (typeof option === 'string' && typeof data[option] === 'function'){ + internal_return = data[option].apply(data, args); + if (internal_return !== undefined) + return false; + } + }); + if (internal_return !== undefined) + return internal_return; + else + return this; + }; + + var defaults = $.fn.datepicker.defaults = { + autoclose: false, + beforeShowDay: $.noop, + calendarWeeks: false, + clearBtn: false, + daysOfWeekDisabled: [], + endDate: Infinity, + forceParse: true, + format: 'mm/dd/yyyy', + keyboardNavigation: true, + language: 'en', + minViewMode: 0, + multidate: false, + multidateSeparator: ',', + orientation: "auto", + rtl: false, + startDate: -Infinity, + startView: 0, + todayBtn: false, + todayHighlight: false, + weekStart: 0 + }; + var locale_opts = $.fn.datepicker.locale_opts = [ + 'format', + 'rtl', + 'weekStart' + ]; + $.fn.datepicker.Constructor = Datepicker; + var dates = $.fn.datepicker.dates = { + en: { + days: ["Sunday", "Monday", "Tuesday", "Wednesday", "Thursday", "Friday", "Saturday", "Sunday"], + daysShort: ["Sun", "Mon", "Tue", "Wed", "Thu", "Fri", "Sat", "Sun"], + daysMin: ["Su", "Mo", "Tu", "We", "Th", "Fr", "Sa", "Su"], + months: ["January", "February", "March", "April", "May", "June", "July", "August", "September", "October", "November", "December"], + monthsShort: ["Jan", "Feb", "Mar", "Apr", "May", "Jun", "Jul", "Aug", "Sep", "Oct", "Nov", "Dec"], + today: "Today", + clear: "Clear" + } + }; + + var DPGlobal = { + modes: [ + { + clsName: 'days', + navFnc: 'Month', + navStep: 1 + }, + { + clsName: 'months', + navFnc: 'FullYear', + navStep: 1 + }, + { + clsName: 'years', + navFnc: 'FullYear', + navStep: 10 + }], + isLeapYear: function(year){ + return (((year % 4 === 0) && (year % 100 !== 0)) || (year % 400 === 0)); + }, + getDaysInMonth: function(year, month){ + return [31, (DPGlobal.isLeapYear(year) ? 29 : 28), 31, 30, 31, 30, 31, 31, 30, 31, 30, 31][month]; + }, + validParts: /dd?|DD?|mm?|MM?|yy(?:yy)?/g, + nonpunctuation: /[^ -\/:-@\[\u3400-\u9fff-`{-~\t\n\r]+/g, + parseFormat: function(format){ + // IE treats \0 as a string end in inputs (truncating the value), + // so it's a bad format delimiter, anyway + var separators = format.replace(this.validParts, '\0').split('\0'), + parts = format.match(this.validParts); + if (!separators || !separators.length || !parts || parts.length === 0){ + throw new Error("Invalid date format."); + } + return {separators: separators, parts: parts}; + }, + parseDate: function(date, format, language){ + if (!date) + return undefined; + if (date instanceof Date) + return date; + if (typeof format === 'string') + format = DPGlobal.parseFormat(format); + var part_re = /([\-+]\d+)([dmwy])/, + parts = date.match(/([\-+]\d+)([dmwy])/g), + part, dir, i; + if (/^[\-+]\d+[dmwy]([\s,]+[\-+]\d+[dmwy])*$/.test(date)){ + date = new Date(); + for (i=0; i < parts.length; i++){ + part = part_re.exec(parts[i]); + dir = parseInt(part[1]); + switch (part[2]){ + case 'd': + date.setUTCDate(date.getUTCDate() + dir); + break; + case 'm': + date = Datepicker.prototype.moveMonth.call(Datepicker.prototype, date, dir); + break; + case 'w': + date.setUTCDate(date.getUTCDate() + dir * 7); + break; + case 'y': + date = Datepicker.prototype.moveYear.call(Datepicker.prototype, date, dir); + break; + } + } + return UTCDate(date.getUTCFullYear(), date.getUTCMonth(), date.getUTCDate(), 0, 0, 0); + } + parts = date && date.match(this.nonpunctuation) || []; + date = new Date(); + var parsed = {}, + setters_order = ['yyyy', 'yy', 'M', 'MM', 'm', 'mm', 'd', 'dd'], + setters_map = { + yyyy: function(d,v){ + return d.setUTCFullYear(v); + }, + yy: function(d,v){ + return d.setUTCFullYear(2000+v); + }, + m: function(d,v){ + if (isNaN(d)) + return d; + v -= 1; + while (v < 0) v += 12; + v %= 12; + d.setUTCMonth(v); + while (d.getUTCMonth() !== v) + d.setUTCDate(d.getUTCDate()-1); + return d; + }, + d: function(d,v){ + return d.setUTCDate(v); + } + }, + val, filtered; + setters_map['M'] = setters_map['MM'] = setters_map['mm'] = setters_map['m']; + setters_map['dd'] = setters_map['d']; + date = UTCDate(date.getFullYear(), date.getMonth(), date.getDate(), 0, 0, 0); + var fparts = format.parts.slice(); + // Remove noop parts + if (parts.length !== fparts.length){ + fparts = $(fparts).filter(function(i,p){ + return $.inArray(p, setters_order) !== -1; + }).toArray(); + } + // Process remainder + function match_part(){ + var m = this.slice(0, parts[i].length), + p = parts[i].slice(0, m.length); + return m === p; + } + if (parts.length === fparts.length){ + var cnt; + for (i=0, cnt = fparts.length; i < cnt; i++){ + val = parseInt(parts[i], 10); + part = fparts[i]; + if (isNaN(val)){ + switch (part){ + case 'MM': + filtered = $(dates[language].months).filter(match_part); + val = $.inArray(filtered[0], dates[language].months) + 1; + break; + case 'M': + filtered = $(dates[language].monthsShort).filter(match_part); + val = $.inArray(filtered[0], dates[language].monthsShort) + 1; + break; + } + } + parsed[part] = val; + } + var _date, s; + for (i=0; i < setters_order.length; i++){ + s = setters_order[i]; + if (s in parsed && !isNaN(parsed[s])){ + _date = new Date(date); + setters_map[s](_date, parsed[s]); + if (!isNaN(_date)) + date = _date; + } + } + } + return date; + }, + formatDate: function(date, format, language){ + if (!date) + return ''; + if (typeof format === 'string') + format = DPGlobal.parseFormat(format); + var val = { + d: date.getUTCDate(), + D: dates[language].daysShort[date.getUTCDay()], + DD: dates[language].days[date.getUTCDay()], + m: date.getUTCMonth() + 1, + M: dates[language].monthsShort[date.getUTCMonth()], + MM: dates[language].months[date.getUTCMonth()], + yy: date.getUTCFullYear().toString().substring(2), + yyyy: date.getUTCFullYear() + }; + val.dd = (val.d < 10 ? '0' : '') + val.d; + val.mm = (val.m < 10 ? '0' : '') + val.m; + date = []; + var seps = $.extend([], format.separators); + for (var i=0, cnt = format.parts.length; i <= cnt; i++){ + if (seps.length) + date.push(seps.shift()); + date.push(val[format.parts[i]]); + } + return date.join(''); + }, + headTemplate: ''+ + ''+ + '«'+ + ''+ + '»'+ + ''+ + '', + contTemplate: '', + footTemplate: ''+ + ''+ + ''+ + ''+ + ''+ + ''+ + ''+ + '' + }; + DPGlobal.template = '
'+ + '
'+ + ''+ + DPGlobal.headTemplate+ + ''+ + DPGlobal.footTemplate+ + '
'+ + '
'+ + '
'+ + ''+ + DPGlobal.headTemplate+ + DPGlobal.contTemplate+ + DPGlobal.footTemplate+ + '
'+ + '
'+ + '
'+ + ''+ + DPGlobal.headTemplate+ + DPGlobal.contTemplate+ + DPGlobal.footTemplate+ + '
'+ + '
'+ + '
'; + + $.fn.datepicker.DPGlobal = DPGlobal; + + + /* DATEPICKER NO CONFLICT + * =================== */ + + $.fn.datepicker.noConflict = function(){ + $.fn.datepicker = old; + return this; + }; + + + /* DATEPICKER DATA-API + * ================== */ + + $(document).on( + 'focus.datepicker.data-api click.datepicker.data-api', + '[data-provide="datepicker"]', + function(e){ + var $this = $(this); + if ($this.data('datepicker')) + return; + e.preventDefault(); + // component click requires us to explicitly show it + $this.datepicker('show'); + } + ); + $(function(){ + $('[data-provide="datepicker-inline"]').datepicker(); + }); + +}(window.jQuery)); diff --git a/public/lb-faveo/installer/js/index.js b/public/lb-faveo/installer/js/index.js new file mode 100644 index 000000000..6269e1e4a --- /dev/null +++ b/public/lb-faveo/installer/js/index.js @@ -0,0 +1,61 @@ + +var colors = new Array( + [62,35,255], + [60,255,60], + [255,35,98], + [45,175,230], + [255,0,255], + [255,128,0]); + +var step = 0; +//color table indices for: +// current color left +// next color left +// current color right +// next color right +var colorIndices = [0,1,2,3]; + +//transition speed +var gradientSpeed = 0.002; + +function updateGradient() +{ + + if ( $===undefined ) return; + +var c0_0 = colors[colorIndices[0]]; +var c0_1 = colors[colorIndices[1]]; +var c1_0 = colors[colorIndices[2]]; +var c1_1 = colors[colorIndices[3]]; + +var istep = 1 - step; +var r1 = Math.round(istep * c0_0[0] + step * c0_1[0]); +var g1 = Math.round(istep * c0_0[1] + step * c0_1[1]); +var b1 = Math.round(istep * c0_0[2] + step * c0_1[2]); +var color1 = "rgb("+r1+","+g1+","+b1+")"; + +var r2 = Math.round(istep * c1_0[0] + step * c1_1[0]); +var g2 = Math.round(istep * c1_0[1] + step * c1_1[1]); +var b2 = Math.round(istep * c1_0[2] + step * c1_1[2]); +var color2 = "rgb("+r2+","+g2+","+b2+")"; + + $('#gradient').css({ + background: "-webkit-gradient(linear, left top, right top, from("+color1+"), to("+color2+"))"}).css({ + background: "-moz-linear-gradient(left, "+color1+" 0%, "+color2+" 100%)"}); + + step += gradientSpeed; + if ( step >= 1 ) + { + step %= 1; + colorIndices[0] = colorIndices[1]; + colorIndices[2] = colorIndices[3]; + + //pick two new target color indices + //do not pick the same as the current one + colorIndices[1] = ( colorIndices[1] + Math.floor( 1 + Math.random() * (colors.length - 1))) % colors.length; + colorIndices[3] = ( colorIndices[3] + Math.floor( 1 + Math.random() * (colors.length - 1))) % colors.length; + + } +} + +setInterval(updateGradient,10); \ No newline at end of file diff --git a/public/lb-faveo/installer/js/tooltip.js b/public/lb-faveo/installer/js/tooltip.js new file mode 100644 index 000000000..979adba91 --- /dev/null +++ b/public/lb-faveo/installer/js/tooltip.js @@ -0,0 +1,10 @@ +$(document).ready(function() { + $("button").mouseover(function() { + $.ajax({ + url: "demo_test.txt", + success: function(result) { + $(".tool").html(result); + } + }); + }); +}); \ No newline at end of file diff --git a/public/lb-faveo/plugins/datatables/dataTables.bootstrap.css b/public/lb-faveo/plugins/datatables/dataTables.bootstrap.css index 27036b0e5..569f6f03b 100644 --- a/public/lb-faveo/plugins/datatables/dataTables.bootstrap.css +++ b/public/lb-faveo/plugins/datatables/dataTables.bootstrap.css @@ -221,3 +221,38 @@ div.DTFC_LeftFootWrapper table { border-top: none; } + + + + + + /* .first + { + z-index: 2; + color: #fff; + cursor: default; + background-color: #337ab7; + border-color: #337ab7; + padding: 4px; + } + .first .active + { + background-color: red; + }*/ + +/* .paginate_button + { + border-radius: 3px; + -webkit-box-shadow: none; + box-shadow: none; + border: 1px solid ; + + }*/ +/* + .paginate_button_disabled{ + border-radius: 3px; + -webkit-box-shadow: none; + box-shadow: none; + border: 1px solid ; + + }*/ diff --git a/public/uploads/en.zip b/public/uploads/en.zip new file mode 100644 index 000000000..0583c8be6 Binary files /dev/null and b/public/uploads/en.zip differ diff --git a/resources/lang/en/lang.php b/resources/lang/en/lang.php index c667f582f..3066f68ef 100644 --- a/resources/lang/en/lang.php +++ b/resources/lang/en/lang.php @@ -193,6 +193,7 @@ return array( 'purglog' =>'Purge Logs', 'nameformat' =>'Name Formatting', 'timeformat' =>'Time Format', + 'date' => 'Date', 'dateformat' =>'Date Format', 'date_time' =>'Date And Time Format', 'day_date_time' =>'Day,Date And Time Format', @@ -305,6 +306,22 @@ return array( 'excessive_failed_login_attempts' =>'Excessive failed login attempts', 'system_error_reports' => 'System error Reports', 'Send_app_crash_reports_to_help_Ladybird_improve_Faveo' => 'Send app crash reports to help Ladybird improve Faveo', + + /* + |------------------------------------------------ + |Language page + |------------------------------------------------ + */ + 'iso-code' => 'ISO-CODE', + 'download' => 'Downlaod', + 'upload_file' => 'Upload File', + 'enter_iso-code' => "Enter ISO-CODE", + 'eg.' => 'Example', + 'for' => 'for', + 'english' => 'English', + 'language-name' => 'Language name', + 'file' => 'File', + /* |---------------------------------------------------------------------------------------- diff --git a/resources/lang/su.zip b/resources/lang/su.zip deleted file mode 100644 index 9082dcc94..000000000 Binary files a/resources/lang/su.zip and /dev/null differ diff --git a/resources/lang/su/lang.php b/resources/lang/su/lang.php deleted file mode 100644 index 003e4287d..000000000 --- a/resources/lang/su/lang.php +++ /dev/null @@ -1,876 +0,0 @@ - 'lllllll', - 'fails' => 'lllllll', - 'alert' => 'lllllll', - - /* - |-------------------------------------- - | Login Page - |-------------------------------------- - */ - 'Login_to_start_your_session' => 'lllllll', - 'login' => 'lllllll', - 'remember' => 'lllllll', - 'signmein' => 'lllllll', - 'iforgot' => 'lllllll', - 'email_address' => 'lllllll', - 'password' => 'llllllll', - 'woops' => 'llllllll', - 'theirisproblem' => 'llllllll', - 'login' => 'llllllll', - 'e-mail' => 'llllllll', - 'reg_new_member' => 'llllllll', - - /* - |-------------------------------------- - | Register Page - |-------------------------------------- - */ - 'registration' => 'llllllll', - 'full_name' => 'llllllll', - 'retype_password' => 'llllllll', - 'i_agree_to_the' => 'llllllll', - 'terms' => 'llllllll', - 'register' => 'llllllll', - 'i_already_have_a_membership' => 'llllllll', - - /* - |-------------------------------------- - | Reset Password Page - |-------------------------------------- - */ - 'reset_password' => 'llllllll', - - - /* - |-------------------------------------- - | Forgot Password Page - |-------------------------------------- - */ - 'i_know_my_password' => 'llllllll', - 'recover_passord' => 'llllllll', - 'send_password_reset_link' => 'llllllll', - 'enter_email_to_reset_password' => 'llllllll', - - - /* - |---------------------------------------------------------------------------------------- - | Emails Pages [English(en)] - |---------------------------------------------------------------------------------------- - | - | The following language lines are used in all Emails related issues to translate - | some words in view to English. You are free to change them to anything you want to - | customize your views to better match your application. - | - */ - 'admin_panel' => 'llllllll', - 'emails' => 'llllllll', - /* - |-------------------------------------- - | Emails Create Page - |-------------------------------------- - */ - 'incoming_emails' => 'llllllll', - 'reuired_authentication' => 'llllllll', - 'fetching_email_via_imap_or_pop' => 'llllllll', - 'create_email' =>'llllllll', - 'email_address' =>'llllllll', - 'email_name' =>'llllllll', - 'help_topic' =>'llllllll', - 'auto_response' =>'llllllll', - 'host_name' =>'llllllll', - 'port_number' =>'llllllll', - 'mail_box_protocol' =>'llllllll', - 'authentication_required' =>'llllllll', - 'yes' =>'llllllll', - 'no' =>'llllllll', - 'header_spoofing' =>'llllllll', - 'allow_for_this_email' =>'llllllll', - 'imap_config' =>'llllllll', - - /* - |-------------------------------------- - | Ban Emails Create Page - |-------------------------------------- - */ - 'ban_lists' =>'llllllll', - 'ban_email' =>'llllllll', - 'banlists' =>'llllllll', - 'ban_status' =>'llllllll', - - /* - |-------------------------------------- - | Templates Index Page - |-------------------------------------- - */ - - 'templates' =>'llllllll', - 'create_template' =>'llllllll', - 'in_use' =>'llllllll', - - /* - |-------------------------------------- - | Templates Create Page - |-------------------------------------- - */ - - 'template_set_to_clone' =>'llllllll', - 'language' =>'llllllll', - - - /* - |-------------------------------------- - | Diagnostics Page - |-------------------------------------- - */ - - 'diagnostics' =>'llllllll', - 'from' =>'llllllll', - 'to' =>'llllllll', - 'subject' =>'llllllll', - 'message' =>'llllllll', - 'send' =>'llllllll', - - - - /* - |---------------------------------------------------------------------------------------- - | Settings Pages [English(en)] - |---------------------------------------------------------------------------------------- - | - | The following language lines are used in all Setting related issues to translate - | some words in view to English. You are free to change them to anything you want to - | customize your views to better match your application. - | - */ - - /* - |-------------------------------------- - | Company Settings Page - |-------------------------------------- - */ - - 'company' =>'llllllll', - 'website' =>'llllllll', - 'phone' =>'llllllll', - 'address' =>'llllllll', - 'landing' =>'llllllll', - 'offline' =>'llllllll', - 'thank' =>'llllllll', - 'logo' =>'llllllll', - 'save' =>'llllllll', - - /* - |-------------------------------------- - | System Settings Page - |-------------------------------------- - */ - - 'system' =>'llllllll', - 'online' =>'llllllll', - 'offline' =>'llllllll', - 'name/title' =>'llllllll', - 'pagesize' =>'llllllll', - 'url' =>'llllllll', - 'default_department'=>'llllllll', - 'loglevel' =>'llllllll', - 'purglog' =>'llllllll', - 'nameformat' =>'llllllll', - 'timeformat' =>'llllllll', - 'dateformat' =>'llllllll', - 'date_time' =>'llllllll', - 'day_date_time' =>'llllllll', - 'timezone' =>'llllllll', - - /* - |-------------------------------------- - | Email Settings Page - |-------------------------------------- - */ - - 'email' =>'llllllll', - 'default_template' =>'llllllll', - 'default_system_email' =>'llllllll', - 'default_alert_email' =>'llllllll', - 'admin_email' =>'llllllll', - 'email_fetch' =>'llllllll', - 'enable' =>'llllllll', - 'default_MTA' =>'llllllll', - 'fetch_auto-corn' =>'llllllll', - 'strip_quoted_reply' =>'llllllll', - 'reply_separator' =>'llllllll', - 'accept_all_email' =>'llllllll', - 'accept_email_unknown' =>'llllllll', - 'accept_email_collab' =>'llllllll', - 'automatically_and_collab_from_email'=>'llllllll', - 'default_alert_email' =>'llllllll', - 'attachments' =>'llllllll', - 'email_attahment_user' =>'llllllll', - - - - /* - |-------------------------------------- - | Ticket Settings Page - |-------------------------------------- - */ - - 'ticket' =>'llllllll', - 'default_ticket_number_format' =>'llllllll', - 'default_ticket_number_sequence' =>'llllllll', - 'default_status' =>'llllllll', - 'default_priority' =>'llllllll', - 'default_sla' =>'llllllll', - 'default_help_topic' =>'llllllll', - 'maximum_open_tickets' =>'llllllll', - 'agent_collision_avoidance_duration'=>'llllllll', - 'human_verification' =>'llllllll', - 'claim_on_response' =>'llllllll', - 'assigned_tickets' =>'llllllll', - 'answered_tickets' =>'llllllll', - 'agent_identity_masking' =>'llllllll', - 'enable_HTML_ticket_thread' =>'llllllll', - 'allow_client_updates' =>'llllllll', - - - - /* - |-------------------------------------- - | Access Settings Page - |-------------------------------------- - */ - - 'access' =>'llllllll', - 'expiration_policy' =>'llllllll', - 'allow_password_resets' =>'llllllll', - 'reset_token_expiration' =>'llllllll', - 'agent_session_timeout' =>'llllllll', - 'bind_agent_session_IP' =>'llllllll', - 'registration_required' =>'llllllll', - 'require_registration_and_login_to_create_tickets' =>'llllllll', - 'registration_method' =>'llllllll', - 'user_session_timeout' =>'llllllll', - 'client_quick_access' =>'llllllll', - - /* - |-------------------------------------- - | Auto-Response Settings Page - |-------------------------------------- - */ - - 'auto_responce' =>'llllllll', - 'new_ticket' =>'llllllll', - 'new_ticket_by_agent' =>'llllllll', - 'new_message' =>'llllllll', - 'submitter' =>'llllllll', - 'send_receipt_confirmation' =>'llllllll', - 'participants' =>'llllllll', - 'send_new_activity_notice' =>'llllllll', - 'overlimit_notice' =>'llllllll', - 'email_attachments_to_the_user' =>'llllllll', - - /* - |-------------------------------------- - | Alert & Notice Settings Page - |-------------------------------------- - */ - 'disable' =>'llllllll', - 'admin_email_2' =>'llllllll', - 'alert_notices' =>'llllllll', - 'new_ticket_alert' =>'llllllll', - 'department_manager' =>'llllllll', - 'department_members' =>'llllllll', - 'organization_account_manager' =>'llllllll', - 'new_message_alert' =>'llllllll', - 'last_respondent' =>'llllllll', - 'assigned_agent_team' =>'llllllll', - 'new_internal_note_alert' =>'llllllll', - 'ticket_assignment_alert' =>'llllllll', - 'team_lead' =>'llllllll', - 'team_members' =>'llllllll', - 'ticket_transfer_alert' =>'llllllll', - 'overdue_ticket_alert' =>'llllllll', - 'system_alerts' =>'llllllll', - 'system_errors' =>'llllllll', - 'SQL_errors' =>'llllllll', - 'excessive_failed_login_attempts' =>'llllllll', - - - /* - |---------------------------------------------------------------------------------------- - | Theme Pages [English(en)] - |---------------------------------------------------------------------------------------- - | - | The following language lines are used in all Theme related issues to translate - | some words in view to English. You are free to change them to anything you want to - | customize your views to better match your application. - | - */ - 'themes' => 'llllllll', - /* - |-------------------------------------- - | Footer Pages - |-------------------------------------- - */ - 'footer' => 'llllllll', - 'footer1' => 'llllllll', - 'footer2' => 'llllllll', - 'footer3' => 'llllllll', - 'footer4' => 'llllllll', - - - /* - |---------------------------------------------------------------------------------------- - | Manage Pages [English(en)] - |---------------------------------------------------------------------------------------- - | - | The following language lines are used in all Manage related issues to translate - | some words in view to English. You are free to change them to anything you want to - | customize your views to better match your application. - | - */ - 'manage' => 'llllllll', - /* - |-------------------------------------- - | Help Topic index Page - |-------------------------------------- - */ - - 'help_topics' => 'llllllll', - 'topic' =>'llllllll', - 'type' =>'llllllll', - 'priority' =>'llllllll', - 'last_updated' =>'llllllll', - 'create_help_topic' =>'llllllll', - 'action' =>'llllllll', - - /* - |-------------------------------------- - | Help Topic Create Page - |-------------------------------------- - */ - - 'active' =>'llllllll', - 'disabled' =>'llllllll', - 'public' =>'llllllll', - 'private' =>'llllllll', - 'parent_topic' =>'llllllll', - 'Custom_form' =>'llllllll', - 'SLA_plan' =>'llllllll', - 'auto_assign' =>'llllllll', - 'auto_respons' =>'llllllll', - 'ticket_number_format' =>'llllllll', - 'system_default' =>'llllllll', - 'custom' =>'llllllll', - 'internal_notes' =>'llllllll', - - - /* - |-------------------------------------- - | SLA plan Index Page - |-------------------------------------- - */ - 'sla_plans' => 'llllllll', - 'create_SLA' =>'llllllll', - 'grace_period' =>'llllllll', - 'added_date' =>'llllllll', - - /* - |-------------------------------------- - | SLA plan Create Page - |-------------------------------------- - */ - - 'transient' =>'llllllll', - 'ticket_overdue_alert' =>'llllllll', - - /* - |-------------------------------------- - | Form Create Page - |-------------------------------------- - */ - - 'title' =>'llllllll', - 'instruction' =>'llllllll', - 'label' =>'llllllll', - 'visibility' =>'llllllll', - 'variable' =>'llllllll', - 'create_form' =>'llllllll', - 'forms' =>'llllllll', - 'form_name' => 'llllllll', - 'view_this_form' => 'llllllll', - 'delete_from' => 'llllllll', - 'are_you_sure_you_want_to_delete' => 'llllllll', - 'close' => 'llllllll', - 'instructions' => 'llllllll', - "instructions_on_creating_form" => "lllllll", - 'form_properties' => 'llllllll', - 'adding_fields' => 'llllllll', - "click_add_fields_button_to_add_fields" => "llllllll", - 'add_fields' => 'llllllll', - 'save_form' => 'llllllll', - 'label' => 'llllllll', - 'name' => 'llllllll', - 'type' => 'llllllll', - 'values(selected_fields)' => 'llllllll', - 'required' => 'llllllll', - 'Action' => 'llllllll', - 'remove' => 'llllllll', - - - - - /* - |---------------------------------------------------------------------------------------- - | Staff Pages [English(en)] - |---------------------------------------------------------------------------------------- - | - | The following language lines are used in all Staff related issues to translate - | some words in view to English. You are free to change them to anything you want to - | customize your views to better match your application. - | - */ - - - /* - |-------------------------------------- - | Staff index Page - |-------------------------------------- - */ - - 'are_you_sure' => 'llllllll', - 'staffs' => 'llllllll', - 'name' =>'llllllll', - 'user_name' =>'llllllll', - 'status' =>'llllllll', - 'group' =>'llllllll', - 'department' =>'llllllll', - 'created' =>'llllllll', - 'lastlogin' =>'llllllll', - 'createagent' =>'llllllll', - 'delete' =>'llllllll', - 'agents' =>'llllllll', - 'create' =>'llllllll', - 'edit' =>'llllllll', - 'departments' =>'llllllll', - 'groups' =>'lllllll', - - - /* - |-------------------------------------- - | Staff Create Page - |-------------------------------------- - */ - - 'create_agent' =>'llllllll', - 'first_name' =>'llllllll', - 'last_name' =>'llllllll', - 'mobile_number' =>'llllllll', - 'agent_signature' =>'llllllll', - 'account_status_setting' =>'llllllll', - 'account_type' =>'llllllll', - 'admin' =>'llllllll', - 'agent' =>'llllllll', - 'account_status' =>'llllllll', - 'locked' =>'llllllll', - 'assigned_group' =>'llllllll', - 'primary_department' =>'llllllll', - 'agent_time_zone' =>'llllllll', - 'day_light_saving' =>'llllllll', - 'limit_access' =>'llllllll', - 'directory_listing' =>'llllllll', - 'vocation_mode' =>'llllllll', - 'assigned_team' =>'llllllll', - - - /* - |-------------------------------------- - | Department Create Page - |-------------------------------------- - */ - - 'create_department' =>'llllllll', - 'manager' =>'llllllll', - 'ticket_assignment' =>'llllllll', - 'restrict_ticket_assignment_to_department_members' =>'llllllll', - 'outgoing_emails' =>'llllllll', - 'template_set' =>'llllllll', - 'auto_responding_settings' =>'llllllll', - 'disable_for_this_department' =>'llllllll', - 'auto_response_email' =>'Allllllll', - 'recipient' =>'llllllll', - 'group_access' =>'llllllll', - 'department_signature' =>'llllllll', - - /* - |-------------------------------------- - | Team Create Page - |-------------------------------------- - */ - - 'create_team'=>'llllllll', - 'team_lead'=>'llllllll', - 'assignment_alert'=>'llllllll', - 'disable_for_this_team'=>'llllllll', - 'teams'=>'llllllll', - - /* - |-------------------------------------- - | Group Create Page - |-------------------------------------- - */ - - 'create_group' =>'llllllll', - 'goups' =>'llllllll', - 'can_create_ticket' =>'llllllll', - 'can_edit_ticket' =>'llllllll', - 'can_post_ticket' =>'llllllll', - 'can_close_ticket' =>'llllllll', - 'can_assign_ticket' =>'llllllll', - 'can_transfer_ticket' =>'llllllll', - 'can_delete_ticket' =>'llllllll', - 'can_ban_emails' =>'llllllll', - 'can_manage_premade' =>'llllllll', - 'can_manage_FAQ' =>'llllllll', - 'can_view_agent_stats' =>'llllllll', - 'department_access' =>'llllllll', - 'admin_notes' =>'llllllll', - 'group_members' =>'llllllll', - 'group_name' =>'llllllll', - - - /* - |-------------------------------------- - | SMTP Page - |-------------------------------------- - */ - 'driver' => 'llllllll', - 'smtp' => 'llllllll', - 'host'=>'llllllll', - 'port'=>'llllllll', - 'encryption'=>'llllllll', - - - - /* - |---------------------------------------------------------------------------------------- - | Agent Panel [English(en)] - |---------------------------------------------------------------------------------------- - | - | The following language lines are used in all Agent Panel related issues to translate - | some words in view to English. You are free to change them to anything you want to - | customize your views to better match your application. - | - */ - - 'agent_panel' => 'llllllll', - 'profile' => 'llllllll', - 'change_password' => 'llllllll', - 'sign_out' => 'llllllll', - 'Tickets' => 'llllllll', - 'inbox' => 'llllllll', - 'my_tickets' => 'llllllll', - 'unassigned' => 'llllllll', - 'trash' => 'llllllll', - 'Updates' => 'llllllll', - 'no_new_updates' => 'llllllll', - 'check_for_updates' => 'llllllll', - 'open' => 'llllllll', - 'inprogress' => 'llllllll', - 'closed' => 'llllllll', - 'Departments' => 'llllllll', - 'tools' => 'llllllll', - 'canned' => 'llllllll', - 'knowledge_base' => 'llllllll', - - - - /* - |----------------------------------------------- - | Profile - |----------------------------------------------- - */ - 'user_information' => 'llllllll', - 'time_zone' => 'llllllll', - 'phone_number' => 'llllllll', - 'contact_information' => 'llllllll', - - - /* - |----------------------------------------------- - | Dashboard - |----------------------------------------------- - */ - 'dashboard' => 'llllllll', - 'line_chart' => 'llllllll', - 'statistics' => 'llllllll', - 'opened' => 'llllllll', - 'resolved' => 'llllllll', - 'closed' => 'llllllll', - 'deleted' => 'llllllll', - - - /* - |------------------------------------------------ - |User Page - |------------------------------------------------ - */ - 'user_directory' => 'llllllll', - 'ban' => 'llllllll', - 'user' => 'llllllll', - 'users' => 'llllllll', - 'create_user' => 'llllllll', - 'full_name' => 'llllllll', - 'mobile' => 'llllllll', - 'last_login' => 'llllllll', - 'user_profile' => 'llllllll', - 'assign' => 'llllllll', - 'open_tickets' => 'llllllll', - 'closed_tickets' => 'llllllll', - 'deleted_tickets' => 'llllllll', - - - - /* - |------------------------------------------------ - |Organization Page - |------------------------------------------------ - */ - 'organizations' => 'llllllll', - 'organization' => 'llllllll', - 'create_organization' => 'llllllll', - 'account_manager' => 'llllllll', - 'update' => 'llllllll', - 'organization_profile' => 'llllllll', - 'please_select_an_organization' => 'llllllll', - 'please_select_an_user' => 'llllllll', - 'organization-s_head' => "llllllll", - 'select_department_manager' => 'llllllll', - 'users_of' => 'llllllll', - - - - /* - |---------------------------------------------- - | Ticket page - |---------------------------------------------- - */ - 'subject' => 'llllllll', - 'ticket_id' => 'llllllll', - 'priority' => 'llllllll', - 'from' => 'llllllll', - 'last_replier' => 'llllllll', - 'assigned_to' => 'llllllll', - 'last_activity' => 'llllllll', - 'answered' => 'llllllll', - 'assigned' => 'llllllll', - 'create_ticket' => 'llllllll', - 'tickets' => 'llllllll', - 'open' => 'llllllll', - 'Ticket_Information' => 'llllllll', - 'Ticket_Id' => 'llllllll', - 'User' => 'llllllll', - 'Unassigned' => 'llllllll', - 'generate_pdf' => 'llllllll', - 'change_status' => 'llllllll', - 'more' => 'llllllll', - 'delete_ticket' => 'llllllll', - 'emergency' => 'llllllll', - 'high' => 'llllllll', - 'medium' => 'llllllll', - 'low' => 'llllllll', - 'sla_plan' => 'llllllll', - 'created_date' => 'llllllll', - 'due_date' => 'llllllll', - 'last_response' => 'llllllll', - 'source' => 'llllllll', - 'last_message' => 'llllllll', - 'reply' => 'llllllll', - 'response' => 'llllllll', - 'reply_content' => 'llllllll', - 'attachment' => 'llllllll', - 'internal_note' => 'llllllll', - 'this_ticket_is_under_banned_user' => 'llllllll', - 'ticket_source' => 'llllllll', - 'are_you_sure_to_ban' => 'llllllll', - 'whome_do_you_want_to_assign_ticket' => 'llllllll', - 'are_you_sure_you_want_to_surrender_this_ticket' => 'llllllll', - 'add_collaborator' => 'llllllll', - 'search_existing_users' => 'llllllll', - 'add_new_user' => 'llllllll', - 'search_existing_users_or_add_new_users' => 'llllllll', - 'search_by_email' => 'llllllll', - 'list_of_collaborators_of_this_ticket' => 'llllllll', - 'submit' => 'llllllll', - 'max' => 'llllllll', - 'add_cc' => 'llllllll', - 'recepients' => 'llllllll', - 'select_a_canned_response' => 'llllllll', - 'assign_to' => 'llllllll', - 'detail' => 'llllllll', - 'user_details' => 'llllllll', - 'ticket_option' => 'llllllll', - 'ticket_detail' => 'llllllll', - - - - - /* - |------------------------------------------------ - |Tools Page - |------------------------------------------------ - */ - 'canned_response' => 'llllllll', - 'create_canned_response' => 'llllllll', - 'surrender' => 'llllllll', - 'view' => 'llllllll', - - - - - /* - |----------------------------------------------- - | Main text - |----------------------------------------------- - */ - 'copyright' => 'llllllll', - 'all_rights_reserved' => 'llllllll', - 'powered_by' => 'llllllll', - - - /* - |------------------------------------------------ - |Guest-User Page - |------------------------------------------------ - */ - 'issue_summary' => 'llllllll', - 'issue_details' => 'llllllll', - 'contact_informations' => 'llllllll', - 'contact_details' => 'llllllll', - 'role' => 'llllllll', - 'ext' => 'llllllll', - 'profile_pic' => 'llllllll', - 'agent_sign' => 'llllllll', - 'inactive' => 'llllllll', - 'male' => 'llllllll', - 'female' => 'llllllll', - 'old_password' => 'llllllll', - 'new_password' => 'llllllll', - 'confirm_password' => 'llllllll', - 'gender' => 'llllllll', - 'ticket_number' => 'llllllll', - 'content' => 'llllllll', - - /* - |------------------------------------------------ - | Error Pages - |------------------------------------------------ - */ - 'not_found' => 'llllllll', - 'oops_page_not_found' => 'llllllll', - 'we_could_not_find_the_page_you_were_looking_for'=>'llllllll', - 'internal_server_error' => 'llllllll', - 'be_right_back' => 'llllllll', - 'sorry' => 'llllllll', - 'we_are_working_on_it' => 'llllllll', - - - - - - 'category' => 'llllllll', - 'addcategory' => 'llllllll', - 'allcategory' => 'llllllll', - 'article' => 'llllllll', - 'articles' => 'llllllll', - 'addarticle' => 'llllllll', - 'allarticle' => 'llllllll', - 'pages' => 'llllllll', - 'addpages' => 'llllllll', - 'allpages' => 'llllllll', - 'widgets' => 'llllllll', - 'footer1' => 'llllllll', - 'footer2' => 'llllllll', - 'footer3' => 'llllllll', - 'footer4' => 'llllllll', - 'sidewidget1' => 'llllllll', - 'sidewidget2' => 'llllllll', - 'comments' => 'llllllll', - 'settings' => 'llllllll', - 'parent' => 'llllllll', - 'description' => 'llllllll', - 'enter_the_description' => 'llllllll', - 'publish' => 'llllllll', - 'published' => 'llllllll', - 'draft' => 'llllllll', - 'create_a_category' => 'llllllll', - 'add' => 'llllllll', - 'social' => 'llllllll', - 'comment' => 'llllllll', - 'not_published' => 'llllllll', - 'numberofelementstodisplay' => 'llllllll', - //====================================== - 'language' => 'llllllll', - 'save' => 'llllllll', - 'create' => 'Cllllllll', - 'dateformat' => 'llllllll', - 'slug' => 'llllllll', - 'read_more' => 'llllllll', - 'view_all' => 'llllllll', - 'categories' => 'llllllll', - 'need_more_support' => 'llllllll', - 'if_you_did_not_find_an_answer_please_raise_a_ticket_describing_the_issue' => 'llllllll', - 'have_a_question?_type_your_search_term_here' => 'llllllll', - 'search' => 'llllllll', - 'frequently_asked_questions' => 'llllllll', - 'leave_a_reply' => 'llllllll', - 'post_message' => 'llllllll', - - - - - - /* - |-------------------------------------------------------------------------------------- - | Client Panel [English(en)] - |-------------------------------------------------------------------------------------- - | The following language lines are used in all Agent Panel related issues to translate - | some words in view to English. You are free to change them to anything you want to - | customize your views to better match your application. - | - */ - 'home' => 'llllllll', - 'submit_a_ticket' => 'llllllll', - 'my_profile' => 'llllllll', - 'log_out' => 'llllllll', - 'forgot_password' => 'llllllll', - 'create_account' => 'llllllll', - 'you_are_here' => 'llllllll', - 'have_a_ticket' => 'llllllll', - 'check_ticket_status' => 'llllllll', - 'choose_a_help_topic' => 'llllllll', - 'ticket_status' => 'llllllll', - - - - - ); \ No newline at end of file diff --git a/resources/lang/su/pagination.php b/resources/lang/su/pagination.php deleted file mode 100644 index 13b4dcb3c..000000000 --- a/resources/lang/su/pagination.php +++ /dev/null @@ -1,19 +0,0 @@ - '« Previous', - 'next' => 'Next »', - -]; diff --git a/resources/lang/su/passwords.php b/resources/lang/su/passwords.php deleted file mode 100644 index 1fc0e1ef1..000000000 --- a/resources/lang/su/passwords.php +++ /dev/null @@ -1,22 +0,0 @@ - "Passwords must be at least six characters and match the confirmation.", - "user" => "We can't find a user with that e-mail address.", - "token" => "This password reset token is invalid.", - "sent" => "We have e-mailed your password reset link!", - "reset" => "Your password has been reset!", - -]; diff --git a/resources/lang/su/validation.php b/resources/lang/su/validation.php deleted file mode 100644 index 764f05636..000000000 --- a/resources/lang/su/validation.php +++ /dev/null @@ -1,107 +0,0 @@ - "The :attribute must be accepted.", - "active_url" => "The :attribute is not a valid URL.", - "after" => "The :attribute must be a date after :date.", - "alpha" => "The :attribute may only contain letters.", - "alpha_dash" => "The :attribute may only contain letters, numbers, and dashes.", - "alpha_num" => "The :attribute may only contain letters and numbers.", - "array" => "The :attribute must be an array.", - "before" => "The :attribute must be a date before :date.", - "between" => [ - "numeric" => "The :attribute must be between :min and :max.", - "file" => "The :attribute must be between :min and :max kilobytes.", - "string" => "The :attribute must be between :min and :max characters.", - "array" => "The :attribute must have between :min and :max items.", - ], - "boolean" => "The :attribute field must be true or false.", - "confirmed" => "The :attribute confirmation does not match.", - "date" => "The :attribute is not a valid date.", - "date_format" => "The :attribute does not match the format :format.", - "different" => "The :attribute and :other must be different.", - "digits" => "The :attribute must be :digits digits.", - "digits_between" => "The :attribute must be between :min and :max digits.", - "email" => "The :attribute must be a valid email address.", - "filled" => "The :attribute field is required.", - "exists" => "The selected :attribute is invalid.", - "image" => "The :attribute must be an image.", - "in" => "The selected :attribute is invalid.", - "integer" => "The :attribute must be an integer.", - "ip" => "The :attribute must be a valid IP address.", - "max" => [ - "numeric" => "The :attribute may not be greater than :max.", - "file" => "The :attribute may not be greater than :max kilobytes.", - "string" => "The :attribute may not be greater than :max characters.", - "array" => "The :attribute may not have more than :max items.", - ], - "mimes" => "The :attribute must be a file of type: :values.", - "min" => [ - "numeric" => "The :attribute must be at least :min.", - "file" => "The :attribute must be at least :min kilobytes.", - "string" => "The :attribute must be at least :min characters.", - "array" => "The :attribute must have at least :min items.", - ], - "not_in" => "The selected :attribute is invalid.", - "numeric" => "The :attribute must be a number.", - "regex" => "The :attribute format is invalid.", - "required" => "The :attribute field is required.", - "required_if" => "The :attribute field is required when :other is :value.", - "required_with" => "The :attribute field is required when :values is present.", - "required_with_all" => "The :attribute field is required when :values is present.", - "required_without" => "The :attribute field is required when :values is not present.", - "required_without_all" => "The :attribute field is required when none of :values are present.", - "same" => "The :attribute and :other must match.", - "size" => [ - "numeric" => "The :attribute must be :size.", - "file" => "The :attribute must be :size kilobytes.", - "string" => "The :attribute must be :size characters.", - "array" => "The :attribute must contain :size items.", - ], - "unique" => "The :attribute has already been taken.", - "url" => "The :attribute format is invalid.", - "timezone" => "The :attribute must be a valid zone.", - - /* - |-------------------------------------------------------------------------- - | Custom Validation Language Lines - |-------------------------------------------------------------------------- - | - | Here you may specify custom validation messages for attributes using the - | convention "attribute.rule" to name the lines. This makes it quick to - | specify a specific custom language line for a given attribute rule. - | - */ - - 'custom' => [ - 'attribute-name' => [ - 'rule-name' => 'custom-message', - ], - ], - - /* - |-------------------------------------------------------------------------- - | Custom Validation Attributes - |-------------------------------------------------------------------------- - | - | The following language lines are used to swap attribute place-holders - | with something more reader friendly such as E-Mail Address instead - | of "email". This simply helps us make messages a little cleaner. - | - */ - - 'attributes' => [], - -]; diff --git a/resources/views/auth/login.blade.php b/resources/views/auth/login.blade.php index 33106f3f9..8bacbd60f 100644 --- a/resources/views/auth/login.blade.php +++ b/resources/views/auth/login.blade.php @@ -15,6 +15,13 @@ {!! Lang::get('lang.alert') !!}! + @endif + + @if(Session::has('error')) +
+ +
  • {!! Session::get('error') !!}
  • +
    @endif {!! Form::open(['action'=>'Auth\AuthController@postLogin', 'method'=>'post']) !!} diff --git a/resources/views/themes/default1/admin/helpdesk/language/create.blade.php b/resources/views/themes/default1/admin/helpdesk/language/create.blade.php new file mode 100644 index 000000000..851426389 --- /dev/null +++ b/resources/views/themes/default1/admin/helpdesk/language/create.blade.php @@ -0,0 +1,102 @@ +@extends('themes.default1.admin.layout.admin') + +@section('Settings') +class="active" +@stop + +@section('settings-bar') +active +@stop + +@section('languages') +class="active" +@stop + + +@section('HeadInclude') +@stop + +@section('PageHeader') + +@stop + + +@section('breadcrumbs') + +@stop + + +@section('content') + + + + {!! Form::open(array('url'=>'language/add' , 'method' => 'post', 'files'=>true) )!!} + + +
    +
    + +

    Add language package {!! Form::submit(Lang::get('lang.save'),['class'=>'form-group btn btn-primary pull-right'])!!}

    + +
    + +
    + @if(Session::has('success')) +
    + + +

    {{Session::get('success')}}

    +
    + @endif + + @if(Session::has('fails')) +
    + + + {{Session::get('fails')}} + @if(Session::has('link')) + Enable it + @endif +
    + @endif + +
    + +
    + + {!! Form::label('language-name',Lang::get('lang.language-name')) !!} + {!! Form::text('language-name',null,['placeholder'=>'English','class' => 'form-control']) !!} + {!! $errors->first('language-name', ':message') !!} + + +
    +
    + + {!! Form::label('iso-code',Lang::get('lang.iso-code')) !!} + {!! Form::text('iso-code',null,['placeholder'=>'en','class' => 'form-control']) !!} + {!! $errors->first('iso-code', ':message') !!} + +
    +
    +
    +
    + + {!! Form::label('File',Lang::get('lang.file')) !!} +
    {!! Lang::get('lang.upload_file') !!} + {!! Form::file('File') !!} +
    + {!! $errors->first('File', ':message') !!} + +
    +
    + + +@stop +@section('FooterInclude') + +@stop + + + diff --git a/resources/views/themes/default1/admin/helpdesk/language/index.blade.php b/resources/views/themes/default1/admin/helpdesk/language/index.blade.php new file mode 100644 index 000000000..9435c104a --- /dev/null +++ b/resources/views/themes/default1/admin/helpdesk/language/index.blade.php @@ -0,0 +1,61 @@ +@extends('themes.default1.admin.layout.admin') + +@section('Settings') +class="active" +@stop + +@section('settings-bar') +active +@stop + +@section('languages') +class="active" +@stop + + +@section('HeadInclude') +@stop + +@section('PageHeader') + +@stop + + +@section('breadcrumbs') + +@stop + + + +@section('content') +
    +
    +

    {{ Lang::get('lang.language') }}

    {{Lang::get('lang.add')}} + {{Lang::get('lang.download')}} +
    +
    + + @if(Session::has('success')) +
    + + + {{Session::get('success')}} Enable it +
    + @endif + + @if(Session::has('fails')) +
    + + + {{Session::get('fails')}} +
    + @endif + {!! Datatable::table() + ->addColumn(Lang::get('lang.language'),Lang::get('lang.iso-code'),Lang::get('lang.status'),Lang::get('lang.Action')) // these are the column headings to be shown + ->setUrl(route('getAllLanguages')) // this is the route where data will be retrieved + ->render() !!} +
    +
    +@stop \ No newline at end of file diff --git a/resources/views/themes/default1/admin/helpdesk/setting.blade.php b/resources/views/themes/default1/admin/helpdesk/setting.blade.php new file mode 100644 index 000000000..7458a6068 --- /dev/null +++ b/resources/views/themes/default1/admin/helpdesk/setting.blade.php @@ -0,0 +1,435 @@ +@extends('themes.default1.admin.layout.admin') +@section('HeadInclude') +@stop + +@section('PageHeader') +
    +

    {!! Lang::get('lang.admin_panel') !!}

    +
    +@stop + + +@section('breadcrumbs') + +@stop + + +@section('content') + +
    +
    +

    {!! Lang::get('lang.staffs') !!}

    +
    + +
    +
    +
    + +
    +
    +
    + + + +
    +
    {!! Lang::get('lang.agents') !!}
    +
    +
    + + +
    +
    +
    + + + +
    +
    {!! Lang::get('lang.departments') !!}
    +
    +
    + + + +
    +
    +
    + + + +
    +
    {!! Lang::get('lang.teams') !!}
    +
    +
    + + +
    +
    + +
    {!! Lang::get('lang.groups') !!}
    +
    +
    + +
    +
    + +
    + +
    + + + + +
    +
    +

    {!! Lang::get('lang.email') !!}

    +
    + +
    +
    +
    + +
    +
    + +
    {!! Lang::get('lang.incoming_emails') !!}
    +
    +
    + + +
    +
    + +
    {!! Lang::get('lang.outgoing_emails') !!}
    +
    +
    + + + +
    +
    + +
    {!! Lang::get('lang.ban_lists') !!}
    +
    +
    + + +
    +
    + +
    {!! Lang::get('lang.diagnostics') !!}
    +
    +
    + + +
    +
    + +
    + +
    + + + + +
    +
    +

    {!! Lang::get('lang.manage') !!}

    +
    + +
    +
    +
    + +
    +
    + +
    {!! Lang::get('lang.help_topics') !!}
    +
    +
    + + +
    +
    + +
    {!! Lang::get('lang.sla_plans') !!}
    +
    +
    + + + +
    +
    + +
    {!! Lang::get('lang.forms') !!}
    +
    +
    + + +
    +
    + +
    + +
    + + + +
    +
    +

    {!! Lang::get('lang.settings') !!}

    +
    + +
    +
    +
    + +
    +
    + +
    {!! Lang::get('lang.company') !!}
    +
    +
    + + +
    +
    + +
    {!! Lang::get('lang.system') !!}
    +
    +
    + + + +
    +
    + +
    {!! Lang::get('lang.email') !!}
    +
    +
    + + + +
    +
    + +
    {!! Lang::get('lang.ticket') !!}
    +
    +
    + + + +
    +
    + +
    {!! Lang::get('lang.auto_response') !!}
    +
    +
    + + + +
    +
    +
    + + + +
    +
    {!! Lang::get('lang.alert_notices') !!}
    +
    +
    + + + +
    +
    +
    + + + +
    +
    {!! Lang::get('lang.language') !!}
    +
    +
    + + +
    +
    + +
    + +
    + + + + +
    +
    +

    {!! Lang::get('lang.themes') !!}

    +
    + +
    +
    +
    + +
    +
    + +
    {!! Lang::get('lang.footer') !!}
    +
    +
    + + + +
    +
    + +
    {!! Lang::get('lang.footer2') !!}
    +
    +
    + + + +
    +
    + +
    {!! Lang::get('lang.footer3') !!}
    +
    +
    + + + +
    +
    + +
    {!! Lang::get('lang.footer4') !!}
    +
    +
    + + +
    +
    + +
    + +
    + + + + +
    +
    +

    {!! Lang::get('lang.plugin') !!}

    +
    + +
    +
    +
    + +
    +
    + +
    {!! Lang::get('lang.plugin') !!}
    +
    +
    + + +
    +
    + +
    + +
    + + +@stop diff --git a/resources/views/themes/default1/admin/layout/admin.blade.php b/resources/views/themes/default1/admin/layout/admin.blade.php index 027ab1b0e..54eb3a7c9 100644 --- a/resources/views/themes/default1/admin/layout/admin.blade.php +++ b/resources/views/themes/default1/admin/layout/admin.blade.php @@ -28,10 +28,13 @@ + + + @yield('HeadInclude') @@ -49,18 +52,12 @@ +

    + +@stop \ No newline at end of file diff --git a/resources/views/themes/default1/installer - Copy/helpdesk/view3.blade.php b/resources/views/themes/default1/installer - Copy/helpdesk/view3.blade.php new file mode 100644 index 000000000..08e0b58f4 --- /dev/null +++ b/resources/views/themes/default1/installer - Copy/helpdesk/view3.blade.php @@ -0,0 +1,166 @@ +@extends('themes.default1.installer.layout.installer') + +@section('content') + + +

    Localisation

    + +

    +@stop \ No newline at end of file diff --git a/resources/views/themes/default1/installer - Copy/helpdesk/view4.blade.php b/resources/views/themes/default1/installer - Copy/helpdesk/view4.blade.php new file mode 100644 index 000000000..569724051 --- /dev/null +++ b/resources/views/themes/default1/installer - Copy/helpdesk/view4.blade.php @@ -0,0 +1,32 @@ +@extends('themes.default1.installer.layout.installer') +@section('content') +

    Configuration

    + +

    +@stop + + diff --git a/resources/views/themes/default1/installer - Copy/helpdesk/view5.blade.php b/resources/views/themes/default1/installer - Copy/helpdesk/view5.blade.php new file mode 100644 index 000000000..3a9affd29 --- /dev/null +++ b/resources/views/themes/default1/installer - Copy/helpdesk/view5.blade.php @@ -0,0 +1,205 @@ +@extends('themes.default1.installer.layout.installer') +@section('content') + +

    Database test

    +

    +@stop \ No newline at end of file diff --git a/resources/views/themes/default1/installer - Copy/helpdesk/view6.blade.php b/resources/views/themes/default1/installer - Copy/helpdesk/view6.blade.php new file mode 100644 index 000000000..348875ec4 --- /dev/null +++ b/resources/views/themes/default1/installer - Copy/helpdesk/view6.blade.php @@ -0,0 +1,198 @@ +@extends('themes.default1.installer.layout.installer') + +@section('content') +

    Create Admin Account

    +

    +@stop \ No newline at end of file diff --git a/resources/views/themes/default1/installer - Copy/helpdesk/view7.blade.php b/resources/views/themes/default1/installer - Copy/helpdesk/view7.blade.php new file mode 100644 index 000000000..397eb7b6e --- /dev/null +++ b/resources/views/themes/default1/installer - Copy/helpdesk/view7.blade.php @@ -0,0 +1,26 @@ +@extends('themes.default1.installer.layout.installer') +@section('content') + + +

    You're All Set

    +

    + +

    Thank You

    +

    + +
    +     Submit +


    +

    + +@stop diff --git a/resources/views/themes/default1/installer - Copy/layout/installer.blade.php b/resources/views/themes/default1/installer - Copy/layout/installer.blade.php new file mode 100644 index 000000000..41fb9aadc --- /dev/null +++ b/resources/views/themes/default1/installer - Copy/layout/installer.blade.php @@ -0,0 +1,118 @@ + + + + Faveo HELPDESK | Insatller + + + + {{-- {{ HTML::style('ep-content/themes/ep-admin/default1/css/bootstrap.min.css'); }} --}} + + + {{-- {{ HTML::style('ep-content/themes/ep-admin/default1/css/font-awesome.min.css'); }} --}} + + + + {{-- {{ HTML::style('ep-content/themes/ep-admin/default1/admin/css/ionicons.min.css'); }} --}} + + + + {{-- {{ HTML::style('ep-content/themes/ep-admin/default1/admin/css/AdminLTE.css'); }} --}} + + + {{-- --}} + {{-- {{ HTML::style('ep-content/themes/ep-admin/default1/css/daterangepicker/daterangepicker-bs3.css'); }} --}} + + + {{-- --}} + {{-- {{ HTML::style('ep-content/themes/ep-admin/default1/css/timepicker/bootstrap-timepicker.min.css'); }} --}} + + + + + + + +

    + + + + + \ No newline at end of file diff --git a/resources/views/themes/default1/installer/helpdesk/view1.blade.php b/resources/views/themes/default1/installer/helpdesk/view1.blade.php index 0acc8abba..38a1d76db 100644 --- a/resources/views/themes/default1/installer/helpdesk/view1.blade.php +++ b/resources/views/themes/default1/installer/helpdesk/view1.blade.php @@ -1,120 +1,72 @@ @extends('themes.default1.installer.layout.installer') +@section('licence') +active +@stop @section('content') +

    Licence Agreement

    -

    Licence Agreement

    +

    PLEASE READ THIS SOFTWARE LICENSE AGREEMENT CAREFULLY BEFORE DOWNLOADING OR USING THE SOFTWARE. BY CLICKING ON THE "ACCEPT" BUTTON, OPENING THE PACKAGE, OR DOWNLOADING THE PRODUCT, YOU ARE CONSENTING TO BE BOUND BY THIS AGREEMENT. IF YOU DO NOT AGREE TO ALL OF THE TERMS OF THIS AGREEMENT, STOP THE INSTALLATION PROCESS AND EXIT.

    +
    +
    + +
    +
    + X + + close +

    - - -
    @@ -211,15 +228,14 @@ a:visited {color:#000;} /* visited link */ a:hover {color:#000;} /* mouse over link */ a:active {color:#000;} -


    +

    -
      -
    • ok — All OK
    • -
    • warning — Not a deal breaker, but it's recommended to have this installed for some features to work
    • -
    • error — Faveo HELPDESK require this feature and can't work without it
    • -
    + {{--
      --}} +

      ok — All OK
      + warning — Not a deal breaker, but it's recommended to have this installed for some features to work
      + error — Faveo HELPDESK require this feature and can't work without it

      + {{--
    --}}
    -

    @stop \ No newline at end of file diff --git a/resources/views/themes/default1/installer/helpdesk/view3.blade.php b/resources/views/themes/default1/installer/helpdesk/view3.blade.php index 08e0b58f4..f329f6c9c 100644 --- a/resources/views/themes/default1/installer/helpdesk/view3.blade.php +++ b/resources/views/themes/default1/installer/helpdesk/view3.blade.php @@ -1,166 +1,88 @@ @extends('themes.default1.installer.layout.installer') +@section('licence') +done +@stop + +@section('environment') +done +@stop + +@section('database') +active +@stop + @section('content') - + +

    Page Setup

    -

    Localisation

    - -

    + {!! Form::open(['url'=> '/step4post']) !!} + + + + + + + + + + + + + + + + + + + + + + + + + +
    + + + +
    + + + + +
    + + + + +
    + + + + +
    + + + + +
    + + + + + +
    +
    +

    + + Previous +

    + +
    @stop \ No newline at end of file diff --git a/resources/views/themes/default1/installer/helpdesk/view4.blade.php b/resources/views/themes/default1/installer/helpdesk/view4.blade.php index 569724051..c68e27937 100644 --- a/resources/views/themes/default1/installer/helpdesk/view4.blade.php +++ b/resources/views/themes/default1/installer/helpdesk/view4.blade.php @@ -1,32 +1,215 @@ @extends('themes.default1.installer.layout.installer') -@section('content') -

    Configuration

    - -

    + +@section('licence') +done @stop +@section('environment') +done +@stop +@section('database') +active +@stop + +@section('content') + +FaveoHELPDESK 1.0 and Newer'); + +define('STATUS_OK', 'ok'); +define('STATUS_WARNING', 'warning'); +define('STATUS_ERROR', 'error'); + +class TestResult { + + var $message; + var $status; + + function TestResult($message, $status = STATUS_OK) { + $this->message = $message; + $this->status = $status; + } + +} // TestResult + +if (DB_HOST && DB_USER && DB_NAME) { + ?> +
      += 0) { + $results[] = new TestResult('MySQL version is ' . $mysqli_version, STATUS_OK); + // $have_inno = check_have_inno($connection); + } else { + $results[] = new TestResult('Your MySQL version is ' . $mysqli_version . '. We recommend upgrading to at least MySQL5!', STATUS_ERROR); + $mysqli_ok = false; + } // if + } else { + $results[] = new TestResult('Failed to select database.
      MySQL said: ' . mysqli_error(), STATUS_ERROR); + $mysqli_ok = false; + } // if + } else { + $results[] = new TestResult('Failed to connect to database.
      MySQL said: ' . mysqli_error(), STATUS_ERROR); + $mysqli_ok = false; + } // if + } + // elseif($default == 'pgsql') { + // if ($connection2 = pg_connect("'host='.DB_HOST.' port='.DB_PORT.' dbname='.DB_NAME.' user='.DB_USER.' password='.DB_PASS.")) { + // $results[] = new TestResult('Connected to database as ' . DB_USER . '@' . DB_HOST, STATUS_OK); + // } else { + // $results[] = new TestResult('Failed to connect to database.
      PgSQL said: ' . mysqli_error(), STATUS_ERROR); + // $mysqli_ok = false; + // } + // } elseif($default == 'sqlsrv') { + + // } + // --------------------------------------------------- + // Validators + // --------------------------------------------------- +// dd($results); + + foreach ($results as $result) { + print '' . $result->status . ' — ' . $result->message . '
      '; + } // foreach + ?> +
    + +

    Database test is turned off. To turn it On, please open probe.php in your favorite text editor and set DB_XXXX connection parameters in database section at the beginning of the file:

    +
      +
    • DB_HOST — Address of your MySQL server (usually localhost)
    • +
    • DB_USER — Username that is used to connect to the server
    • +
    • DB_PASS — User's password
    • +
    • DB_NAME — Name of the database you are connecting to
    • +
    +

    Once these settings are set, probe.php will check if your database meets the system requirements.

    + + + + + +

    OK, this system can run FaveoHELPDESK

    + +

    Database connection successfull

    + + + +Please wait this may take a while...... + +{!! Form::open( ['id'=>'form','method' => 'PATCH'] )!!} +{{-- --}} + + + + + + + + + + + + + + + + + +

    + + Previous +

    + + + + + + +

    This system does not meet FaveoHELPDESK system requirements

    +

    + +

    Legend

    +
    + {{--
      --}} + ok — All OK
      + warning — Not a deal breaker, but it's recommended to have this installed for some features to work
      + errorFaveoHELPDESK require this feature and can't work without it

      + {{--
    --}} +
    + + +@stop diff --git a/resources/views/themes/default1/installer/helpdesk/view4b.blade.php b/resources/views/themes/default1/installer/helpdesk/view4b.blade.php new file mode 100644 index 000000000..eaeb9454b --- /dev/null +++ b/resources/views/themes/default1/installer/helpdesk/view4b.blade.php @@ -0,0 +1,63 @@ + + + + + + + Faveo HELPDESK + + + + + + + + + +

    faveo

    +
      +
    1. Licence Agreement
    2. +
    3. Environment Test
    4. + +
    5. Database Setup
    6. +
    7. Locale Information
    8. +
    9. Ready
    10. +
    +
    + +
    + + +

    + + Test/Probe Prerequisites required to be installed Probe +
    ok — Connected to database as root@localhost +
    ok — Database "faveo" selected +
    ok — MySQL version is 5.6.17 +
    ok, this system can run FaveoHELPDESK +

    Database connection successfull

    + +
    + + + + +

    + + Previous +

    +

    Legend

    +
    ok — All OK +
    Warning — Not a deal breaker, but it's recommended to have this installed for some features to work +
    Error— Faveo HELPDESK require this feature and can't work without it +
    +

    + + +
    +
    + + + + + \ No newline at end of file diff --git a/resources/views/themes/default1/installer/helpdesk/view5.blade.php b/resources/views/themes/default1/installer/helpdesk/view5.blade.php index 3a9affd29..586dc5552 100644 --- a/resources/views/themes/default1/installer/helpdesk/view5.blade.php +++ b/resources/views/themes/default1/installer/helpdesk/view5.blade.php @@ -1,205 +1,328 @@ @extends('themes.default1.installer.layout.installer') + +@section('licence') +done +@stop + +@section('environment') +done +@stop + +@section('database') +done +@stop + +@section('locale') +active +@stop + @section('content') -

    Database test

    -

    @stop \ No newline at end of file diff --git a/resources/views/themes/default1/installer/helpdesk/view6.blade.php b/resources/views/themes/default1/installer/helpdesk/view6.blade.php index 348875ec4..f1914e499 100644 --- a/resources/views/themes/default1/installer/helpdesk/view6.blade.php +++ b/resources/views/themes/default1/installer/helpdesk/view6.blade.php @@ -1,198 +1,61 @@ @extends('themes.default1.installer.layout.installer') +@section('licence') +done +@stop + +@section('environment') +done +@stop + +@section('database') +done +@stop + +@section('locale') +done +@stop + +@section('ready') +active +@stop + @section('content') -

    Create Admin Account

    -

    -@stop \ No newline at end of file + + + + @stop \ No newline at end of file diff --git a/resources/views/themes/default1/installer/layout/installer.blade.php b/resources/views/themes/default1/installer/layout/installer.blade.php index 41fb9aadc..c0c93a797 100644 --- a/resources/views/themes/default1/installer/layout/installer.blade.php +++ b/resources/views/themes/default1/installer/layout/installer.blade.php @@ -1,118 +1,80 @@ - - - - Faveo HELPDESK | Insatller - - - - {{-- {{ HTML::style('ep-content/themes/ep-admin/default1/css/bootstrap.min.css'); }} --}} + + + + + + Faveo HELPDESK + + + + + + + - - {{-- {{ HTML::style('ep-content/themes/ep-admin/default1/css/font-awesome.min.css'); }} --}} + - - - - - - - - - - - \ No newline at end of file + #sectool p{ + text-align: justify; + text-align-last: center; + font-size: 14px; + color: aliceblue; + width: 200px; + word-wrap: break-word; + font-style: italic; + font-weight: 600; + font-variant: normal; + } + + + + +

    + faveo

    +
      +
    1. Licence Agreement
    2. +
    3. Environment Test
    4. +
    5. Database Setup
    6. +
    7. Locale Information
    8. +
    9. Ready
    10. +
    +
    + @yield('content') +
    +
    ©. Powered by Faveo
    + {{-- // --}} + {{-- // --}} + + \ No newline at end of file diff --git a/vendor/autoload.php b/vendor/autoload.php index 593552971..0141d402f 100644 --- a/vendor/autoload.php +++ b/vendor/autoload.php @@ -4,4 +4,4 @@ require_once __DIR__ . '/composer' . '/autoload_real.php'; -return ComposerAutoloaderInitbe2f9f1bc8232b95340714a19f4a3f05::getLoader(); +return ComposerAutoloaderInit7157e8cc863b79dcda33b8f735f4c92d::getLoader(); diff --git a/vendor/bin/phpspec b/vendor/bin/phpspec index ca93da451..034a5ff91 100644 --- a/vendor/bin/phpspec +++ b/vendor/bin/phpspec @@ -1,7 +1 @@ -#!/usr/bin/env sh -SRC_DIR="`pwd`" -cd "`dirname "$0"`" -cd "../phpspec/phpspec/bin" -BIN_TARGET="`pwd`/phpspec" -cd "$SRC_DIR" -"$BIN_TARGET" "$@" +../phpspec/phpspec/bin/phpspec \ No newline at end of file diff --git a/vendor/bin/phpunit b/vendor/bin/phpunit index 51f84b978..2c4893031 100644 --- a/vendor/bin/phpunit +++ b/vendor/bin/phpunit @@ -1,7 +1 @@ -#!/usr/bin/env sh -SRC_DIR="`pwd`" -cd "`dirname "$0"`" -cd "../phpunit/phpunit" -BIN_TARGET="`pwd`/phpunit" -cd "$SRC_DIR" -"$BIN_TARGET" "$@" +../phpunit/phpunit/phpunit \ No newline at end of file diff --git a/vendor/bugsnag/bugsnag-laravel/CHANGELOG.md b/vendor/bugsnag/bugsnag-laravel/CHANGELOG.md index c21ea345d..87437d248 100644 --- a/vendor/bugsnag/bugsnag-laravel/CHANGELOG.md +++ b/vendor/bugsnag/bugsnag-laravel/CHANGELOG.md @@ -1,6 +1,16 @@ Changelog ========= +1.6.2 +----- + +### Enhancements + +- Add support for configuring the notifier completely from +[environment variables](https://github.com/bugsnag/bugsnag-laravel#environment-variables) + | [Andrew](https://github.com/browner12) + | [#71](https://github.com/bugsnag/bugsnag-laravel/pull/71) + 1.6.1 ----- - Fix array syntax for older php diff --git a/vendor/bugsnag/bugsnag-laravel/CONTRIBUTING.md b/vendor/bugsnag/bugsnag-laravel/CONTRIBUTING.md index 7434b790b..6d9a4cb5b 100644 --- a/vendor/bugsnag/bugsnag-laravel/CONTRIBUTING.md +++ b/vendor/bugsnag/bugsnag-laravel/CONTRIBUTING.md @@ -2,28 +2,15 @@ Contributing ============ - [Fork](https://help.github.com/articles/fork-a-repo) the [notifier on github](https://github.com/bugsnag/bugsnag-laravel) -- Build and test your changes +- Build and test your changes: +``` +composer install && ./vendor/bin/phpunit +``` + - Commit and push until you are happy with your contribution - [Make a pull request](https://help.github.com/articles/using-pull-requests) - Thanks! -Example apps -============ - -Bugsnag supports both Laravel 4 and Laravel 5. You can test these out by running the locally. - - brew tap josegonzalez/homebrew-php - brew install php56 php56-mcrypt composer - -Then cd into `example/laravel-4` and start the server: - - composer install - php56 artisan serve --port 8004 - -The same works for `example/laravel-5` and start the server: - - composer install - php56 artisan serve --port 8005 Releasing ========= diff --git a/vendor/bugsnag/bugsnag-laravel/README.md b/vendor/bugsnag/bugsnag-laravel/README.md index 7b3ece7e4..76dab056f 100644 --- a/vendor/bugsnag/bugsnag-laravel/README.md +++ b/vendor/bugsnag/bugsnag-laravel/README.md @@ -11,11 +11,33 @@ capturing errors from your applications. Check out this excellent [Laracasts screencast](https://laracasts.com/lessons/better-error-tracking-with-bugsnag) for a quick overview of how to use Bugsnag with your Laravel apps. +Contents +-------- -How to Install +- [Getting Started](#getting-started) + - [Installation](#installation) + - [Laravel 5.0+](#laravel-50) + - [Laravel (Older Versions)](#laravel-older-versions) + - [Lumen](#lumen) + - [Environment Variables](#environment-variables) +- [Usage](#usage) + - [Catching and Reporting Exceptions](#catching-and-reporting-exceptions) + - [Sending Non-fatal Exceptions](#sending-non-fatal-exceptions) + - [Configuration Options](#configuration-options) + - [Error Reporting Levels](#error-reporting-levels) + - [Callbacks](#callbacks) +- [Demo Applications](#demo-applications) +- [Support](#support) +- [Contributing](#contributing) +- [License](#license) + + +Getting Started --------------- -### Laravel 5.0 + +### Installation + +#### Laravel 5.0+ 1. Install the `bugsnag/bugsnag-laravel` package @@ -68,7 +90,7 @@ How to Install 1. Create the configuration file `config/bugsnag.php`: ```shell - $ php artisan vendor:publish + $ php artisan vendor:publish --provider="Bugsnag\BugsnagLaravel\BugsnagLaravelServiceProvider" ``` 1. Configure your `api_key` in your `.env` file: @@ -87,7 +109,9 @@ How to Install ); ``` -### Laravel < 5.0 +#### Laravel (Older Versions) + +For versions of Laravel before 5.0: 1. Install the `bugsnag/bugsnag-laravel` package @@ -137,7 +161,7 @@ How to Install ``` -### Lumen +#### Lumen 1. In `bootstrap/app.php` add the line @@ -170,41 +194,35 @@ How to Install ); ``` +### Environment Variables + +In addition to `BUGSNAG_API_KEY`, other configuration keys can be automatically +populated in `config.php` from your `.env` file: + +- `BUGSNAG_API_KEY`: Your API key. You can find your API key on your Bugsnag + dashboard. +- `BUGSNAG_NOTIFY_RELEASE_STAGES`: Set which release stages should send + notifications to Bugsnag. +- `BUGSNAG_ENDPOINT`: Set what server to which the Bugsnag notifier should send + errors. The default is https://notify.bugsnag.com, but for Bugsnag Enterprise + the endpoint should be the URL of your Bugsnag instance. +- `BUGSNAG_FILTERS`: Set which keys are filtered from metadata is sent to + Bugsnag. +- `BUGSNAG_PROXY`: Set the configuration options for your server if it is behind + a proxy server. Additional details are available in the + [sample configuration](src/Bugsnag/BugsnagLaravel/config.php#L56). +Usage +----- -Sending Custom Data With Exceptions ------------------------------------ +### Catching and Reporting Exceptions -It is often useful to send additional meta-data about your app, such as -information about the currently logged in user, along with any -error or exceptions, to help debug problems. - -To send custom data, you should define a *before-notify* function, -adding an array of "tabs" of custom data to the $metaData parameter. For example: - -```php -Bugsnag::setBeforeNotifyFunction("before_bugsnag_notify"); - -function before_bugsnag_notify($error) { - // Do any custom error handling here - - // Also add some meta data to each error - $error->setMetaData(array( - "user" => array( - "name" => "James", - "email" => "james@example.com" - ) - )); -} -``` - -See the [setBeforeNotifyFunction](https://bugsnag.com/docs/notifiers/php#setbeforenotifyfunction) -documentation on the `bugsnag-php` library for more information. +Bugsnag works "out of the box" for reporting unhandled exceptions in +Laravel and Lumen apps. -Sending Custom Errors or Non-Fatal Exceptions ---------------------------------------------- +### Sending Non-fatal Exceptions You can easily tell Bugsnag about non-fatal or caught exceptions by calling `Bugsnag::notifyException`: @@ -231,9 +249,16 @@ $metaData = array( ); ``` +Additional data can be sent with exceptions as an options hash as detailed in the [Notification Options](docs/Notification Options.md) documentation, including some [options specific to non-fatal exceptions](docs/Notification Options.md#handled-notification-options). -Error Reporting Levels ----------------------- + +### Configuration Options + +The [Bugsnag PHP Client](https://bugsnag.com/docs/notifiers/php) +is available as `Bugsnag`, which allows you to set various +configuration options. These options are listed in the [documentation for Bugsnag PHP](https://bugsnag.com/docs/notifiers/php#additional-options). + +#### Error Reporting Levels By default we'll use the value of `error_reporting` from your `php.ini` or any value you set at runtime using the `error_reporting(...)` function. @@ -245,43 +270,67 @@ If you'd like to send different levels of errors to Bugsnag, you can call Bugsnag::setErrorReportingLevel(E_ALL & ~E_NOTICE); ``` +#### Callbacks -Additional Configuration ------------------------- +It is often useful to send additional meta-data about your app, such as +information about the currently logged in user, along with any +error or exceptions, to help debug problems. -The [Bugsnag PHP Client](https://bugsnag.com/docs/notifiers/php) -is available as `Bugsnag`, which allows you to set various -configuration options, for example: +To send custom data, you should define a *before-notify* function, +adding an array of "tabs" of custom data to the $metaData parameter. For example: ```php -Bugsnag::setReleaseStage("production"); +Bugsnag::setBeforeNotifyFunction("before_bugsnag_notify"); + +function before_bugsnag_notify($error) { + // Do any custom error handling here + + // Also add some meta data to each error + $error->setMetaData(array( + "user" => array( + "name" => "James", + "email" => "james@example.com" + ) + )); +} ``` -See the [Bugsnag Notifier for PHP documentation](https://bugsnag.com/docs/notifiers/php#additional-configuration) -for full configuration details. +This example snippet adds a "user" tab to the Bugsnag error report. See the [setBeforeNotifyFunction](https://bugsnag.com/docs/notifiers/php#setbeforenotifyfunction) +documentation on the `bugsnag-php` library for more information. -Reporting Bugs or Feature Requests ----------------------------------- +Demo Applications +----------------- -Please report any bugs or feature requests on the github issues page for this -project here: +The [Bugsnag Laravel source repository](https://github.com/bugsnag/bugsnag-laravel) includes example applications for [Laravel 4, Laravel 5, and Lumen](https://github.com/bugsnag/bugsnag-laravel/tree/master/example). - +Before running one of the example applications, install the prerequisites: + + brew tap josegonzalez/homebrew-php + brew install php56 php56-mcrypt composer + +Then open the example directory (such as `example/laravel-5.1`) in a terminal and start the server: + + composer install + php56 artisan serve --port 8004 + + +Support +------- + +* [Additional Documentation](https://github.com/bugsnag/bugsnag-laravel/tree/master/docs) +* [Search open and closed issues](https://github.com/bugsnag/bugsnag-laravel/issues?utf8=✓&q=is%3Aissue) for similar problems +* [Report a bug or request a feature](https://github.com/bugsnag/bugsnag-laravel/issues/new) Contributing ------------ -- [Fork](https://help.github.com/articles/fork-a-repo) the [notifier on github](https://github.com/bugsnag/bugsnag-laravel) -- Commit and push until you are happy with your contribution -- Run the tests to make sure they all pass: `composer install && ./vendor/bin/phpunit` -- [Make a pull request](https://help.github.com/articles/using-pull-requests) -- Thanks! +We'd love you to file issues and send pull requests. The [contributing guidelines](https://github.com/bugsnag/bugsnag-laravel/CONTRIBUTING.md) details the process of building and testing `bugsnag-laravel`, as well as the pull request process. Feel free to comment on [existing issues](https://github.com/bugsnag/bugsnag-laravel/issues) for clarification or starting points. License ------- The Bugsnag Laravel notifier is free software released under the MIT License. -See [LICENSE.txt](https://github.com/bugsnag/bugsnag-laravel/blob/master/LICENSE.txt) for details. +See [LICENSE.txt](LICENSE.txt) for details. diff --git a/vendor/bugsnag/bugsnag-laravel/src/Bugsnag/BugsnagLaravel/BugsnagLaravelServiceProvider.php b/vendor/bugsnag/bugsnag-laravel/src/Bugsnag/BugsnagLaravel/BugsnagLaravelServiceProvider.php index 675658029..435739ca4 100644 --- a/vendor/bugsnag/bugsnag-laravel/src/Bugsnag/BugsnagLaravel/BugsnagLaravelServiceProvider.php +++ b/vendor/bugsnag/bugsnag-laravel/src/Bugsnag/BugsnagLaravel/BugsnagLaravelServiceProvider.php @@ -66,7 +66,7 @@ class BugsnagLaravelServiceProvider extends ServiceProvider $client->setReleaseStage($app->environment()); $client->setNotifier(array( 'name' => 'Bugsnag Laravel', - 'version' => '1.6.1', + 'version' => '1.6.2', 'url' => 'https://github.com/bugsnag/bugsnag-laravel' )); diff --git a/vendor/bugsnag/bugsnag-laravel/src/Bugsnag/BugsnagLaravel/config.php b/vendor/bugsnag/bugsnag-laravel/src/Bugsnag/BugsnagLaravel/config.php index b372c8fd9..f92af7678 100644 --- a/vendor/bugsnag/bugsnag-laravel/src/Bugsnag/BugsnagLaravel/config.php +++ b/vendor/bugsnag/bugsnag-laravel/src/Bugsnag/BugsnagLaravel/config.php @@ -25,7 +25,7 @@ return array( | Example: array('development', 'production') | */ - 'notify_release_stages' => null, + 'notify_release_stages' => env('BUGSNAG_NOTIFY_RELEASE_STAGES', null), /* |-------------------------------------------------------------------------- @@ -37,7 +37,7 @@ return array( | this should be the URL to your Bugsnag instance. | */ - 'endpoint' => null, + 'endpoint' => env('BUGSNAG_ENDPOINT', null), /* |-------------------------------------------------------------------------- @@ -49,7 +49,7 @@ return array( | contain these strings will be filtered. | */ - 'filters' => array('password'), + 'filters' => env('BUGSNAG_FILTERS', array('password')), /* |-------------------------------------------------------------------------- @@ -72,6 +72,6 @@ return array( | ) | */ - 'proxy' => null + 'proxy' => env('BUGSNAG_PROXY', null) ); diff --git a/vendor/bugsnag/bugsnag/.gitignore b/vendor/bugsnag/bugsnag/.gitignore index 88e99d50d..a43ea8b13 100644 --- a/vendor/bugsnag/bugsnag/.gitignore +++ b/vendor/bugsnag/bugsnag/.gitignore @@ -1,2 +1,4 @@ -vendor -composer.lock \ No newline at end of file +/vendor +/composer.lock +/composer.phar +/.idea diff --git a/vendor/bugsnag/bugsnag/.travis.yml b/vendor/bugsnag/bugsnag/.travis.yml index f0504449d..363311c7b 100644 --- a/vendor/bugsnag/bugsnag/.travis.yml +++ b/vendor/bugsnag/bugsnag/.travis.yml @@ -1,3 +1,4 @@ +sudo: false language: php php: - 5.6 @@ -6,7 +7,3 @@ php: - 5.3 - 5.2 - hhvm -notifications: - hipchat: - rooms: - secure: CP1Pqa5TRwHtft3UQRZpnnw/mRCAVtXAn5S/Am45uk4fpGGFLf3F/mHKOgjDeALB/aVyJQvHV/Lr2KrgY7FWOjOdzXVVwLDtGoXXimvqxGEjvSFQMiJGKiwm7Thw41EqwHOZUxIKLtJBByP36bqvx4zXxUeNbCTc4T2f92eiZps= diff --git a/vendor/bugsnag/bugsnag/CHANGELOG.md b/vendor/bugsnag/bugsnag/CHANGELOG.md index 1c01236bd..a71fe3273 100644 --- a/vendor/bugsnag/bugsnag/CHANGELOG.md +++ b/vendor/bugsnag/bugsnag/CHANGELOG.md @@ -1,6 +1,24 @@ Changelog ========= +2.6.0 (23 Dec 2015) +----- + +### Enhancements + +* Add support for PHP 7's Throwable + | [Chris Stone](https://github.com/cmstone) + | [#106](https://github.com/bugsnag/bugsnag-php/pull/106) + +* Fix errors which arise from from error payloads not encoded using UTF-8 + | [GaetanNaulin](https://github.com/GaetanNaulin) + | [#104](https://github.com/bugsnag/bugsnag-php/pull/104) + | [#105](https://github.com/bugsnag/bugsnag-php/pull/105) + +2.5.6 +----- +- Added a debug flag to help diagnose notification problems + 2.5.5 ----- - Ensure no unnecessary code is executed when errors should be skipped diff --git a/vendor/bugsnag/bugsnag/CONTRIBUTING.md b/vendor/bugsnag/bugsnag/CONTRIBUTING.md index b41c84a42..78b4614be 100644 --- a/vendor/bugsnag/bugsnag/CONTRIBUTING.md +++ b/vendor/bugsnag/bugsnag/CONTRIBUTING.md @@ -2,7 +2,7 @@ Contributing ============ - [Fork](https://help.github.com/articles/fork-a-repo) the [notifier on github](https://github.com/bugsnag/bugsnag-laravel) -- Build and test your changes +- Build and test your changes. Run the tests using [phpunit](https://phpunit.de) (vendored to `vendor/bin/phpunit`) - Commit and push until you are happy with your contribution - [Make a pull request](https://help.github.com/articles/using-pull-requests) - Thanks! @@ -22,15 +22,27 @@ Releasing ========= 1. Commit all outstanding changes -1. Bump the version in `src/Bugsnag/Configuration.php`. -2. Update the CHANGELOG.md, and README if appropriate. -3. Build a new phar package +2. Bump the version in `src/Bugsnag/Configuration.php`. +3. Update the CHANGELOG.md, and README if appropriate. +4. Build a new phar package + * NB: You may need to set `phar.readonly = Off` in /usr/local/etc/php/5.4/php.ini + * If not located in /usr/local/etc, check /private/etc/php.ini + * If not in /private/etc/php.ini: + ``` + sudo cp /private/etc/php.ini.default /private/etc/php.ini + ``` + * Then: + + ``` composer install php pharbuilder.php + ``` 4. Commit, tag push - git commit -am v1.x.x - git tag v1.x.x - git push origin master v1.x.x + ``` + git commit -am v2.x.x + git tag v2.x.x + git push origin master && git push --tags + ``` diff --git a/vendor/bugsnag/bugsnag/README.md b/vendor/bugsnag/bugsnag/README.md index 553e0607f..a0259858f 100644 --- a/vendor/bugsnag/bugsnag/README.md +++ b/vendor/bugsnag/bugsnag/README.md @@ -1,4 +1,4 @@ -Bugsnag Notifier for PHP +Bugsnag Notifier for PHP build status ======================== The Bugsnag Notifier for PHP gives you instant notification of errors and @@ -161,14 +161,12 @@ you can set the `releaseStage` that is reported to Bugsnag. $bugsnag->setReleaseStage('development'); ``` -By default this is set to be "production". +By default this is set to "production". -> Note: If you would like errors from stages other than production to be sent -to Bugsnag, you'll also have to call `setNotifyReleaseStages`. ###setNotifyReleaseStages -By default, we will notify Bugsnag of errors that happen in any +By default, we will notify Bugsnag of errors that happen in *any* `releaseStage` If you would like to change which release stages notify Bugsnag of errors you can call `setNotifyReleaseStages`: diff --git a/vendor/bugsnag/bugsnag/build/bugsnag.phar b/vendor/bugsnag/bugsnag/build/bugsnag.phar index 3c55b0797..047689fb9 100644 Binary files a/vendor/bugsnag/bugsnag/build/bugsnag.phar and b/vendor/bugsnag/bugsnag/build/bugsnag.phar differ diff --git a/vendor/bugsnag/bugsnag/example/php/README.md b/vendor/bugsnag/bugsnag/example/php/README.md index 80f1577db..795562639 100644 --- a/vendor/bugsnag/bugsnag/example/php/README.md +++ b/vendor/bugsnag/bugsnag/example/php/README.md @@ -3,13 +3,14 @@ - Install bugsnag using composer - + ```shell composer install ``` +- Add your API key to the example script - Run the example script ```shell php index.php - ``` \ No newline at end of file + ``` diff --git a/vendor/bugsnag/bugsnag/example/php/index.php b/vendor/bugsnag/bugsnag/example/php/index.php index 9437dc47a..0e4ef4f24 100644 --- a/vendor/bugsnag/bugsnag/example/php/index.php +++ b/vendor/bugsnag/bugsnag/example/php/index.php @@ -2,7 +2,7 @@ require_once "../../build/bugsnag.phar"; -$bugsnag = new Bugsnag_Client("066f5ad3590596f9aa8d601ea89af845"); +$bugsnag = new Bugsnag_Client("YOUR-API-KEY-HERE"); $bugsnag->notifyError("Broken", "Something broke", array("tab" => array("paying" => true, "object" => (object)array("key" => "value"), "null" => NULL, "string" => "test", "int" => 4))); ?> diff --git a/vendor/bugsnag/bugsnag/src/Bugsnag/Client.php b/vendor/bugsnag/bugsnag/src/Bugsnag/Client.php index d21db5e7b..5b49c97ca 100644 --- a/vendor/bugsnag/bugsnag/src/Bugsnag/Client.php +++ b/vendor/bugsnag/bugsnag/src/Bugsnag/Client.php @@ -3,12 +3,14 @@ class Bugsnag_Client { private $config; + /** @var Bugsnag_Notification|null */ private $notification; /** * Initialize Bugsnag * * @param String $apiKey your Bugsnag API key + * @throws Exception */ public function __construct($apiKey) { @@ -33,6 +35,7 @@ class Bugsnag_Client * Set your release stage, eg "production" or "development" * * @param String $releaseStage the app's current release stage + * @return $this */ public function setReleaseStage($releaseStage) { @@ -45,6 +48,7 @@ class Bugsnag_Client * Set your app's semantic version, eg "1.2.3" * * @param String $appVersion the app's version + * @return $this */ public function setAppVersion($appVersion) { @@ -53,10 +57,11 @@ class Bugsnag_Client return $this; } - /** + /** * Set the host name * * @param String $hostname the host name + * @return $this */ public function setHostname($hostname) { @@ -70,6 +75,7 @@ class Bugsnag_Client * eg array("production", "development") * * @param Array $notifyReleaseStages array of release stages to notify for + * @return $this */ public function setNotifyReleaseStages(array $notifyReleaseStages) { @@ -82,6 +88,7 @@ class Bugsnag_Client * Set which Bugsnag endpoint to send errors to. * * @param String $endpoint endpoint URL + * @return $this */ public function setEndpoint($endpoint) { @@ -90,11 +97,25 @@ class Bugsnag_Client return $this; } + /** + * Enable debug mode to help diagnose problems. + * + * @param Boolean $debug whether to enable debug mode + * @return $this + */ + public function setDebug($debug) + { + $this->config->debug = $debug; + + return $this; + } + /** * Set whether or not to use SSL when notifying bugsnag * * @param Boolean $useSSL whether to use SSL * @deprecated you can now pass full URLs to setEndpoint + * @return $this */ public function setUseSSL($useSSL) { @@ -107,6 +128,7 @@ class Bugsnag_Client * Set the desired timeout for cURL connection when notifying bugsnag * * @param Integer $timeout the desired timeout in seconds + * @return $this */ public function setTimeout($timeout) { @@ -121,6 +143,7 @@ class Bugsnag_Client * stacktrace lines. * * @param String $projectRoot the root path for your application + * @return $this */ public function setProjectRoot($projectRoot) { @@ -135,6 +158,7 @@ class Bugsnag_Client * for grouping and reduces the noise in stack traces. * * @param String $stripPath the path to strip from filenames + * @return $this */ public function setStripPath($stripPath) { @@ -148,6 +172,7 @@ class Bugsnag_Client * that are part of your application. * * @param String $projectRootRegex regex matching paths belong to your project + * @return $this */ public function setProjectRootRegex($projectRootRegex) { @@ -161,6 +186,7 @@ class Bugsnag_Client * to Bugsnag. Eg. array("password", "credit_card") * * @param Array $filters an array of metaData filters + * @return $this */ public function setFilters(array $filters) { @@ -178,6 +204,7 @@ class Bugsnag_Client * 'name' => 'Bob Hoskins', * 'email' => 'bob@hoskins.com' * ) + * @return $this */ public function setUser(array $user) { @@ -188,6 +215,8 @@ class Bugsnag_Client /** * @deprecated deprecated since version 2.1 + * @param $userId + * @return $this */ public function setUserId($userId) { @@ -204,6 +233,7 @@ class Bugsnag_Client * Set a context representing the current type of request, or location in code. * * @param String $context the current context + * @return $this */ public function setContext($context) { @@ -218,6 +248,7 @@ class Bugsnag_Client * eg "laravel", or executing through delayed worker code, eg "resque". * * @param String $type the current type + * @return $this */ public function setType($type) { @@ -237,6 +268,7 @@ class Bugsnag_Client * "email" => "james@example.com" * ) * ) + * @return $this */ public function setMetaData(array $metaData) { @@ -255,6 +287,7 @@ class Bugsnag_Client * 'user' => "username" * 'password' => "password123" * ) + * @return $this */ public function setProxySettings(array $proxySettings) { @@ -270,6 +303,7 @@ class Bugsnag_Client * array( * CURLOPT_IPRESOLVE => CURL_IPRESOLVE_V4 * ) + * @return $this */ public function setCurlOptions(array $curlOptions) { @@ -292,8 +326,9 @@ class Bugsnag_Client * )); * } * $bugsnag->setBeforeNotifyFunction("before_bugsnag_notify"); - * - */ + * @param callable $beforeNotifyFunction + * @return $this + */ public function setBeforeNotifyFunction($beforeNotifyFunction) { $this->config->beforeNotifyFunction = $beforeNotifyFunction; @@ -308,6 +343,7 @@ class Bugsnag_Client * * @param Integer $errorReportingLevel the error reporting level integer * exactly as you would pass to PHP's error_reporting + * @return $this */ public function setErrorReportingLevel($errorReportingLevel) { @@ -321,6 +357,7 @@ class Bugsnag_Client * exceptions and errors. * * @param Boolean $autoNotify whether to auto notify or not + * @return $this */ public function setAutoNotify($autoNotify) { @@ -334,6 +371,7 @@ class Bugsnag_Client * each request. * * @param Boolean $batchSending whether to batch together errors + * @return $this */ public function setBatchSending($batchSending) { @@ -347,6 +385,7 @@ class Bugsnag_Client * set by other notifier libraries. * * @param Array $notifier an array of name, version, url. + * @return $this */ public function setNotifier($notifier) { @@ -359,6 +398,7 @@ class Bugsnag_Client * Sets whether Bugsnag should send $_ENV with each error. * * @param Boolean $sendEnvironment whether to send the environment + * @return $this */ public function setSendEnvironment($sendEnvironment) { @@ -367,11 +407,38 @@ class Bugsnag_Client return $this; } + /** + * Sets whether Bugsnag should send $_COOKIE with each error. + * + * @param Boolean $sendCookies whether to send the environment + * @return $this + */ + public function setSendCookies($sendCookies) + { + $this->config->sendCookies = $sendCookies; + + return $this; + } + + /** + * Sets whether Bugsnag should send $_SESSION with each error. + * + * @param Boolean $sendSession whether to send the environment + * @return $this + */ + public function setSendSession($sendSession) + { + $this->config->sendSession = $sendSession; + + return $this; + } + /** * Should we send a small snippet of the code that crashed to help you * diagnose even faster from within your dashboard. * - * @param Boolean $setSendCode whether to send code to Bugsnag + * @param Boolean $sendCode whether to send code to Bugsnag + * @return $this */ public function setSendCode($sendCode) { @@ -381,25 +448,27 @@ class Bugsnag_Client } /** - * Notify Bugsnag of a non-fatal/handled exception + * Notify Bugsnag of a non-fatal/handled throwable * - * @param Exception $exception the exception to notify Bugsnag about + * @param Throwable $throwable the throwable to notify Bugsnag about * @param Array $metaData optional metaData to send with this error * @param String $severity optional severity of this error (fatal/error/warning/info) */ - public function notifyException(Exception $exception, array $metaData = null, $severity = null) + public function notifyException($throwable, array $metaData = null, $severity = null) { - $error = Bugsnag_Error::fromPHPException($this->config, $this->diagnostics, $exception); - $error->setSeverity($severity); + if (is_subclass_of($throwable, 'Throwable') || is_subclass_of($throwable, 'Exception') || get_class($throwable) == 'Exception') { + $error = Bugsnag_Error::fromPHPThrowable($this->config, $this->diagnostics, $throwable); + $error->setSeverity($severity); - $this->notify($error, $metaData); + $this->notify($error, $metaData); + } } /** * Notify Bugsnag of a non-fatal/handled error * - * @param String $errorName the name of the error, a short (1 word) string - * @param String $errorMessage the error message + * @param String $name the name of the error, a short (1 word) string + * @param String $message the error message * @param Array $metaData optional metaData to send with this error * @param String $severity optional severity of this error (fatal/error/warning/info) */ @@ -412,13 +481,13 @@ class Bugsnag_Client } // Exception handler callback, should only be called internally by PHP's set_exception_handler - public function exceptionHandler($exception) + public function exceptionHandler($throwable) { if(!$this->config->autoNotify) { return; } - $error = Bugsnag_Error::fromPHPException($this->config, $this->diagnostics, $exception); + $error = Bugsnag_Error::fromPHPThrowable($this->config, $this->diagnostics, $throwable); $error->setSeverity("error"); $this->notify($error); } diff --git a/vendor/bugsnag/bugsnag/src/Bugsnag/Configuration.php b/vendor/bugsnag/bugsnag/src/Bugsnag/Configuration.php index a7256456e..93a8e1f7d 100644 --- a/vendor/bugsnag/bugsnag/src/Bugsnag/Configuration.php +++ b/vendor/bugsnag/bugsnag/src/Bugsnag/Configuration.php @@ -18,10 +18,12 @@ class Bugsnag_Configuration public $proxySettings = array(); public $notifier = array( 'name' => 'Bugsnag PHP (Official)', - 'version' => '2.5.5', + 'version' => '2.6.0', 'url' => 'https://bugsnag.com', ); public $sendEnvironment = false; + public $sendCookies = true; + public $sendSession = true; public $sendCode = true; public $stripPath; public $stripPathRegex; @@ -39,6 +41,8 @@ class Bugsnag_Configuration public $curlOptions = array(); + public $debug = false; + public function __construct() { $this->timeout = Bugsnag_Configuration::$DEFAULT_TIMEOUT; @@ -67,8 +71,6 @@ class Bugsnag_Configuration } else { return !(error_reporting() & $code); } - - return false; } public function setProjectRoot($projectRoot) diff --git a/vendor/bugsnag/bugsnag/src/Bugsnag/Error.php b/vendor/bugsnag/bugsnag/src/Bugsnag/Error.php index 5ccf3da76..0f79e3812 100644 --- a/vendor/bugsnag/bugsnag/src/Bugsnag/Error.php +++ b/vendor/bugsnag/bugsnag/src/Bugsnag/Error.php @@ -12,10 +12,12 @@ class Bugsnag_Error public $payloadVersion = "2"; public $message; public $severity = "warning"; + /** @var Bugsnag_Stacktrace */ public $stacktrace; public $metaData = array(); public $config; public $diagnostics; + /** @var Bugsnag_Error|null */ public $previous; public $groupingHash; @@ -28,10 +30,10 @@ class Bugsnag_Error return $error; } - public static function fromPHPException(Bugsnag_Configuration $config, Bugsnag_Diagnostics $diagnostics, Exception $exception) + public static function fromPHPThrowable(Bugsnag_Configuration $config, Bugsnag_Diagnostics $diagnostics, $throwable) { $error = new Bugsnag_Error($config, $diagnostics); - $error->setPHPException($exception); + $error->setPHPException($throwable); return $error; } @@ -74,7 +76,7 @@ class Bugsnag_Error return $this; } - public function setStacktrace($stacktrace) + public function setStacktrace(Bugsnag_Stacktrace $stacktrace) { $this->stacktrace = $stacktrace; @@ -141,7 +143,7 @@ class Bugsnag_Error public function setPrevious($exception) { if ($exception) { - $this->previous = Bugsnag_Error::fromPHPException($this->config, $this->diagnostics, $exception); + $this->previous = Bugsnag_Error::fromPHPThrowable($this->config, $this->diagnostics, $exception); } return $this; @@ -181,13 +183,13 @@ class Bugsnag_Error 'stacktrace' => $this->stacktrace->toArray(), ); - return $exceptionArray; + return $this->cleanupObj($exceptionArray); } private function cleanupObj($obj) { if (is_null($obj)) { - return; + return null; } if (is_array($obj)) { diff --git a/vendor/bugsnag/bugsnag/src/Bugsnag/Notification.php b/vendor/bugsnag/bugsnag/src/Bugsnag/Notification.php index 44ecbc82d..8295a45d6 100644 --- a/vendor/bugsnag/bugsnag/src/Bugsnag/Notification.php +++ b/vendor/bugsnag/bugsnag/src/Bugsnag/Notification.php @@ -5,6 +5,7 @@ class Bugsnag_Notification private static $CONTENT_TYPE_HEADER = 'Content-type: application/json'; private $config; + /** @var Bugsnag_Error[] */ private $errorQueue = array(); public function __construct(Bugsnag_Configuration $config) @@ -12,7 +13,7 @@ class Bugsnag_Notification $this->config = $config; } - public function addError($error, $passedMetaData = array()) + public function addError(Bugsnag_Error $error, $passedMetaData = array()) { // Check if this error should be sent to Bugsnag if (!$this->config->shouldNotify()) { @@ -27,6 +28,16 @@ class Bugsnag_Notification $error->setMetaData(Bugsnag_Request::getRequestMetaData()); } + // Session Tab + if ($this->config->sendSession && !empty($_SESSION)) { + $error->setMetaData(array('session' => $_SESSION)); + } + + // Cookies Tab + if ($this->config->sendCookies && !empty($_COOKIE)) { + $error->setMetaData(array('cookies' => $_COOKIE)); + } + // Add environment meta-data to error if ($this->config->sendEnvironment && !empty($_ENV)) { $error->setMetaData(array("Environment" => $_ENV)); @@ -139,6 +150,11 @@ class Bugsnag_Notification if ($statusCode > 200) { error_log('Bugsnag Warning: Couldn\'t notify ('.$responseBody.')'); + + if($this->config->debug) { + error_log('Bugsnag Debug: Attempted to post to URL - "'.$url.'"'); + error_log('Bugsnag Debug: Attempted to post payload - "'.$body.'"'); + } } if (curl_errno($http)) { diff --git a/vendor/bugsnag/bugsnag/src/Bugsnag/Request.php b/vendor/bugsnag/bugsnag/src/Bugsnag/Request.php index 6bab35361..ff4a44fb0 100644 --- a/vendor/bugsnag/bugsnag/src/Bugsnag/Request.php +++ b/vendor/bugsnag/bugsnag/src/Bugsnag/Request.php @@ -36,16 +36,6 @@ class Bugsnag_Request $requestData['request']['headers'] = $headers; } - // Session Tab - if (!empty($_SESSION)) { - $requestData['session'] = $_SESSION; - } - - // Cookies Tab - if (!empty($_COOKIE)) { - $requestData['cookies'] = $_COOKIE; - } - return $requestData; } @@ -54,7 +44,7 @@ class Bugsnag_Request if (self::isRequest() && isset($_SERVER['REQUEST_METHOD']) && isset($_SERVER["REQUEST_URI"])) { return $_SERVER['REQUEST_METHOD'].' '.strtok($_SERVER["REQUEST_URI"], '?'); } else { - return; + return null; } } @@ -63,7 +53,7 @@ class Bugsnag_Request if (self::isRequest()) { return self::getRequestIp(); } else { - return; + return null; } } diff --git a/vendor/bugsnag/bugsnag/tests/Bugsnag/Bugsnag_TestCase.php b/vendor/bugsnag/bugsnag/tests/Bugsnag/Bugsnag_TestCase.php index 78ffb3260..408d52505 100644 --- a/vendor/bugsnag/bugsnag/tests/Bugsnag/Bugsnag_TestCase.php +++ b/vendor/bugsnag/bugsnag/tests/Bugsnag/Bugsnag_TestCase.php @@ -2,6 +2,11 @@ abstract class Bugsnag_TestCase extends PHPUnit_Framework_TestCase { + /** @var Bugsnag_Configuration */ + protected $config; + /** @var Bugsnag_Diagnostics */ + protected $diagnostics; + protected function getError($name = "Name", $message = "Message") { return Bugsnag_Error::fromNamedError($this->config, $this->diagnostics, $name, $message); diff --git a/vendor/bugsnag/bugsnag/tests/Bugsnag/ClientTest.php b/vendor/bugsnag/bugsnag/tests/Bugsnag/ClientTest.php index 0fdff0a17..82fa77d7f 100644 --- a/vendor/bugsnag/bugsnag/tests/Bugsnag/ClientTest.php +++ b/vendor/bugsnag/bugsnag/tests/Bugsnag/ClientTest.php @@ -2,6 +2,7 @@ class ClientTest extends PHPUnit_Framework_TestCase { + /** @var PHPUnit_Framework_MockObject_MockObject|Bugsnag_Client */ protected $client; protected function setUp() @@ -77,6 +78,6 @@ class ClientTest extends PHPUnit_Framework_TestCase */ public function testSetInvalidCurlOptions() { - $return = $this->client->setCurlOptions("option"); + $this->client->setCurlOptions("option"); } } diff --git a/vendor/bugsnag/bugsnag/tests/Bugsnag/ConfigurationTest.php b/vendor/bugsnag/bugsnag/tests/Bugsnag/ConfigurationTest.php index bc49a5b4c..40c129b2e 100644 --- a/vendor/bugsnag/bugsnag/tests/Bugsnag/ConfigurationTest.php +++ b/vendor/bugsnag/bugsnag/tests/Bugsnag/ConfigurationTest.php @@ -2,6 +2,7 @@ class ConfigurationTest extends PHPUnit_Framework_TestCase { + /** @var Bugsnag_Configuration */ protected $config; protected function setUp() diff --git a/vendor/bugsnag/bugsnag/tests/Bugsnag/DiagnosticsTest.php b/vendor/bugsnag/bugsnag/tests/Bugsnag/DiagnosticsTest.php index 2fcf4ca54..12cf539db 100644 --- a/vendor/bugsnag/bugsnag/tests/Bugsnag/DiagnosticsTest.php +++ b/vendor/bugsnag/bugsnag/tests/Bugsnag/DiagnosticsTest.php @@ -2,7 +2,10 @@ class DiagnosticsTest extends PHPUnit_Framework_TestCase { + /** @var Bugsnag_Configuration */ protected $config; + /** @var Bugsnag_Diagnostics */ + protected $diagnostics; protected function setUp() { diff --git a/vendor/bugsnag/bugsnag/tests/Bugsnag/ErrorTest.php b/vendor/bugsnag/bugsnag/tests/Bugsnag/ErrorTest.php index a0ed4e600..772bd23c8 100644 --- a/vendor/bugsnag/bugsnag/tests/Bugsnag/ErrorTest.php +++ b/vendor/bugsnag/bugsnag/tests/Bugsnag/ErrorTest.php @@ -4,8 +4,11 @@ require_once 'Bugsnag_TestCase.php'; class ErrorTest extends Bugsnag_TestCase { + /** @var Bugsnag_Configuration */ protected $config; + /** @var Bugsnag_Diagnostics */ protected $diagnostics; + /** @var Bugsnag_Error */ protected $error; protected function setUp() @@ -102,7 +105,7 @@ class ErrorTest extends Bugsnag_TestCase if (version_compare(PHP_VERSION, '5.3.0', '>=')) { $exception = new Exception("secondly", 65533, new Exception("firstly")); - $error = Bugsnag_Error::fromPHPException($this->config, $this->diagnostics, $exception); + $error = Bugsnag_Error::fromPHPThrowable($this->config, $this->diagnostics, $exception); $errorArray = $error->toArray(); diff --git a/vendor/bugsnag/bugsnag/tests/Bugsnag/NotificationTest.php b/vendor/bugsnag/bugsnag/tests/Bugsnag/NotificationTest.php index 377270e27..a3f635210 100644 --- a/vendor/bugsnag/bugsnag/tests/Bugsnag/NotificationTest.php +++ b/vendor/bugsnag/bugsnag/tests/Bugsnag/NotificationTest.php @@ -4,8 +4,11 @@ require_once 'Bugsnag_TestCase.php'; class NotificationTest extends Bugsnag_TestCase { + /** @var Bugsnag_Configuration */ protected $config; + /** @var Bugsnag_Diagnostics */ protected $diagnostics; + /** @var Bugsnag_Notification|PHPUnit_Framework_MockObject_MockObject */ protected $notification; protected function setUp() @@ -64,6 +67,7 @@ class NotificationTest extends Bugsnag_TestCase ->method('shouldNotify') ->will($this->returnValue(false)); + /** @var Bugsnag_Notification $notification */ $notification = $this->getMockBuilder('Bugsnag_Notification') ->setMethods(array("postJSON")) ->setConstructorArgs(array($config)) @@ -86,6 +90,7 @@ class NotificationTest extends Bugsnag_TestCase ->method('shouldNotify') ->will($this->returnValue(false)); + /** @var Bugsnag_Notification|PHPUnit_Framework_MockObject_MockObject $notification */ $notification = $this->getMockBuilder('Bugsnag_Notification') ->setMethods(array("postJSON")) ->setConstructorArgs(array($config)) diff --git a/vendor/bugsnag/bugsnag/tests/Bugsnag/StacktraceTest.php b/vendor/bugsnag/bugsnag/tests/Bugsnag/StacktraceTest.php index 19ece5196..99e85b99c 100644 --- a/vendor/bugsnag/bugsnag/tests/Bugsnag/StacktraceTest.php +++ b/vendor/bugsnag/bugsnag/tests/Bugsnag/StacktraceTest.php @@ -4,7 +4,9 @@ require_once 'Bugsnag_TestCase.php'; class StacktraceTest extends Bugsnag_TestCase { + /** @var Bugsnag_Configuration */ protected $config; + /** @var Bugsnag_Diagnostics */ protected $diagnostics; protected function setUp() diff --git a/vendor/chumper/datatable/src/Chumper/Datatable/Engines/CollectionEngine.php b/vendor/chumper/datatable/src/Chumper/Datatable/Engines/CollectionEngine.php index e3dbfcaa1..2ec060008 100644 --- a/vendor/chumper/datatable/src/Chumper/Datatable/Engines/CollectionEngine.php +++ b/vendor/chumper/datatable/src/Chumper/Datatable/Engines/CollectionEngine.php @@ -14,11 +14,13 @@ class CollectionEngine extends BaseEngine { /** * Constant for OR queries in internal search + * * @var string */ const OR_CONDITION = 'OR'; /** * Constant for AND queries in internal search + * * @var string */ const AND_CONDITION = 'AND'; @@ -37,9 +39,10 @@ class CollectionEngine extends BaseEngine { * @var array Different options */ private $options = array( - 'stripOrder' => false, - 'stripSearch' => false, - 'caseSensitive' => false, + 'sortFlags' => SORT_NATURAL, + 'stripOrder' => false, + 'stripSearch' => false, + 'caseSensitive' => false, ); /** @@ -116,6 +119,18 @@ class CollectionEngine extends BaseEngine { return $this->stripOrder($callback); } + /** + * Set the sort behaviour of the doInternalOrder() function. + * + * @param int $sort_flags For details see: http://php.net/manual/en/function.sort.php + * @return $this + */ + public function setOrderFlags($sort_flags = SORT_NATURAL) + { + $this->options['sortFlags'] = $sort_flags; + return $this; + } + public function setCaseSensitive($value) { $this->options['caseSensitive'] = $value; @@ -264,7 +279,7 @@ class CollectionEngine extends BaseEngine { { return $row[$column]; } - }, SORT_NATURAL); + }, $this->options['sortFlags']); if($this->orderDirection == BaseEngine::ORDER_DESC) $this->workingCollection = $this->workingCollection->reverse(); diff --git a/vendor/chumper/datatable/src/views/template.blade.php b/vendor/chumper/datatable/src/views/template.blade.php index e432196fa..d6c226407 100644 --- a/vendor/chumper/datatable/src/views/template.blade.php +++ b/vendor/chumper/datatable/src/views/template.blade.php @@ -22,42 +22,6 @@ - - @if (!$noScript) @include(Config::get('chumper.datatable.table.script_view'), array('id' => $id, 'options' => $options)) @endif diff --git a/vendor/chumper/zipper/.gitignore b/vendor/chumper/zipper/.gitignore new file mode 100644 index 000000000..fc9a5077c --- /dev/null +++ b/vendor/chumper/zipper/.gitignore @@ -0,0 +1,5 @@ +/vendor +composer.phar +composer.lock +.DS_Store +/.idea \ No newline at end of file diff --git a/vendor/chumper/zipper/.travis.yml b/vendor/chumper/zipper/.travis.yml new file mode 100644 index 000000000..978a8fc82 --- /dev/null +++ b/vendor/chumper/zipper/.travis.yml @@ -0,0 +1,11 @@ +language: php + +php: + - 5.4 + - 5.5 + +before_script: + - curl -s http://getcomposer.org/installer | php + - php composer.phar install --dev + +script: phpunit diff --git a/vendor/chumper/zipper/LICENSE b/vendor/chumper/zipper/LICENSE new file mode 100644 index 000000000..37ec93a14 --- /dev/null +++ b/vendor/chumper/zipper/LICENSE @@ -0,0 +1,191 @@ +Apache License +Version 2.0, January 2004 +http://www.apache.org/licenses/ + +TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION + +1. Definitions. + +"License" shall mean the terms and conditions for use, reproduction, and +distribution as defined by Sections 1 through 9 of this document. + +"Licensor" shall mean the copyright owner or entity authorized by the copyright +owner that is granting the License. + +"Legal Entity" shall mean the union of the acting entity and all other entities +that control, are controlled by, or are under common control with that entity. +For the purposes of this definition, "control" means (i) the power, direct or +indirect, to cause the direction or management of such entity, whether by +contract or otherwise, or (ii) ownership of fifty percent (50%) or more of the +outstanding shares, or (iii) beneficial ownership of such entity. + +"You" (or "Your") shall mean an individual or Legal Entity exercising +permissions granted by this License. + +"Source" form shall mean the preferred form for making modifications, including +but not limited to software source code, documentation source, and configuration +files. + +"Object" form shall mean any form resulting from mechanical transformation or +translation of a Source form, including but not limited to compiled object code, +generated documentation, and conversions to other media types. + +"Work" shall mean the work of authorship, whether in Source or Object form, made +available under the License, as indicated by a copyright notice that is included +in or attached to the work (an example is provided in the Appendix below). + +"Derivative Works" shall mean any work, whether in Source or Object form, that +is based on (or derived from) the Work and for which the editorial revisions, +annotations, elaborations, or other modifications represent, as a whole, an +original work of authorship. For the purposes of this License, Derivative Works +shall not include works that remain separable from, or merely link (or bind by +name) to the interfaces of, the Work and Derivative Works thereof. + +"Contribution" shall mean any work of authorship, including the original version +of the Work and any modifications or additions to that Work or Derivative Works +thereof, that is intentionally submitted to Licensor for inclusion in the Work +by the copyright owner or by an individual or Legal Entity authorized to submit +on behalf of the copyright owner. For the purposes of this definition, +"submitted" means any form of electronic, verbal, or written communication sent +to the Licensor or its representatives, including but not limited to +communication on electronic mailing lists, source code control systems, and +issue tracking systems that are managed by, or on behalf of, the Licensor for +the purpose of discussing and improving the Work, but excluding communication +that is conspicuously marked or otherwise designated in writing by the copyright +owner as "Not a Contribution." + +"Contributor" shall mean Licensor and any individual or Legal Entity on behalf +of whom a Contribution has been received by Licensor and subsequently +incorporated within the Work. + +2. Grant of Copyright License. + +Subject to the terms and conditions of this License, each Contributor hereby +grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, +irrevocable copyright license to reproduce, prepare Derivative Works of, +publicly display, publicly perform, sublicense, and distribute the Work and such +Derivative Works in Source or Object form. + +3. Grant of Patent License. + +Subject to the terms and conditions of this License, each Contributor hereby +grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, +irrevocable (except as stated in this section) patent license to make, have +made, use, offer to sell, sell, import, and otherwise transfer the Work, where +such license applies only to those patent claims licensable by such Contributor +that are necessarily infringed by their Contribution(s) alone or by combination +of their Contribution(s) with the Work to which such Contribution(s) was +submitted. If You institute patent litigation against any entity (including a +cross-claim or counterclaim in a lawsuit) alleging that the Work or a +Contribution incorporated within the Work constitutes direct or contributory +patent infringement, then any patent licenses granted to You under this License +for that Work shall terminate as of the date such litigation is filed. + +4. Redistribution. + +You may reproduce and distribute copies of the Work or Derivative Works thereof +in any medium, with or without modifications, and in Source or Object form, +provided that You meet the following conditions: + +You must give any other recipients of the Work or Derivative Works a copy of +this License; and +You must cause any modified files to carry prominent notices stating that You +changed the files; and +You must retain, in the Source form of any Derivative Works that You distribute, +all copyright, patent, trademark, and attribution notices from the Source form +of the Work, excluding those notices that do not pertain to any part of the +Derivative Works; and +If the Work includes a "NOTICE" text file as part of its distribution, then any +Derivative Works that You distribute must include a readable copy of the +attribution notices contained within such NOTICE file, excluding those notices +that do not pertain to any part of the Derivative Works, in at least one of the +following places: within a NOTICE text file distributed as part of the +Derivative Works; within the Source form or documentation, if provided along +with the Derivative Works; or, within a display generated by the Derivative +Works, if and wherever such third-party notices normally appear. The contents of +the NOTICE file are for informational purposes only and do not modify the +License. You may add Your own attribution notices within Derivative Works that +You distribute, alongside or as an addendum to the NOTICE text from the Work, +provided that such additional attribution notices cannot be construed as +modifying the License. +You may add Your own copyright statement to Your modifications and may provide +additional or different license terms and conditions for use, reproduction, or +distribution of Your modifications, or for any such Derivative Works as a whole, +provided Your use, reproduction, and distribution of the Work otherwise complies +with the conditions stated in this License. + +5. Submission of Contributions. + +Unless You explicitly state otherwise, any Contribution intentionally submitted +for inclusion in the Work by You to the Licensor shall be under the terms and +conditions of this License, without any additional terms or conditions. +Notwithstanding the above, nothing herein shall supersede or modify the terms of +any separate license agreement you may have executed with Licensor regarding +such Contributions. + +6. Trademarks. + +This License does not grant permission to use the trade names, trademarks, +service marks, or product names of the Licensor, except as required for +reasonable and customary use in describing the origin of the Work and +reproducing the content of the NOTICE file. + +7. Disclaimer of Warranty. + +Unless required by applicable law or agreed to in writing, Licensor provides the +Work (and each Contributor provides its Contributions) on an "AS IS" BASIS, +WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied, +including, without limitation, any warranties or conditions of TITLE, +NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A PARTICULAR PURPOSE. You are +solely responsible for determining the appropriateness of using or +redistributing the Work and assume any risks associated with Your exercise of +permissions under this License. + +8. Limitation of Liability. + +In no event and under no legal theory, whether in tort (including negligence), +contract, or otherwise, unless required by applicable law (such as deliberate +and grossly negligent acts) or agreed to in writing, shall any Contributor be +liable to You for damages, including any direct, indirect, special, incidental, +or consequential damages of any character arising as a result of this License or +out of the use or inability to use the Work (including but not limited to +damages for loss of goodwill, work stoppage, computer failure or malfunction, or +any and all other commercial damages or losses), even if such Contributor has +been advised of the possibility of such damages. + +9. Accepting Warranty or Additional Liability. + +While redistributing the Work or Derivative Works thereof, You may choose to +offer, and charge a fee for, acceptance of support, warranty, indemnity, or +other liability obligations and/or rights consistent with this License. However, +in accepting such obligations, You may act only on Your own behalf and on Your +sole responsibility, not on behalf of any other Contributor, and only if You +agree to indemnify, defend, and hold each Contributor harmless for any liability +incurred by, or claims asserted against, such Contributor by reason of your +accepting any such warranty or additional liability. + +END OF TERMS AND CONDITIONS + +APPENDIX: How to apply the Apache License to your work + +To apply the Apache License to your work, attach the following boilerplate +notice, with the fields enclosed by brackets "[]" replaced with your own +identifying information. (Don't include the brackets!) The text should be +enclosed in the appropriate comment syntax for the file format. We also +recommend that a file or class name and description of purpose be included on +the same "printed page" as the copyright notice for easier identification within +third-party archives. + + Copyright [yyyy] [name of copyright owner] + + 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. diff --git a/vendor/chumper/zipper/README.md b/vendor/chumper/zipper/README.md new file mode 100644 index 000000000..1bfad98a6 --- /dev/null +++ b/vendor/chumper/zipper/README.md @@ -0,0 +1,150 @@ +#Zipper + +[![Build Status](https://travis-ci.org/Chumper/Zipper.png)](https://travis-ci.org/Chumper/Zipper) + +This is a simple Wrapper around the ZipArchive methods with some handy functions. + +##Installation + +1a- To install this package for laravel 5 just require it in your + +`composer.json` with `"Chumper/Zipper": "0.6.0"` + +1b- To install this package for laravel 4 just require it in your + +`composer.json` with `"Chumper/Zipper": "0.5.1"` + +2- goto `app/config/app.php` + +.add to providers + + 'Chumper\Zipper\ZipperServiceProvider' + +.add to aliases + + 'Zipper' => 'Chumper\Zipper\Zipper' + +You can now access Zipper with the `Zipper` alias. + +##Simple example +```php +$files = glob('public/files/*'); +Zipper::make('public/test.zip')->add($files); +``` +- by default the package will create the `test.zip` in the project route folder but in the example above we changed it to `project_route/public/`. + +####Another example +```php +$zipper = new \Chumper\Zipper\Zipper; + +$zipper->make('test.zip')->folder('test')->add('composer.json'); +$zipper->zip('test.zip')->folder('test')->add('composer.json','test'); + +$zipper->remove('composer.lock'); + +$zipper->folder('mySuperPackage')->add( + array( + 'vendor', + 'composer.json' + ), +); + +$zipper->getFileContent('mySuperPackage/composer.json'); + +$zipper->make('test.zip')->extractTo('',array('mySuperPackage/composer.json'),Zipper::WHITELIST); +``` + +- You can easily chain most functions, except `getFileContent`, `getStatus`, `close` and `extractTo` which must come at the end of the chaine. + +The main reason i wrote this little package is the `extractTo` method since it allows you to be very flexible when extracting zips. +So you can for example implement an update method which will just override the changed files. + + +##Functions + +**make($pathToFile)** + +`Create` or `Open` a zip archive; if the file does not exists it will create a new one. +It will return the Zipper instance so you can chain easily. + + +**add($files/folder)** + +You can add and array of Files, or a Folder which all the files in that folder will then be added, so from the first example we could instead do something like `$files = 'public/files/';`. + + +**addString($filename, $content)** + +add a single file to the zip by specifying a name and content as strings. + + +**remove($file/s)** + +removes a single file or an array of files from the zip. + + +**folder($folder)** + +Specify a folder to 'add files to' or 'remove files from' from the zip, example + + Zipper::make('test.zip')->folder('test')->add('composer.json'); + Zipper::make('test.zip')->folder('test')->remove('composer.json'); + + +**home()** + +Resets the folder pointer. + + +**zip($fileName)** + +Uses the ZipRepository for file handling. + + +**getFileContent($filePath)** + +get the content of a file in the zip. This will return the content or false. + + +**getStatus()** + +get the opening status of the zip as integer. + + +**close()** + +closes the zip and writes all changes. + + +**extractTo($path)** + +Extracts the content of the zip archive to the specified location, for example + + Zipper::make('test.zip')->folder('test')->extractTo('foo'); + +This will go into the folder `test` in the zip file and extract the content of that folder only to the folder `foo`, this is equal to using the `Zipper::WHITELIST`. + +This command is really nice to get just a part of the zip file, you can also pass a 2nd & 3rd param to specify a single or an array of files that will be + +white listed + +>**Zipper::WHITELIST** +> + Zipper::make('test.zip')->extractTo('public', array('vendor'), Zipper::WHITELIST); +Which will extract the `test.zip` into the `public` folder but **only** the folder `vendor` inside the zip will be extracted. + +or black listed + +>**Zipper::BLACKLIST** +> + Zipper::make('test.zip')->extractTo('public', array('vendor'), Zipper::BLACKLIST); +Which will extract the `test.zip` into the `public` folder except the folder `vendor` inside the zip will not be extracted. + + + +##Development + +May it is a goot idea to add other compress functions like rar, phar or bzip2 etc... +Everything is setup for that, if you want just fork and develop further. + +If you need other functions or got errors, please leave an issue on github. diff --git a/vendor/chumper/zipper/composer.json b/vendor/chumper/zipper/composer.json new file mode 100644 index 000000000..6560de1b2 --- /dev/null +++ b/vendor/chumper/zipper/composer.json @@ -0,0 +1,31 @@ +{ + "name": "chumper/zipper", + "type": "library", + "description": "This is a little neat helper for the ZipArchive methods with handy functions", + "keywords": ["laravel", "ZIP", "Archive"], + "homepage": "http://github.com/Chumper/zipper", + "license": "Apache2", + "authors": [ + { + "name": "Nils Plaschke", + "email": "github@nilsplaschke.de", + "homepage": "http://nilsplaschke.de", + "role": "Developer" + } + ], + "require": { + "php": ">=5.3.0", + "illuminate/support": "5.x", + "illuminate/filesystem": "5.x" + }, + "require-dev": { + "phpunit/phpunit": "3.7.*", + "mockery/mockery": "dev-master" + }, + "autoload": { + "psr-0": { + "Chumper\\Zipper": "src/" + } + }, + "minimum-stability": "dev" +} diff --git a/vendor/chumper/zipper/phpunit.xml b/vendor/chumper/zipper/phpunit.xml new file mode 100644 index 000000000..e89ac6d80 --- /dev/null +++ b/vendor/chumper/zipper/phpunit.xml @@ -0,0 +1,18 @@ + + + + + ./tests/ + + + \ No newline at end of file diff --git a/vendor/chumper/zipper/src/Chumper/Zipper/Facades/Zipper.php b/vendor/chumper/zipper/src/Chumper/Zipper/Facades/Zipper.php new file mode 100644 index 000000000..b38de5046 --- /dev/null +++ b/vendor/chumper/zipper/src/Chumper/Zipper/Facades/Zipper.php @@ -0,0 +1,13 @@ +archive = $archive ? $archive : new ZipArchive; + + if ($create) + $this->archive->open($filePath, ZipArchive::CREATE); + else + $this->archive->open($filePath); + } + + /** + * Add a file to the opened Archive + * + * @param $pathToFile + * @param $pathInArchive + * @return void + */ + public function addFile($pathToFile, $pathInArchive) + { + $this->archive->addFile($pathToFile, $pathInArchive); + } + + /** + * Add a file to the opened Archive using its contents + * + * @param $name + * @param $content + * @return void + */ + public function addFromString($name, $content) + { + $this->archive->addFromString($name, $content); + } + + /** + * Remove a file permanently from the Archive + * + * @param $pathInArchive + * @return void + */ + public function removeFile($pathInArchive) + { + $this->archive->deleteName($pathInArchive); + } + + /** + * Get the content of a file + * + * @param $pathInArchive + * @return string + */ + public function getFileContent($pathInArchive) + { + return $this->archive->getFromName($pathInArchive); + } + + /** + * Get the stream of a file + * + * @param $pathInArchive + * @return mixed + */ + public function getFileStream($pathInArchive) + { + return $this->archive->getStream($pathInArchive); + } + + /** + * Will loop over every item in the archive and will execute the callback on them + * Will provide the filename for every item + * + * @param $callback + * @return void + */ + public function each($callback) + { + for ($i = 0; $i < $this->archive->numFiles; $i++) { + + //skip if folder + $stats = $this->archive->statIndex($i); + if ($stats['size'] == 0 && $stats['crc'] == 0) + continue; + + call_user_func_array($callback, array( + 'file' => $this->archive->getNameIndex($i), + )); + } + } + + /** + * Checks whether the file is in the archive + * + * @param $fileInArchive + * @return boolean + */ + public function fileExists($fileInArchive) + { + return $this->archive->locateName($fileInArchive) !== false; + } + + /** + * Returns the status of the archive as a string + * + * @return string + */ + public function getStatus() + { + return $this->archive->getStatusString(); + } + + /** + * Closes the archive and saves it + * @return void + */ + public function close() + { + @$this->archive->close(); + } +} \ No newline at end of file diff --git a/vendor/chumper/zipper/src/Chumper/Zipper/Zipper.php b/vendor/chumper/zipper/src/Chumper/Zipper/Zipper.php new file mode 100644 index 000000000..fcb3f567d --- /dev/null +++ b/vendor/chumper/zipper/src/Chumper/Zipper/Zipper.php @@ -0,0 +1,474 @@ +file = $fs ? $fs : new Filesystem(); + } + + /** + * Create a new zip Archive if the file does not exists + * opens a zip archive if the file exists + * + * @param $pathToFile string The file to open + * @param RepositoryInterface|string $type The type of the archive, defaults to zip, possible are zip, phar + * + * @return $this Zipper instance + */ + public function make($pathToFile, $type = 'zip') + { + $new = $this->createArchiveFile($pathToFile); + $this->filePath = $pathToFile; + + $name = 'Chumper\Zipper\Repositories\\' . ucwords($type) . 'Repository'; + if (is_subclass_of($name, 'Chumper\Zipper\Repositories\RepositoryInterface')) + $this->repository = new $name($pathToFile, $new); + else + //TODO $type should be a class name and not a string + $this->repository = $type; + + return $this; + } + + /** + * Create a new zip archive or open an existing one + * + * @param $pathToFile + * @return $this + */ + public function zip($pathToFile) + { + $this->make($pathToFile); + return $this; + } + + /** + * Create a new phar file or open one + * + * @param $pathToFile + * @return $this + */ + public function phar($pathToFile) + { + $this->make($pathToFile, 'phar'); + return $this; + } + + /** + * Extracts the opened zip archive to the specified location
    + * you can provide an array of files and folders and define if they should be a white list + * or a black list to extract. + * + * @param $path string The path to extract to + * @param array $files An array of files + * @param int $method The Method the files should be treated + */ + public function extractTo($path, array $files = array(), $method = Zipper::BLACKLIST) + { + $path = realpath($path); + if (!$this->file->exists($path)) + $this->file->makeDirectory($path, 0755, true); + + if ($method == Zipper::WHITELIST) + $this->extractWithWhiteList($path, $files); + else + $this->extractWithBlackList($path, $files); + } + + /** + * Gets the content of a single file if available + * + * @param $filePath string The full path (including all folders) of the file in the zip + * @throws \Exception + * @return mixed returns the content or throws an exception + */ + public function getFileContent($filePath) + { + + if ($this->repository->fileExists($filePath) === false) + throw new Exception(sprintf('The file "%s" cannot be found', $filePath)); + + return $this->repository->getFileContent($filePath); + } + + /** + * Add one or multiple files to the zip. + * + * @param $pathToAdd array|string An array or string of files and folders to add + * @return $this Zipper instance + */ + public function add($pathToAdd) + { + if (is_array($pathToAdd)) { + foreach ($pathToAdd as $dir) { + $this->add($dir); + } + } else if ($this->file->isFile($pathToAdd)) { + $this->addFile($pathToAdd); + } else + $this->addDir($pathToAdd); + + return $this; + } + + /** + * Add a file to the zip using its contents + * + * @param $filename string The name of the file to create + * @param $content string The file contents + * @return $this Zipper instance + */ + public function addString($filename, $content) + { + $this->addFromString($filename, $content); + + return $this; + } + + + /** + * Gets the status of the zip. + * + * @return integer The status of the internal zip file + */ + public function getStatus() + { + return $this->repository->getStatus(); + } + + /** + * Remove a file or array of files and folders from the zip archive + * + * @param $fileToRemove array|string The path/array to the files in the zip + * @return $this Zipper instance + */ + public function remove($fileToRemove) + { + if (is_array($fileToRemove)) { + $self = $this; + $this->repository->each(function ($file) use ($fileToRemove, $self) { + if (starts_with($file, $fileToRemove)) { + $self->getRepository()->removeFile($file); + } + }); + } else + $this->repository->removeFile($fileToRemove); + + return $this; + } + + /** + * Returns the path of the current zip file if there is one. + * @return string The path to the file + */ + public function getFilePath() + { + return $this->filePath; + } + + /** + * Closes the zip file and frees all handles + */ + public function close() + { + if(!is_null($this->repository)) + $this->repository->close(); + $this->filePath = ""; + } + + /** + * Sets the internal folder to the given path.
    + * Useful for extracting only a segment of a zip file. + * @param $path + * @return $this + */ + public function folder($path) + { + $this->currentFolder = $path; + return $this; + } + + /** + * Resets the internal folder to the root of the zip file. + * + * @return $this + */ + public function home() + { + $this->currentFolder = ''; + return $this; + } + + /** + * Deletes the archive file + */ + public function delete() + { + if(!is_null($this->repository)) + $this->repository->close(); + + $this->file->delete($this->filePath); + $this->filePath = ""; + } + + /** + * Get the type of the Archive + * + * @return string + */ + public function getArchiveType() + { + return get_class($this->repository); + } + + /** + * Destructor + */ + public function __destruct() + { + if(!is_null($this->repository)) + $this->repository->close(); + } + + /** + * Get the current internal folder pointer + * + * @return string + */ + public function getCurrentFolderPath() + { + return $this->currentFolder; + } + + /** + * Checks if a file is present in the archive + * + * @param $fileInArchive + * @return bool + */ + public function contains($fileInArchive) + { + return $this->repository->fileExists($fileInArchive); + } + + /** + * @return RepositoryInterface + */ + public function getRepository() + { + return $this->repository; + } + + /** + * @return Filesystem + */ + public function getFileHandler() + { + return $this->file; + } + + /** + * Gets the path to the internal folder + * + * @return string + */ + public function getInternalPath() + { + return empty($this->currentFolder) ? '' : $this->currentFolder . '/'; + } + + //---------------------PRIVATE FUNCTIONS------------- + + /** + * @param $pathToZip + * @throws \Exception + * @return bool + */ + private function createArchiveFile($pathToZip) + { + + if (!$this->file->exists($pathToZip)) { + if (!$this->file->exists(dirname($pathToZip))) + $this->file->makeDirectory(dirname($pathToZip), 0755, true); + + if (!$this->file->isWritable(dirname($pathToZip))) + throw new Exception(sprintf('The path "%s" is not writeable', $pathToZip)); + + return true; + } + return false; + } + + /** + * @param $pathToDir + */ + private function addDir($pathToDir) + { + // First go over the files in this directory and add them to the repository. + foreach ($this->file->files($pathToDir) as $file) { + $this->addFile($pathToDir . '/' . basename($file)); + } + + // Now let's visit the subdirectories and add them, too. + foreach ($this->file->directories($pathToDir) as $dir) { + $old_folder = $this->currentFolder; + $this->currentFolder = empty($this->currentFolder) ? basename($dir) : $this->currentFolder . '/' . basename($dir); + $this->addDir($pathToDir . '/' . basename($dir)); + $this->currentFolder = $old_folder; + } + } + + /** + * Add the file to the zip + * + * @param $pathToAdd + */ + private function addFile($pathToAdd) + { + $info = pathinfo($pathToAdd); + + $file_name = isset($info['extension']) ? + $info['filename'] . '.' . $info['extension'] : + $info['filename']; + + $this->repository->addFile($pathToAdd, $this->getInternalPath() . $file_name); + } + + /** + * Add the file to the zip from content + * + * @param $filename + * @param $content + */ + private function addFromString($filename, $content) + { + $this->repository->addFromString($this->getInternalPath() . $filename, $content); + } + + + /** + * @param $path + * @param $filesArray + * @throws \Exception + */ + private function extractWithBlackList($path, $filesArray) + { + $self = $this; + $this->repository->each(function ($fileName) use ($path, $filesArray, $self) { + $oriName = $fileName; + + $currentPath = $self->getCurrentFolderPath(); + if (!empty($currentPath) && !starts_with($fileName, $currentPath)) + return; + + if (starts_with($fileName, $filesArray)) { + return; + } + + $tmpPath = str_replace($self->getInternalPath(), '', $fileName); + + // We need to create the directory first in case it doesn't exist + $full_path = $path . '/' . $tmpPath; + $dir = substr($full_path, 0, strrpos($full_path, '/')); + if(!is_dir($dir)) + $self->getFileHandler()->makeDirectory($dir, 0777, true, true); + + $self->getFileHandler()->put($path . '/' . $tmpPath, $self->getRepository()->getFileStream($oriName)); + + }); + } + + /** + * @param $path + * @param $filesArray + * @throws \Exception + */ + private function extractWithWhiteList($path, $filesArray) + { + $self = $this; + $this->repository->each(function ($fileName) use ($path, $filesArray, $self) { + $oriName = $fileName; + + $currentPath = $self->getCurrentFolderPath(); + if (!empty($currentPath) && !starts_with($fileName, $currentPath)) + return; + + if (starts_with($self->getInternalPath() . $fileName, $filesArray)) { + $tmpPath = str_replace($self->getInternalPath(), '', $fileName); + + // We need to create the directory first in case it doesn't exist + $full_path = $path . '/' . $tmpPath; + $dir = substr($full_path, 0, strrpos($full_path, '/')); + if(!is_dir($dir)) + $self->getFileHandler()->makeDirectory($dir, 0777, true, true); + + $self->getFileHandler()->put($path . '/' . $tmpPath, $self->getRepository()->getFileStream($oriName)); + } + }); + } + + /** + * List files that are within the archive + * + * @return array + */ + public function listFiles() + { + $filesList = array(); + $this->repository->each( + function ($file) use (&$filesList) { + $filesList[] = $file; + } + ); + + return $filesList; + } +} diff --git a/vendor/chumper/zipper/src/Chumper/Zipper/ZipperServiceProvider.php b/vendor/chumper/zipper/src/Chumper/Zipper/ZipperServiceProvider.php new file mode 100644 index 000000000..227f22130 --- /dev/null +++ b/vendor/chumper/zipper/src/Chumper/Zipper/ZipperServiceProvider.php @@ -0,0 +1,55 @@ +app['zipper'] = $this->app->share(function($app) + { + $return = $app->make('Chumper\Zipper\Zipper'); + return $return; + }); + + $this->app->booting(function() + { + $loader = AliasLoader::getInstance(); + $loader->alias('Zipper', 'Chumper\Zipper\Facades\Zipper'); + }); + } + + /** + * Get the services provided by the provider. + * + * @return array + */ + public function provides() + { + return array('zipper'); + } + +} diff --git a/vendor/chumper/zipper/tests/.gitkeep b/vendor/chumper/zipper/tests/.gitkeep new file mode 100644 index 000000000..e69de29bb diff --git a/vendor/chumper/zipper/tests/ArrayArchive.php b/vendor/chumper/zipper/tests/ArrayArchive.php new file mode 100644 index 000000000..fab290c86 --- /dev/null +++ b/vendor/chumper/zipper/tests/ArrayArchive.php @@ -0,0 +1,110 @@ +entries[$pathInArchive] = $pathInArchive; + } + + /** + * Remove a file permanently from the Archive + * + * @param $pathInArchive + * @return void + */ + public function removeFile($pathInArchive) + { + unset($this->entries[$pathInArchive]); + } + + /** + * Get the content of a file + * + * @param $pathInArchive + * @return string + */ + public function getFileContent($pathInArchive) + { + return $this->entries[$pathInArchive]; + } + + /** + * Get the stream of a file + * + * @param $pathInArchive + * @return mixed + */ + public function getFileStream($pathInArchive) + { + return $this->entries[$pathInArchive]; + } + + /** + * Will loop over every item in the archive and will execute the callback on them + * Will provide the filename for every item + * + * @param $callback + * @return void + */ + public function each($callback) + { + foreach ($this->entries as $entry) { + call_user_func_array($callback, array( + 'file' => $entry, + )); + } + + } + + /** + * Checks whether the file is in the archive + * + * @param $fileInArchive + * @return boolean + */ + public function fileExists($fileInArchive) + { + return array_key_exists($fileInArchive, $this->entries); + } + + /** + * Returns the status of the archive as a string + * + * @return string + */ + public function getStatus() + { + return "OK"; + } + + /** + * Closes the archive and saves it + * @return void + */ + public function close() + { + } +} diff --git a/vendor/chumper/zipper/tests/Repositories/ZipRepositoryTest.php b/vendor/chumper/zipper/tests/Repositories/ZipRepositoryTest.php new file mode 100644 index 000000000..1fa342246 --- /dev/null +++ b/vendor/chumper/zipper/tests/Repositories/ZipRepositoryTest.php @@ -0,0 +1,101 @@ +mock = Mockery::mock(new ZipArchive); + $this->zip = new ZipRepository('foo', true, $this->mock); + } + + public function testMake() + { + $zip = new ZipRepository('foo.zip', true); + $this->assertFalse($zip->fileExists('foo')); + } + + public function testAddFile() + { + $this->mock->shouldReceive('addFile')->once()->with('bar', 'bar'); + $this->mock->shouldReceive('addFile')->once()->with('bar', 'foo/bar'); + $this->mock->shouldReceive('addFile')->once()->with('foo/bar', 'bar'); + + $this->zip->addFile('bar', 'bar'); + $this->zip->addFile('bar', 'foo/bar'); + $this->zip->addFile('foo/bar', 'bar'); + } + + public function testRemoveFile() + { + $this->mock->shouldReceive('deleteName')->once()->with('bar'); + $this->mock->shouldReceive('deleteName')->once()->with('foo/bar'); + + $this->zip->removeFile('bar'); + $this->zip->removeFile('foo/bar'); + } + + public function testGetFileContent() + { + $this->mock->shouldReceive('getFromName')->once() + ->with('bar')->andReturn('foo'); + $this->mock->shouldReceive('getFromName')->once() + ->with('foo/bar')->andReturn('baz'); + + $this->assertEquals('foo', $this->zip->getFileContent('bar')); + $this->assertEquals('baz', $this->zip->getFileContent('foo/bar')); + } + + public function testGetFileStream() + { + $this->mock->shouldReceive('getStream')->once() + ->with('bar')->andReturn('foo'); + $this->mock->shouldReceive('getStream')->once() + ->with('foo/bar')->andReturn('baz'); + + $this->assertEquals('foo', $this->zip->getFileStream('bar')); + $this->assertEquals('baz', $this->zip->getFileStream('foo/bar')); + } + + public function testFileExists() + { + $this->mock->shouldReceive('locateName')->once() + ->with('bar')->andReturn(true); + $this->mock->shouldReceive('locateName')->once() + ->with('foo/bar')->andReturn(false); + + $this->assertTrue($this->zip->fileExists('bar')); + $this->assertFalse($this->zip->fileExists('foo/bar')); + } + + public function testClose() + { + $this->zip->close(); + } + + protected function tearDown() + { + Mockery::close(); + } + + +} diff --git a/vendor/chumper/zipper/tests/ZipperTest.php b/vendor/chumper/zipper/tests/ZipperTest.php new file mode 100644 index 000000000..cf16b5136 --- /dev/null +++ b/vendor/chumper/zipper/tests/ZipperTest.php @@ -0,0 +1,238 @@ +archive = new \Chumper\Zipper\Zipper( + $this->file = Mockery::mock(new Filesystem) + ); + $this->archive->make('foo', new ArrayArchive('foo', true)); + } + + public function testMake() + { + $this->assertEquals('ArrayArchive', $this->archive->getArchiveType()); + $this->assertEquals('foo', $this->archive->getFilePath()); + } + + public function testExtractTo() + { + + } + + public function testAddAndGet() + { + $this->file->shouldReceive('isFile')->with('foo.bar') + ->times(3)->andReturn(true); + $this->file->shouldReceive('isFile')->with('foo') + ->times(3)->andReturn(true); + + /**Array**/ + $this->file->shouldReceive('isFile')->with('/path/to/fooDir') + ->once()->andReturn(false); + + $this->file->shouldReceive('files')->with('/path/to/fooDir') + ->once()->andReturn(array('foo.bar', 'bar.foo')); + $this->file->shouldReceive('directories')->with('/path/to/fooDir') + ->once()->andReturn(array('fooSubdir')); + + $this->file->shouldReceive('files')->with('/path/to/fooDir/fooSubdir') + ->once()->andReturn(array('foo.bar')); + $this->file->shouldReceive('directories')->with('/path/to/fooDir/fooSubdir') + ->once()->andReturn(array()); + + //test1 + $this->archive->add('foo.bar'); + $this->archive->add('foo'); + + $this->assertEquals('foo', $this->archive->getFileContent('foo')); + $this->assertEquals('foo.bar', $this->archive->getFileContent('foo.bar')); + + //test2 + $this->archive->add(array( + 'foo.bar', + 'foo' + )); + $this->assertEquals('foo', $this->archive->getFileContent('foo')); + $this->assertEquals('foo.bar', $this->archive->getFileContent('foo.bar')); + + /** + * test3: + * Add the local folder /path/to/fooDir as folder fooDir to the repository + * and make sure the folder structure within the repository is there. + */ + $this->archive->folder('fooDir')->add('/path/to/fooDir'); + $this->assertEquals('fooDir/foo.bar', $this->archive->getFileContent('fooDir/foo.bar')); + $this->assertEquals('fooDir/bar.foo', $this->archive->getFileContent('fooDir/bar.foo')); + $this->assertEquals('fooDir/fooSubdir/foo.bar', $this->archive->getFileContent('fooDir/fooSubdir/foo.bar')); + + } + + /** + * @expectedException Exception + */ + public function testGetFileContent() + { + $this->archive->getFileContent('baz'); + } + + public function testRemove() + { + $this->file->shouldReceive('isFile')->with('foo') + ->andReturn(true); + + $this->archive->add('foo'); + + $this->assertTrue($this->archive->contains('foo')); + + $this->archive->remove('foo'); + + $this->assertFalse($this->archive->contains('foo')); + + //---- + + $this->file->shouldReceive('isFile')->with('foo') + ->andReturn(true); + $this->file->shouldReceive('isFile')->with('fooBar') + ->andReturn(true); + + $this->archive->add(array('foo', 'fooBar')); + + $this->assertTrue($this->archive->contains('foo')); + $this->assertTrue($this->archive->contains('fooBar')); + + $this->archive->remove(array('foo', 'fooBar')); + + $this->assertFalse($this->archive->contains('foo')); + $this->assertFalse($this->archive->contains('fooBar')); + } + + public function testExtractWhiteList() + { + $this->file->shouldReceive('isFile')->with('foo') + ->andReturn(true); + + $this->archive->add('foo'); + + $this->file->shouldReceive('put')->with(realpath(NULL) . '/foo', 'foo'); + + $this->archive->extractTo('', array('foo'), Zipper::WHITELIST); + + //---- + $this->file->shouldReceive('isFile')->with('foo') + ->andReturn(true); + + $this->archive->folder('foo/bar')->add('foo'); + + $this->file->shouldReceive('put')->with(realpath(NULL) . '/foo', 'foo/bar/foo'); + + $this->archive->extractTo('', array('foo'), Zipper::WHITELIST); + + } + + public function testExtractBlackList() + { + $this->file->shouldReceive('isFile')->with('foo') + ->andReturn(true); + + $this->archive->add('foo'); + + $this->file->shouldReceive('put')->with(realpath(NULL) . '/foo', 'foo'); + + $this->archive->extractTo('', array(), Zipper::BLACKLIST); + + //---- + $this->file->shouldReceive('isFile')->with('foo') + ->andReturn(true); + + $this->archive->folder('foo/bar')->add('foo'); + + $this->file->shouldReceive('put')->with(realpath(NULL) . '/foo', 'foo/bar/foo'); + + $this->archive->extractTo('', array('foo'), Zipper::BLACKLIST); + } + + public function testNavigationFolderAndHome() + { + $this->archive->folder('foo/bar'); + $this->assertEquals('foo/bar', $this->archive->getCurrentFolderPath()); + + //---- + + $this->file->shouldReceive('isFile')->with('foo') + ->andReturn(true); + + $this->archive->add('foo'); + $this->assertEquals('foo/bar/foo', $this->archive->getFileContent('foo/bar/foo')); + + //---- + + $this->file->shouldReceive('isFile')->with('bar') + ->andReturn(true); + + $this->archive->home()->add('bar'); + $this->assertEquals('bar', $this->archive->getFileContent('bar')); + + //---- + + $this->file->shouldReceive('isFile')->with('baz/bar/bing') + ->andReturn(true); + + $this->archive->folder('test')->add('baz/bar/bing'); + $this->assertEquals('test/bing', $this->archive->getFileContent('test/bing')); + + } + + public function testListFiles() + { + // testing empty file + $this->file->shouldReceive('isFile')->with('foo.file')->andReturn(true); + $this->file->shouldReceive('isFile')->with('bar.file')->andReturn(true); + + $this->assertEquals(array(), $this->archive->listFiles()); + + // testing not empty file + $this->archive->add('foo.file'); + $this->archive->add('bar.file'); + + $this->assertEquals(array('foo.file', 'bar.file'), $this->archive->listFiles()); + + // testing with a empty sub dir + $this->file->shouldReceive('isFile')->with('/path/to/subDirEmpty')->andReturn(false); + + $this->file->shouldReceive('files')->with('/path/to/subDirEmpty')->andReturn(array()); + $this->file->shouldReceive('directories')->with('/path/to/subDirEmpty')->andReturn(array()); + $this->archive->folder('subDirEmpty')->add('/path/to/subDirEmpty'); + + $this->assertEquals(array('foo.file', 'bar.file'), $this->archive->listFiles()); + + // testing with a not empty sub dir + $this->file->shouldReceive('isFile')->with('/path/to/subDir')->andReturn(false); + $this->file->shouldReceive('isFile')->with('sub.file')->andReturn(true); + + $this->file->shouldReceive('files')->with('/path/to/subDir')->andReturn(array('sub.file')); + $this->file->shouldReceive('directories')->with('/path/to/subDir')->andReturn(array()); + + $this->archive->folder('subDir')->add('/path/to/subDir'); + + $this->assertEquals(array('foo.file', 'bar.file', 'subDir/sub.file'), $this->archive->listFiles()); + } +} diff --git a/vendor/composer/LICENSE b/vendor/composer/LICENSE new file mode 100644 index 000000000..c8d57af8b --- /dev/null +++ b/vendor/composer/LICENSE @@ -0,0 +1,21 @@ + +Copyright (c) 2015 Nils Adermann, Jordi Boggiano + +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. + diff --git a/vendor/composer/autoload_classmap.php b/vendor/composer/autoload_classmap.php index a075c2bc2..f07ced246 100644 --- a/vendor/composer/autoload_classmap.php +++ b/vendor/composer/autoload_classmap.php @@ -53,10 +53,12 @@ return array( 'CreateLanguagesTable' => $baseDir . '/database/migrations/2015_05_06_131238_create_languages_table.php', 'CreateLogTable' => $baseDir . '/database/migrations/2015_05_06_130627_create_log_table.php', 'CreateMailboxProtocolTable' => $baseDir . '/database/migrations/2015_05_06_125817_create_mailbox_protocol_table.php', + 'CreateNotificationLogTable' => $baseDir . '/database/migrations/2015_12_23_074831_create_notification_log_table.php', 'CreateOptionsTable' => $baseDir . '/database/migrations/2015_05_15_080512_create_options_table.php', 'CreateOrganizationTable' => $baseDir . '/database/migrations/2015_05_06_125328_create_organization_table.php', 'CreatePagesTable' => $baseDir . '/database/migrations/2015_05_14_072226_create_pages_table.php', 'CreatePasswordResetsTable' => $baseDir . '/database/migrations/2014_10_12_100000_create_password_resets_table.php', + 'CreatePluginsTable' => $baseDir . '/database/migrations/2015_12_14_072307_create_plugins_table.php', 'CreatePriorityTable' => $baseDir . '/database/migrations/2015_06_09_062121_create_priority_table.php', 'CreateSettingsTable' => $baseDir . '/database/migrations/2015_05_04_113843_create_settings_table.php', 'CreateSideTable' => $baseDir . '/database/migrations/2015_11_02_063848_create_side_table.php', diff --git a/vendor/composer/autoload_files.php b/vendor/composer/autoload_files.php index d61a4187b..76460a186 100644 --- a/vendor/composer/autoload_files.php +++ b/vendor/composer/autoload_files.php @@ -6,14 +6,15 @@ $vendorDir = dirname(dirname(__FILE__)); $baseDir = dirname($vendorDir); return array( - $vendorDir . '/symfony/var-dumper/Symfony/Component/VarDumper/Resources/functions/dump.php', $vendorDir . '/nikic/php-parser/lib/bootstrap.php', + $vendorDir . '/symfony/var-dumper/Symfony/Component/VarDumper/Resources/functions/dump.php', $vendorDir . '/swiftmailer/swiftmailer/lib/swift_required.php', $vendorDir . '/ircmaxell/password-compat/lib/password.php', + $vendorDir . '/symfony/polyfill-php56/bootstrap.php', $vendorDir . '/psy/psysh/src/Psy/functions.php', $vendorDir . '/danielstjules/stringy/src/Create.php', + $vendorDir . '/illuminate/html/helpers.php', $vendorDir . '/laravel/framework/src/Illuminate/Foundation/helpers.php', $vendorDir . '/laravel/framework/src/Illuminate/Support/helpers.php', - $vendorDir . '/illuminate/html/helpers.php', $vendorDir . '/propaganistas/laravel-phone/src/helpers.php', ); diff --git a/vendor/composer/autoload_namespaces.php b/vendor/composer/autoload_namespaces.php index 7a692366a..85e3f588f 100644 --- a/vendor/composer/autoload_namespaces.php +++ b/vendor/composer/autoload_namespaces.php @@ -24,7 +24,6 @@ return array( 'Psr\\Log\\' => array($vendorDir . '/psr/log'), 'Prophecy\\' => array($vendorDir . '/phpspec/prophecy/src'), 'PhpSpec' => array($vendorDir . '/phpspec/phpspec/src'), - 'PhpImap' => array($vendorDir . '/php-imap/php-imap/src'), 'JakubOnderka\\PhpConsoleHighlighter' => array($vendorDir . '/jakub-onderka/php-console-highlighter/src'), 'JakubOnderka\\PhpConsoleColor' => array($vendorDir . '/jakub-onderka/php-console-color/src'), 'ForceUTF8\\' => array($vendorDir . '/neitanod/forceutf8/src'), @@ -32,8 +31,8 @@ return array( 'Doctrine\\Common\\Inflector\\' => array($vendorDir . '/doctrine/inflector/lib'), 'Diff' => array($vendorDir . '/phpspec/php-diff/lib'), 'Cron' => array($vendorDir . '/mtdowling/cron-expression/src'), + 'Chumper\\Zipper' => array($vendorDir . '/chumper/zipper/src'), 'Chumper\\Datatable' => array($vendorDir . '/chumper/datatable/src'), - 'Carbon' => array($vendorDir . '/nesbot/carbon/src'), 'Bugsnag_' => array($vendorDir . '/bugsnag/bugsnag/src'), 'Bugsnag\\BugsnagLaravel\\' => array($vendorDir . '/bugsnag/bugsnag-laravel/src'), ); diff --git a/vendor/composer/autoload_psr4.php b/vendor/composer/autoload_psr4.php index 3bb0a985f..b77682cd3 100644 --- a/vendor/composer/autoload_psr4.php +++ b/vendor/composer/autoload_psr4.php @@ -10,12 +10,15 @@ return array( 'Vsmoraes\\Pdf\\' => array($vendorDir . '/vsmoraes/laravel-pdf/src'), 'Thomaswelton\\Tests\\LaravelGravatar\\' => array($vendorDir . '/thomaswelton/laravel-gravatar/tests'), 'Thomaswelton\\LaravelGravatar\\' => array($vendorDir . '/thomaswelton/laravel-gravatar/src'), + 'Symfony\\Polyfill\\Util\\' => array($vendorDir . '/symfony/polyfill-util'), + 'Symfony\\Polyfill\\Php56\\' => array($vendorDir . '/symfony/polyfill-php56'), 'Symfony\\Component\\Yaml\\' => array($vendorDir . '/symfony/yaml'), 'Symfony\\Component\\Filesystem\\' => array($vendorDir . '/symfony/filesystem'), 'Symfony\\Component\\EventDispatcher\\' => array($vendorDir . '/symfony/event-dispatcher'), 'SuperClosure\\' => array($vendorDir . '/jeremeamia/SuperClosure/src'), 'Stringy\\' => array($vendorDir . '/danielstjules/stringy/src'), 'Propaganistas\\LaravelPhone\\' => array($vendorDir . '/propaganistas/laravel-phone/src'), + 'PhpImap\\' => array($vendorDir . '/php-imap/php-imap/src/PhpImap'), 'Nicolaslopezj\\Searchable\\' => array($vendorDir . '/nicolaslopezj/searchable/src'), 'Monolog\\' => array($vendorDir . '/monolog/monolog/src/Monolog'), 'League\\Flysystem\\' => array($vendorDir . '/league/flysystem/src'), @@ -23,5 +26,6 @@ return array( 'Illuminate\\' => array($vendorDir . '/laravel/framework/src/Illuminate'), 'Doctrine\\Instantiator\\' => array($vendorDir . '/doctrine/instantiator/src/Doctrine/Instantiator'), 'ClassPreloader\\' => array($vendorDir . '/classpreloader/classpreloader/src'), + 'Carbon\\' => array($vendorDir . '/nesbot/carbon/src/Carbon'), 'App\\' => array($baseDir . '/app'), ); diff --git a/vendor/composer/autoload_real.php b/vendor/composer/autoload_real.php index 56683ef55..05fae057f 100644 --- a/vendor/composer/autoload_real.php +++ b/vendor/composer/autoload_real.php @@ -2,7 +2,7 @@ // autoload_real.php @generated by Composer -class ComposerAutoloaderInitbe2f9f1bc8232b95340714a19f4a3f05 +class ComposerAutoloaderInit7157e8cc863b79dcda33b8f735f4c92d { private static $loader; @@ -19,9 +19,9 @@ class ComposerAutoloaderInitbe2f9f1bc8232b95340714a19f4a3f05 return self::$loader; } - spl_autoload_register(array('ComposerAutoloaderInitbe2f9f1bc8232b95340714a19f4a3f05', 'loadClassLoader'), true, true); + spl_autoload_register(array('ComposerAutoloaderInit7157e8cc863b79dcda33b8f735f4c92d', 'loadClassLoader'), true, true); self::$loader = $loader = new \Composer\Autoload\ClassLoader(); - spl_autoload_unregister(array('ComposerAutoloaderInitbe2f9f1bc8232b95340714a19f4a3f05', 'loadClassLoader')); + spl_autoload_unregister(array('ComposerAutoloaderInit7157e8cc863b79dcda33b8f735f4c92d', 'loadClassLoader')); $map = require __DIR__ . '/autoload_namespaces.php'; foreach ($map as $namespace => $path) { @@ -42,14 +42,14 @@ class ComposerAutoloaderInitbe2f9f1bc8232b95340714a19f4a3f05 $includeFiles = require __DIR__ . '/autoload_files.php'; foreach ($includeFiles as $file) { - composerRequirebe2f9f1bc8232b95340714a19f4a3f05($file); + composerRequire7157e8cc863b79dcda33b8f735f4c92d($file); } return $loader; } } -function composerRequirebe2f9f1bc8232b95340714a19f4a3f05($file) +function composerRequire7157e8cc863b79dcda33b8f735f4c92d($file) { require $file; } diff --git a/vendor/composer/installed.json b/vendor/composer/installed.json index 54566387b..a361e7e2c 100644 --- a/vendor/composer/installed.json +++ b/vendor/composer/installed.json @@ -341,55 +341,6 @@ "shell" ] }, - { - "name": "nesbot/carbon", - "version": "1.20.0", - "version_normalized": "1.20.0.0", - "source": { - "type": "git", - "url": "https://github.com/briannesbitt/Carbon.git", - "reference": "bfd3eaba109c9a2405c92174c8e17f20c2b9caf3" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/briannesbitt/Carbon/zipball/bfd3eaba109c9a2405c92174c8e17f20c2b9caf3", - "reference": "bfd3eaba109c9a2405c92174c8e17f20c2b9caf3", - "shasum": "" - }, - "require": { - "php": ">=5.3.0", - "symfony/translation": "~2.6|~3.0" - }, - "require-dev": { - "phpunit/phpunit": "~4.0" - }, - "time": "2015-06-25 04:19:39", - "type": "library", - "installation-source": "dist", - "autoload": { - "psr-0": { - "Carbon": "src" - } - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "Brian Nesbitt", - "email": "brian@nesbot.com", - "homepage": "http://nesbot.com" - } - ], - "description": "A simple API extension for DateTime.", - "homepage": "http://carbon.nesbot.com", - "keywords": [ - "date", - "datetime", - "time" - ] - }, { "name": "mtdowling/cron-expression", "version": "v1.0.4", @@ -436,66 +387,6 @@ "schedule" ] }, - { - "name": "jeremeamia/SuperClosure", - "version": "2.1.0", - "version_normalized": "2.1.0.0", - "source": { - "type": "git", - "url": "https://github.com/jeremeamia/super_closure.git", - "reference": "b712f39c671e5ead60c7ebfe662545456aade833" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/jeremeamia/super_closure/zipball/b712f39c671e5ead60c7ebfe662545456aade833", - "reference": "b712f39c671e5ead60c7ebfe662545456aade833", - "shasum": "" - }, - "require": { - "nikic/php-parser": "~1.0", - "php": ">=5.4" - }, - "require-dev": { - "codeclimate/php-test-reporter": "~0.1.2", - "phpunit/phpunit": "~4.0" - }, - "time": "2015-03-11 20:06:43", - "type": "library", - "extra": { - "branch-alias": { - "dev-master": "2.1-dev" - } - }, - "installation-source": "dist", - "autoload": { - "psr-4": { - "SuperClosure\\": "src/" - } - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "Jeremy Lindblom", - "email": "jeremeamia@gmail.com", - "homepage": "https://github.com/jeremeamia", - "role": "Developer" - } - ], - "description": "Serialize Closure objects, including their context and binding", - "homepage": "https://github.com/jeremeamia/super_closure", - "keywords": [ - "closure", - "function", - "lambda", - "parser", - "serializable", - "serialize", - "tokenizer" - ] - }, { "name": "ircmaxell/password-compat", "version": "v1.0.4", @@ -540,75 +431,6 @@ "password" ] }, - { - "name": "doctrine/inflector", - "version": "v1.0.1", - "version_normalized": "1.0.1.0", - "source": { - "type": "git", - "url": "https://github.com/doctrine/inflector.git", - "reference": "0bcb2e79d8571787f18b7eb036ed3d004908e604" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/doctrine/inflector/zipball/0bcb2e79d8571787f18b7eb036ed3d004908e604", - "reference": "0bcb2e79d8571787f18b7eb036ed3d004908e604", - "shasum": "" - }, - "require": { - "php": ">=5.3.2" - }, - "require-dev": { - "phpunit/phpunit": "4.*" - }, - "time": "2014-12-20 21:24:13", - "type": "library", - "extra": { - "branch-alias": { - "dev-master": "1.0.x-dev" - } - }, - "installation-source": "dist", - "autoload": { - "psr-0": { - "Doctrine\\Common\\Inflector\\": "lib/" - } - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "Roman Borschel", - "email": "roman@code-factory.org" - }, - { - "name": "Benjamin Eberlei", - "email": "kontakt@beberlei.de" - }, - { - "name": "Guilherme Blanco", - "email": "guilhermeblanco@gmail.com" - }, - { - "name": "Jonathan Wage", - "email": "jonwage@gmail.com" - }, - { - "name": "Johannes Schmitt", - "email": "schmittjoh@gmail.com" - } - ], - "description": "Common String Manipulations with regard to casing and singular/plural rules.", - "homepage": "http://www.doctrine-project.org", - "keywords": [ - "inflection", - "pluralize", - "singularize", - "string" - ] - }, { "name": "classpreloader/classpreloader", "version": "1.4.0", @@ -671,134 +493,6 @@ "preload" ] }, - { - "name": "laravel/framework", - "version": "v5.0.33", - "version_normalized": "5.0.33.0", - "source": { - "type": "git", - "url": "https://github.com/laravel/framework.git", - "reference": "b11c8ab88245f920b30e5f30e16b141ac8d461d3" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/laravel/framework/zipball/b11c8ab88245f920b30e5f30e16b141ac8d461d3", - "reference": "b11c8ab88245f920b30e5f30e16b141ac8d461d3", - "shasum": "" - }, - "require": { - "classpreloader/classpreloader": "~1.2", - "danielstjules/stringy": "~1.8", - "doctrine/inflector": "~1.0", - "ext-mbstring": "*", - "ext-mcrypt": "*", - "ext-openssl": "*", - "ircmaxell/password-compat": "~1.0", - "jeremeamia/superclosure": "~2.0", - "league/flysystem": "~1.0", - "monolog/monolog": "~1.11", - "mtdowling/cron-expression": "~1.0", - "nesbot/carbon": "~1.0", - "php": ">=5.4.0", - "psy/psysh": "0.4.*", - "swiftmailer/swiftmailer": "~5.1", - "symfony/console": "2.6.*", - "symfony/debug": "2.6.*", - "symfony/finder": "2.6.*", - "symfony/http-foundation": "2.6.*", - "symfony/http-kernel": "2.6.*", - "symfony/process": "2.6.*", - "symfony/routing": "2.6.*", - "symfony/security-core": "2.6.*", - "symfony/translation": "2.6.*", - "symfony/var-dumper": "2.6.*", - "vlucas/phpdotenv": "~1.0" - }, - "replace": { - "illuminate/auth": "self.version", - "illuminate/bus": "self.version", - "illuminate/cache": "self.version", - "illuminate/config": "self.version", - "illuminate/console": "self.version", - "illuminate/container": "self.version", - "illuminate/contracts": "self.version", - "illuminate/cookie": "self.version", - "illuminate/database": "self.version", - "illuminate/encryption": "self.version", - "illuminate/events": "self.version", - "illuminate/exception": "self.version", - "illuminate/filesystem": "self.version", - "illuminate/foundation": "self.version", - "illuminate/hashing": "self.version", - "illuminate/http": "self.version", - "illuminate/log": "self.version", - "illuminate/mail": "self.version", - "illuminate/pagination": "self.version", - "illuminate/pipeline": "self.version", - "illuminate/queue": "self.version", - "illuminate/redis": "self.version", - "illuminate/routing": "self.version", - "illuminate/session": "self.version", - "illuminate/support": "self.version", - "illuminate/translation": "self.version", - "illuminate/validation": "self.version", - "illuminate/view": "self.version" - }, - "require-dev": { - "aws/aws-sdk-php": "~2.4", - "iron-io/iron_mq": "~1.5", - "mockery/mockery": "~0.9", - "pda/pheanstalk": "~3.0", - "phpunit/phpunit": "~4.0", - "predis/predis": "~1.0" - }, - "suggest": { - "aws/aws-sdk-php": "Required to use the SQS queue driver and SES mail driver (~2.4).", - "doctrine/dbal": "Required to rename columns and drop SQLite columns (~2.4).", - "guzzlehttp/guzzle": "Required to use the Mailgun and Mandrill mail drivers (~5.0).", - "iron-io/iron_mq": "Required to use the iron queue driver (~1.5).", - "league/flysystem-aws-s3-v2": "Required to use the Flysystem S3 driver (~1.0).", - "league/flysystem-rackspace": "Required to use the Flysystem Rackspace driver (~1.0).", - "pda/pheanstalk": "Required to use the beanstalk queue driver (~3.0).", - "predis/predis": "Required to use the redis cache and queue drivers (~1.0)." - }, - "time": "2015-06-09 13:12:19", - "type": "library", - "extra": { - "branch-alias": { - "dev-master": "5.0-dev" - } - }, - "installation-source": "dist", - "autoload": { - "classmap": [ - "src/Illuminate/Queue/IlluminateQueueClosure.php" - ], - "files": [ - "src/Illuminate/Foundation/helpers.php", - "src/Illuminate/Support/helpers.php" - ], - "psr-4": { - "Illuminate\\": "src/Illuminate/" - } - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "Taylor Otwell", - "email": "taylorotwell@gmail.com" - } - ], - "description": "The Laravel Framework.", - "homepage": "http://laravel.com", - "keywords": [ - "framework", - "laravel" - ] - }, { "name": "neitanod/forceutf8", "version": "dev-master", @@ -886,60 +580,6 @@ } ] }, - { - "name": "sebastian/diff", - "version": "1.3.0", - "version_normalized": "1.3.0.0", - "source": { - "type": "git", - "url": "https://github.com/sebastianbergmann/diff.git", - "reference": "863df9687835c62aa423a22412d26fa2ebde3fd3" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/sebastianbergmann/diff/zipball/863df9687835c62aa423a22412d26fa2ebde3fd3", - "reference": "863df9687835c62aa423a22412d26fa2ebde3fd3", - "shasum": "" - }, - "require": { - "php": ">=5.3.3" - }, - "require-dev": { - "phpunit/phpunit": "~4.2" - }, - "time": "2015-02-22 15:13:53", - "type": "library", - "extra": { - "branch-alias": { - "dev-master": "1.3-dev" - } - }, - "installation-source": "dist", - "autoload": { - "classmap": [ - "src/" - ] - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "BSD-3-Clause" - ], - "authors": [ - { - "name": "Kore Nordmann", - "email": "mail@kore-nordmann.de" - }, - { - "name": "Sebastian Bergmann", - "email": "sebastian@phpunit.de" - } - ], - "description": "Diff implementation", - "homepage": "http://www.github.com/sebastianbergmann/diff", - "keywords": [ - "diff" - ] - }, { "name": "doctrine/instantiator", "version": "1.0.5", @@ -1112,61 +752,6 @@ "template" ] }, - { - "name": "sebastian/recursion-context", - "version": "1.0.1", - "version_normalized": "1.0.1.0", - "source": { - "type": "git", - "url": "https://github.com/sebastianbergmann/recursion-context.git", - "reference": "994d4a811bafe801fb06dccbee797863ba2792ba" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/sebastianbergmann/recursion-context/zipball/994d4a811bafe801fb06dccbee797863ba2792ba", - "reference": "994d4a811bafe801fb06dccbee797863ba2792ba", - "shasum": "" - }, - "require": { - "php": ">=5.3.3" - }, - "require-dev": { - "phpunit/phpunit": "~4.4" - }, - "time": "2015-06-21 08:04:50", - "type": "library", - "extra": { - "branch-alias": { - "dev-master": "1.0.x-dev" - } - }, - "installation-source": "dist", - "autoload": { - "classmap": [ - "src/" - ] - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "BSD-3-Clause" - ], - "authors": [ - { - "name": "Jeff Welch", - "email": "whatthejeff@gmail.com" - }, - { - "name": "Sebastian Bergmann", - "email": "sebastian@phpunit.de" - }, - { - "name": "Adam Harvey", - "email": "aharvey@php.net" - } - ], - "description": "Provides functionality to recursively process PHP variables", - "homepage": "http://www.github.com/sebastianbergmann/recursion-context" - }, { "name": "sebastian/exporter", "version": "1.2.1", @@ -1235,58 +820,6 @@ "exporter" ] }, - { - "name": "sebastian/environment", - "version": "1.3.2", - "version_normalized": "1.3.2.0", - "source": { - "type": "git", - "url": "https://github.com/sebastianbergmann/environment.git", - "reference": "6324c907ce7a52478eeeaede764f48733ef5ae44" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/sebastianbergmann/environment/zipball/6324c907ce7a52478eeeaede764f48733ef5ae44", - "reference": "6324c907ce7a52478eeeaede764f48733ef5ae44", - "shasum": "" - }, - "require": { - "php": ">=5.3.3" - }, - "require-dev": { - "phpunit/phpunit": "~4.4" - }, - "time": "2015-08-03 06:14:51", - "type": "library", - "extra": { - "branch-alias": { - "dev-master": "1.3.x-dev" - } - }, - "installation-source": "dist", - "autoload": { - "classmap": [ - "src/" - ] - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "BSD-3-Clause" - ], - "authors": [ - { - "name": "Sebastian Bergmann", - "email": "sebastian@phpunit.de" - } - ], - "description": "Provides functionality to handle HHVM/PHP environments", - "homepage": "http://www.github.com/sebastianbergmann/environment", - "keywords": [ - "Xdebug", - "environment", - "hhvm" - ] - }, { "name": "sebastian/comparator", "version": "1.2.0", @@ -1565,629 +1098,6 @@ "utils" ] }, - { - "name": "symfony/console", - "version": "v2.6.11", - "version_normalized": "2.6.11.0", - "target-dir": "Symfony/Component/Console", - "source": { - "type": "git", - "url": "https://github.com/symfony/Console.git", - "reference": "0e5e18ae09d3f5c06367759be940e9ed3f568359" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/symfony/Console/zipball/0e5e18ae09d3f5c06367759be940e9ed3f568359", - "reference": "0e5e18ae09d3f5c06367759be940e9ed3f568359", - "shasum": "" - }, - "require": { - "php": ">=5.3.3" - }, - "require-dev": { - "psr/log": "~1.0", - "symfony/event-dispatcher": "~2.1", - "symfony/phpunit-bridge": "~2.7", - "symfony/process": "~2.1" - }, - "suggest": { - "psr/log": "For using the console logger", - "symfony/event-dispatcher": "", - "symfony/process": "" - }, - "time": "2015-07-26 09:08:40", - "type": "library", - "extra": { - "branch-alias": { - "dev-master": "2.6-dev" - } - }, - "installation-source": "dist", - "autoload": { - "psr-0": { - "Symfony\\Component\\Console\\": "" - } - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "Fabien Potencier", - "email": "fabien@symfony.com" - }, - { - "name": "Symfony Community", - "homepage": "https://symfony.com/contributors" - } - ], - "description": "Symfony Console Component", - "homepage": "https://symfony.com" - }, - { - "name": "symfony/finder", - "version": "v2.6.11", - "version_normalized": "2.6.11.0", - "target-dir": "Symfony/Component/Finder", - "source": { - "type": "git", - "url": "https://github.com/symfony/Finder.git", - "reference": "203a10f928ae30176deeba33512999233181dd28" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/symfony/Finder/zipball/203a10f928ae30176deeba33512999233181dd28", - "reference": "203a10f928ae30176deeba33512999233181dd28", - "shasum": "" - }, - "require": { - "php": ">=5.3.3" - }, - "require-dev": { - "symfony/phpunit-bridge": "~2.7" - }, - "time": "2015-07-09 16:02:48", - "type": "library", - "extra": { - "branch-alias": { - "dev-master": "2.6-dev" - } - }, - "installation-source": "dist", - "autoload": { - "psr-0": { - "Symfony\\Component\\Finder\\": "" - } - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "Fabien Potencier", - "email": "fabien@symfony.com" - }, - { - "name": "Symfony Community", - "homepage": "https://symfony.com/contributors" - } - ], - "description": "Symfony Finder Component", - "homepage": "https://symfony.com" - }, - { - "name": "symfony/debug", - "version": "v2.6.11", - "version_normalized": "2.6.11.0", - "target-dir": "Symfony/Component/Debug", - "source": { - "type": "git", - "url": "https://github.com/symfony/Debug.git", - "reference": "fca5696e0c9787722baa8f2ad6940dfd7a6a6941" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/symfony/Debug/zipball/fca5696e0c9787722baa8f2ad6940dfd7a6a6941", - "reference": "fca5696e0c9787722baa8f2ad6940dfd7a6a6941", - "shasum": "" - }, - "require": { - "php": ">=5.3.3", - "psr/log": "~1.0" - }, - "conflict": { - "symfony/http-kernel": ">=2.3,<2.3.24|~2.4.0|>=2.5,<2.5.9|>=2.6,<2.6.2" - }, - "require-dev": { - "symfony/class-loader": "~2.2", - "symfony/http-foundation": "~2.1", - "symfony/http-kernel": "~2.3.24|~2.5.9|~2.6,>=2.6.2", - "symfony/phpunit-bridge": "~2.7" - }, - "suggest": { - "symfony/http-foundation": "", - "symfony/http-kernel": "" - }, - "time": "2015-07-08 05:59:48", - "type": "library", - "extra": { - "branch-alias": { - "dev-master": "2.6-dev" - } - }, - "installation-source": "dist", - "autoload": { - "psr-0": { - "Symfony\\Component\\Debug\\": "" - } - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "Fabien Potencier", - "email": "fabien@symfony.com" - }, - { - "name": "Symfony Community", - "homepage": "https://symfony.com/contributors" - } - ], - "description": "Symfony Debug Component", - "homepage": "https://symfony.com" - }, - { - "name": "symfony/http-foundation", - "version": "v2.6.11", - "version_normalized": "2.6.11.0", - "target-dir": "Symfony/Component/HttpFoundation", - "source": { - "type": "git", - "url": "https://github.com/symfony/HttpFoundation.git", - "reference": "e8fd1b73ac1c3de1f76c73801ddf1a8ecb1c1c9c" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/symfony/HttpFoundation/zipball/e8fd1b73ac1c3de1f76c73801ddf1a8ecb1c1c9c", - "reference": "e8fd1b73ac1c3de1f76c73801ddf1a8ecb1c1c9c", - "shasum": "" - }, - "require": { - "php": ">=5.3.3" - }, - "require-dev": { - "symfony/expression-language": "~2.4", - "symfony/phpunit-bridge": "~2.7" - }, - "time": "2015-07-22 10:08:40", - "type": "library", - "extra": { - "branch-alias": { - "dev-master": "2.6-dev" - } - }, - "installation-source": "dist", - "autoload": { - "psr-0": { - "Symfony\\Component\\HttpFoundation\\": "" - }, - "classmap": [ - "Symfony/Component/HttpFoundation/Resources/stubs" - ] - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "Fabien Potencier", - "email": "fabien@symfony.com" - }, - { - "name": "Symfony Community", - "homepage": "https://symfony.com/contributors" - } - ], - "description": "Symfony HttpFoundation Component", - "homepage": "https://symfony.com" - }, - { - "name": "symfony/http-kernel", - "version": "v2.6.11", - "version_normalized": "2.6.11.0", - "target-dir": "Symfony/Component/HttpKernel", - "source": { - "type": "git", - "url": "https://github.com/symfony/HttpKernel.git", - "reference": "a3f0ed713255c0400a2db38b3ed01989ef4b7322" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/symfony/HttpKernel/zipball/a3f0ed713255c0400a2db38b3ed01989ef4b7322", - "reference": "a3f0ed713255c0400a2db38b3ed01989ef4b7322", - "shasum": "" - }, - "require": { - "php": ">=5.3.3", - "psr/log": "~1.0", - "symfony/debug": "~2.6,>=2.6.2", - "symfony/event-dispatcher": "~2.6,>=2.6.7", - "symfony/http-foundation": "~2.5,>=2.5.4" - }, - "require-dev": { - "symfony/browser-kit": "~2.3", - "symfony/class-loader": "~2.1", - "symfony/config": "~2.0,>=2.0.5", - "symfony/console": "~2.3", - "symfony/css-selector": "~2.0,>=2.0.5", - "symfony/dependency-injection": "~2.2", - "symfony/dom-crawler": "~2.0,>=2.0.5", - "symfony/expression-language": "~2.4", - "symfony/finder": "~2.0,>=2.0.5", - "symfony/phpunit-bridge": "~2.7", - "symfony/process": "~2.0,>=2.0.5", - "symfony/routing": "~2.2", - "symfony/stopwatch": "~2.3", - "symfony/templating": "~2.2", - "symfony/translation": "~2.0,>=2.0.5", - "symfony/var-dumper": "~2.6" - }, - "suggest": { - "symfony/browser-kit": "", - "symfony/class-loader": "", - "symfony/config": "", - "symfony/console": "", - "symfony/dependency-injection": "", - "symfony/finder": "", - "symfony/var-dumper": "" - }, - "time": "2015-07-26 10:44:22", - "type": "library", - "extra": { - "branch-alias": { - "dev-master": "2.6-dev" - } - }, - "installation-source": "dist", - "autoload": { - "psr-0": { - "Symfony\\Component\\HttpKernel\\": "" - } - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "Fabien Potencier", - "email": "fabien@symfony.com" - }, - { - "name": "Symfony Community", - "homepage": "https://symfony.com/contributors" - } - ], - "description": "Symfony HttpKernel Component", - "homepage": "https://symfony.com" - }, - { - "name": "symfony/process", - "version": "v2.6.11", - "version_normalized": "2.6.11.0", - "target-dir": "Symfony/Component/Process", - "source": { - "type": "git", - "url": "https://github.com/symfony/Process.git", - "reference": "57f1e88bb5dafa449b83f9f265b11d52d517b3e9" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/symfony/Process/zipball/57f1e88bb5dafa449b83f9f265b11d52d517b3e9", - "reference": "57f1e88bb5dafa449b83f9f265b11d52d517b3e9", - "shasum": "" - }, - "require": { - "php": ">=5.3.3" - }, - "require-dev": { - "symfony/phpunit-bridge": "~2.7" - }, - "time": "2015-06-30 16:10:16", - "type": "library", - "extra": { - "branch-alias": { - "dev-master": "2.6-dev" - } - }, - "installation-source": "dist", - "autoload": { - "psr-0": { - "Symfony\\Component\\Process\\": "" - } - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "Fabien Potencier", - "email": "fabien@symfony.com" - }, - { - "name": "Symfony Community", - "homepage": "https://symfony.com/contributors" - } - ], - "description": "Symfony Process Component", - "homepage": "https://symfony.com" - }, - { - "name": "symfony/routing", - "version": "v2.6.11", - "version_normalized": "2.6.11.0", - "target-dir": "Symfony/Component/Routing", - "source": { - "type": "git", - "url": "https://github.com/symfony/Routing.git", - "reference": "0a1764d41bbb54f3864808c50569ac382b44d128" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/symfony/Routing/zipball/0a1764d41bbb54f3864808c50569ac382b44d128", - "reference": "0a1764d41bbb54f3864808c50569ac382b44d128", - "shasum": "" - }, - "require": { - "php": ">=5.3.3" - }, - "require-dev": { - "doctrine/annotations": "~1.0", - "doctrine/common": "~2.2", - "psr/log": "~1.0", - "symfony/config": "~2.2", - "symfony/expression-language": "~2.4", - "symfony/http-foundation": "~2.3", - "symfony/phpunit-bridge": "~2.7", - "symfony/yaml": "~2.0,>=2.0.5" - }, - "suggest": { - "doctrine/annotations": "For using the annotation loader", - "symfony/config": "For using the all-in-one router or any loader", - "symfony/expression-language": "For using expression matching", - "symfony/yaml": "For using the YAML loader" - }, - "time": "2015-07-09 16:02:48", - "type": "library", - "extra": { - "branch-alias": { - "dev-master": "2.6-dev" - } - }, - "installation-source": "dist", - "autoload": { - "psr-0": { - "Symfony\\Component\\Routing\\": "" - } - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "Fabien Potencier", - "email": "fabien@symfony.com" - }, - { - "name": "Symfony Community", - "homepage": "https://symfony.com/contributors" - } - ], - "description": "Symfony Routing Component", - "homepage": "https://symfony.com", - "keywords": [ - "router", - "routing", - "uri", - "url" - ] - }, - { - "name": "symfony/security-core", - "version": "v2.6.11", - "version_normalized": "2.6.11.0", - "target-dir": "Symfony/Component/Security/Core", - "source": { - "type": "git", - "url": "https://github.com/symfony/security-core.git", - "reference": "05f58bb3814e8a853332dc448e3b7addaa87679c" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/symfony/security-core/zipball/05f58bb3814e8a853332dc448e3b7addaa87679c", - "reference": "05f58bb3814e8a853332dc448e3b7addaa87679c", - "shasum": "" - }, - "require": { - "php": ">=5.3.3" - }, - "require-dev": { - "ircmaxell/password-compat": "1.0.*", - "psr/log": "~1.0", - "symfony/event-dispatcher": "~2.1", - "symfony/expression-language": "~2.6", - "symfony/http-foundation": "~2.4", - "symfony/phpunit-bridge": "~2.7", - "symfony/translation": "~2.0,>=2.0.5", - "symfony/validator": "~2.5,>=2.5.5" - }, - "suggest": { - "ircmaxell/password-compat": "For using the BCrypt password encoder in PHP <5.5", - "symfony/event-dispatcher": "", - "symfony/expression-language": "For using the expression voter", - "symfony/http-foundation": "", - "symfony/validator": "For using the user password constraint" - }, - "time": "2015-07-22 10:08:40", - "type": "library", - "extra": { - "branch-alias": { - "dev-master": "2.6-dev" - } - }, - "installation-source": "dist", - "autoload": { - "psr-0": { - "Symfony\\Component\\Security\\Core\\": "" - } - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "Fabien Potencier", - "email": "fabien@symfony.com" - }, - { - "name": "Symfony Community", - "homepage": "https://symfony.com/contributors" - } - ], - "description": "Symfony Security Component - Core Library", - "homepage": "https://symfony.com" - }, - { - "name": "symfony/translation", - "version": "v2.6.11", - "version_normalized": "2.6.11.0", - "target-dir": "Symfony/Component/Translation", - "source": { - "type": "git", - "url": "https://github.com/symfony/Translation.git", - "reference": "d84291215b5892834dd8ca8ee52f9cbdb8274904" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/symfony/Translation/zipball/d84291215b5892834dd8ca8ee52f9cbdb8274904", - "reference": "d84291215b5892834dd8ca8ee52f9cbdb8274904", - "shasum": "" - }, - "require": { - "php": ">=5.3.3" - }, - "require-dev": { - "psr/log": "~1.0", - "symfony/config": "~2.3,>=2.3.12", - "symfony/intl": "~2.3", - "symfony/phpunit-bridge": "~2.7", - "symfony/yaml": "~2.2" - }, - "suggest": { - "psr/log": "To use logging capability in translator", - "symfony/config": "", - "symfony/yaml": "" - }, - "time": "2015-07-08 05:59:48", - "type": "library", - "extra": { - "branch-alias": { - "dev-master": "2.6-dev" - } - }, - "installation-source": "dist", - "autoload": { - "psr-0": { - "Symfony\\Component\\Translation\\": "" - } - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "Fabien Potencier", - "email": "fabien@symfony.com" - }, - { - "name": "Symfony Community", - "homepage": "https://symfony.com/contributors" - } - ], - "description": "Symfony Translation Component", - "homepage": "https://symfony.com" - }, - { - "name": "symfony/var-dumper", - "version": "v2.6.11", - "version_normalized": "2.6.11.0", - "target-dir": "Symfony/Component/VarDumper", - "source": { - "type": "git", - "url": "https://github.com/symfony/var-dumper.git", - "reference": "5fba957a30161d8724aade093593cd22f815bea2" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/symfony/var-dumper/zipball/5fba957a30161d8724aade093593cd22f815bea2", - "reference": "5fba957a30161d8724aade093593cd22f815bea2", - "shasum": "" - }, - "require": { - "php": ">=5.3.3" - }, - "require-dev": { - "symfony/phpunit-bridge": "~2.7" - }, - "suggest": { - "ext-symfony_debug": "" - }, - "time": "2015-07-01 10:03:42", - "type": "library", - "extra": { - "branch-alias": { - "dev-master": "2.6-dev" - } - }, - "installation-source": "dist", - "autoload": { - "files": [ - "Resources/functions/dump.php" - ], - "psr-0": { - "Symfony\\Component\\VarDumper\\": "" - } - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "Nicolas Grekas", - "email": "p@tchwork.com" - }, - { - "name": "Symfony Community", - "homepage": "https://symfony.com/contributors" - } - ], - "description": "Symfony mechanism for exploring and dumping PHP variables", - "homepage": "https://symfony.com", - "keywords": [ - "debug", - "dump" - ] - }, { "name": "illuminate/html", "version": "v5.0.0", @@ -2272,49 +1182,6 @@ "description": "A library to read, parse, export and make subsets of different types of font files.", "homepage": "https://github.com/PhenX/php-font-lib" }, - { - "name": "dompdf/dompdf", - "version": "v0.6.1", - "version_normalized": "0.6.1.0", - "source": { - "type": "git", - "url": "https://github.com/dompdf/dompdf.git", - "reference": "cf7d8a0a27270418850cc7d7ea532159e5eeb3eb" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/dompdf/dompdf/zipball/cf7d8a0a27270418850cc7d7ea532159e5eeb3eb", - "reference": "cf7d8a0a27270418850cc7d7ea532159e5eeb3eb", - "shasum": "" - }, - "require": { - "phenx/php-font-lib": "0.2.*" - }, - "time": "2014-03-11 01:59:52", - "type": "library", - "installation-source": "dist", - "autoload": { - "classmap": [ - "include/" - ] - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "LGPL" - ], - "authors": [ - { - "name": "Fabien Ménager", - "email": "fabien.menager@gmail.com" - }, - { - "name": "Brian Sweeney", - "email": "eclecticgeek@gmail.com" - } - ], - "description": "DOMPDF is a CSS 2.1 compliant HTML to PDF converter", - "homepage": "https://github.com/dompdf/dompdf" - }, { "name": "vsmoraes/laravel-pdf", "version": "1.0.1", @@ -2419,165 +1286,6 @@ "twig" ] }, - { - "name": "bugsnag/bugsnag", - "version": "v2.5.5", - "version_normalized": "2.5.5.0", - "source": { - "type": "git", - "url": "https://github.com/bugsnag/bugsnag-php.git", - "reference": "30af9dfc67c42bd3c392c7917b4b35d08a53da74" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/bugsnag/bugsnag-php/zipball/30af9dfc67c42bd3c392c7917b4b35d08a53da74", - "reference": "30af9dfc67c42bd3c392c7917b4b35d08a53da74", - "shasum": "" - }, - "require": { - "php": ">=5.2.0" - }, - "require-dev": { - "phpunit/phpunit": "3.7.*" - }, - "time": "2015-07-01 02:43:15", - "type": "library", - "installation-source": "dist", - "autoload": { - "psr-0": { - "Bugsnag_": "src/" - } - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "James Smith", - "email": "notifiers@bugsnag.com", - "homepage": "https://bugsnag.com" - } - ], - "description": "Official Bugsnag notifier for PHP applications.", - "homepage": "https://github.com/bugsnag/bugsnag-php", - "keywords": [ - "bugsnag", - "errors", - "exceptions", - "logging", - "tracking" - ] - }, - { - "name": "bugsnag/bugsnag-laravel", - "version": "v1.6.1", - "version_normalized": "1.6.1.0", - "source": { - "type": "git", - "url": "https://github.com/bugsnag/bugsnag-laravel.git", - "reference": "43cbba24bfc8c476d59cb1dbc7591f4e8632c5a5" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/bugsnag/bugsnag-laravel/zipball/43cbba24bfc8c476d59cb1dbc7591f4e8632c5a5", - "reference": "43cbba24bfc8c476d59cb1dbc7591f4e8632c5a5", - "shasum": "" - }, - "require": { - "bugsnag/bugsnag": ">=2.5.0", - "illuminate/support": "4.*|5.*", - "php": ">=5.3.0" - }, - "time": "2015-07-22 14:48:17", - "type": "library", - "installation-source": "dist", - "autoload": { - "psr-0": { - "Bugsnag\\BugsnagLaravel\\": "src/" - } - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "James Smith", - "email": "notifiers@bugsnag.com" - } - ], - "description": "Official Bugsnag notifier for Laravel applications.", - "homepage": "https://github.com/bugsnag/bugsnag-laravel", - "keywords": [ - "bugsnag", - "errors", - "exceptions", - "laravel", - "logging", - "tracking" - ] - }, - { - "name": "filp/whoops", - "version": "1.1.7", - "version_normalized": "1.1.7.0", - "source": { - "type": "git", - "url": "https://github.com/filp/whoops.git", - "reference": "72538eeb70bbfb11964412a3d098d109efd012f7" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/filp/whoops/zipball/72538eeb70bbfb11964412a3d098d109efd012f7", - "reference": "72538eeb70bbfb11964412a3d098d109efd012f7", - "shasum": "" - }, - "require": { - "php": ">=5.3.0" - }, - "require-dev": { - "mockery/mockery": "0.9.*" - }, - "time": "2015-06-29 05:42:04", - "type": "library", - "extra": { - "branch-alias": { - "dev-master": "1.2-dev" - } - }, - "installation-source": "dist", - "autoload": { - "psr-0": { - "Whoops": "src/" - }, - "classmap": [ - "src/deprecated" - ] - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "Filipe Dobreira", - "homepage": "https://github.com/filp", - "role": "Developer" - } - ], - "description": "php error handling for cool kids", - "homepage": "https://github.com/filp/whoops", - "keywords": [ - "error", - "exception", - "handling", - "library", - "silex-provider", - "whoops", - "zf2" - ] - }, { "name": "phpunit/php-token-stream", "version": "1.4.8", @@ -2629,85 +1337,6 @@ "tokenizer" ] }, - { - "name": "phpspec/phpspec", - "version": "2.3.0", - "version_normalized": "2.3.0.0", - "source": { - "type": "git", - "url": "https://github.com/phpspec/phpspec.git", - "reference": "36635a903bdeb54899d7407bc95610501fd98559" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/phpspec/phpspec/zipball/36635a903bdeb54899d7407bc95610501fd98559", - "reference": "36635a903bdeb54899d7407bc95610501fd98559", - "shasum": "" - }, - "require": { - "doctrine/instantiator": "^1.0.1", - "php": ">=5.3.3", - "phpspec/php-diff": "~1.0.0", - "phpspec/prophecy": "~1.4", - "sebastian/exporter": "~1.0", - "symfony/console": "~2.3", - "symfony/event-dispatcher": "~2.1", - "symfony/finder": "~2.1", - "symfony/process": "^2.6", - "symfony/yaml": "~2.1" - }, - "require-dev": { - "behat/behat": "^3.0.11", - "bossa/phpspec2-expect": "~1.0", - "phpunit/phpunit": "~4.4", - "symfony/filesystem": "~2.1" - }, - "suggest": { - "phpspec/nyan-formatters": "~1.0 – Adds Nyan formatters" - }, - "time": "2015-09-07 07:07:37", - "bin": [ - "bin/phpspec" - ], - "type": "library", - "extra": { - "branch-alias": { - "dev-master": "2.2.x-dev" - } - }, - "installation-source": "dist", - "autoload": { - "psr-0": { - "PhpSpec": "src/" - } - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "Konstantin Kudryashov", - "email": "ever.zet@gmail.com", - "homepage": "http://everzet.com" - }, - { - "name": "Marcello Duarte", - "homepage": "http://marcelloduarte.net/" - } - ], - "description": "Specification-oriented BDD framework for PHP 5.3+", - "homepage": "http://phpspec.net/", - "keywords": [ - "BDD", - "SpecBDD", - "TDD", - "spec", - "specification", - "testing", - "tests" - ] - }, { "name": "nikic/php-parser", "version": "v1.4.1", @@ -2755,163 +1384,6 @@ "php" ] }, - { - "name": "propaganistas/laravel-phone", - "version": "2.4.0", - "version_normalized": "2.4.0.0", - "source": { - "type": "git", - "url": "https://github.com/Propaganistas/Laravel-Phone.git", - "reference": "43b28096f88c0a3191a2cc123ca84da179e47fc7" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/Propaganistas/Laravel-Phone/zipball/43b28096f88c0a3191a2cc123ca84da179e47fc7", - "reference": "43b28096f88c0a3191a2cc123ca84da179e47fc7", - "shasum": "" - }, - "require": { - "giggsey/libphonenumber-for-php": "~7.0", - "illuminate/support": "~4.0|~5.0", - "illuminate/validation": "~4.0|~5.0", - "php": ">=5.4.0" - }, - "suggest": { - "monarobase/country-list": "Adds a compatible (and fully translated) country list API." - }, - "time": "2015-09-15 14:24:09", - "type": "library", - "installation-source": "dist", - "autoload": { - "psr-4": { - "Propaganistas\\LaravelPhone\\": "src/" - }, - "files": [ - "src/helpers.php" - ] - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "Propaganistas", - "email": "Propaganistas@users.noreply.github.com" - } - ], - "description": "Adds a phone validator to Laravel based on Google's libphonenumber API.", - "keywords": [ - "laravel", - "libphonenumber", - "phone", - "validation" - ] - }, - { - "name": "php-imap/php-imap", - "version": "2.0.3", - "version_normalized": "2.0.3.0", - "source": { - "type": "git", - "url": "https://github.com/barbushin/php-imap.git", - "reference": "cc1a49a3f68090db182183c59ffbc09055d59f5b" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/barbushin/php-imap/zipball/cc1a49a3f68090db182183c59ffbc09055d59f5b", - "reference": "cc1a49a3f68090db182183c59ffbc09055d59f5b", - "shasum": "" - }, - "require": { - "php": ">=5.3.0" - }, - "time": "2015-09-16 07:40:39", - "type": "library", - "installation-source": "dist", - "autoload": { - "psr-0": { - "PhpImap": "src/" - } - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "BSD 3-Clause" - ], - "authors": [ - { - "name": "Sergey Barbushin", - "email": "barbushin@gmail.com", - "homepage": "http://linkedin.com/in/barbushin" - } - ], - "description": "PHP class to access mailbox by POP3/IMAP/NNTP using IMAP extension", - "homepage": "https://github.com/barbushin/php-imap", - "keywords": [ - "imap", - "mail", - "php" - ] - }, - { - "name": "symfony/event-dispatcher", - "version": "v2.7.6", - "version_normalized": "2.7.6.0", - "source": { - "type": "git", - "url": "https://github.com/symfony/event-dispatcher.git", - "reference": "87a5db5ea887763fa3a31a5471b512ff1596d9b8" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/symfony/event-dispatcher/zipball/87a5db5ea887763fa3a31a5471b512ff1596d9b8", - "reference": "87a5db5ea887763fa3a31a5471b512ff1596d9b8", - "shasum": "" - }, - "require": { - "php": ">=5.3.9" - }, - "require-dev": { - "psr/log": "~1.0", - "symfony/config": "~2.0,>=2.0.5", - "symfony/dependency-injection": "~2.6", - "symfony/expression-language": "~2.6", - "symfony/stopwatch": "~2.3" - }, - "suggest": { - "symfony/dependency-injection": "", - "symfony/http-kernel": "" - }, - "time": "2015-10-11 09:39:48", - "type": "library", - "extra": { - "branch-alias": { - "dev-master": "2.7-dev" - } - }, - "installation-source": "dist", - "autoload": { - "psr-4": { - "Symfony\\Component\\EventDispatcher\\": "" - } - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "Fabien Potencier", - "email": "fabien@symfony.com" - }, - { - "name": "Symfony Community", - "homepage": "https://symfony.com/contributors" - } - ], - "description": "Symfony EventDispatcher Component", - "homepage": "https://symfony.com" - }, { "name": "monolog/monolog", "version": "1.17.2", @@ -2991,245 +1463,6 @@ "psr-3" ] }, - { - "name": "league/flysystem", - "version": "1.0.15", - "version_normalized": "1.0.15.0", - "source": { - "type": "git", - "url": "https://github.com/thephpleague/flysystem.git", - "reference": "31525caf9e8772683672fefd8a1ca0c0736020f4" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/thephpleague/flysystem/zipball/31525caf9e8772683672fefd8a1ca0c0736020f4", - "reference": "31525caf9e8772683672fefd8a1ca0c0736020f4", - "shasum": "" - }, - "require": { - "php": ">=5.4.0" - }, - "conflict": { - "league/flysystem-sftp": "<1.0.6" - }, - "require-dev": { - "ext-fileinfo": "*", - "mockery/mockery": "~0.9", - "phpspec/phpspec": "^2.2", - "phpspec/prophecy-phpunit": "~1.0", - "phpunit/phpunit": "~4.1" - }, - "suggest": { - "ext-fileinfo": "Required for MimeType", - "league/flysystem-aws-s3-v2": "Allows you to use S3 storage with AWS SDK v2", - "league/flysystem-aws-s3-v3": "Allows you to use S3 storage with AWS SDK v3", - "league/flysystem-azure": "Allows you to use Windows Azure Blob storage", - "league/flysystem-cached-adapter": "Flysystem adapter decorator for metadata caching", - "league/flysystem-copy": "Allows you to use Copy.com storage", - "league/flysystem-dropbox": "Allows you to use Dropbox storage", - "league/flysystem-eventable-filesystem": "Allows you to use EventableFilesystem", - "league/flysystem-rackspace": "Allows you to use Rackspace Cloud Files", - "league/flysystem-sftp": "Allows you to use SFTP server storage via phpseclib", - "league/flysystem-webdav": "Allows you to use WebDAV storage", - "league/flysystem-ziparchive": "Allows you to use ZipArchive adapter" - }, - "time": "2015-09-30 22:26:59", - "type": "library", - "extra": { - "branch-alias": { - "dev-master": "1.1-dev" - } - }, - "installation-source": "dist", - "autoload": { - "psr-4": { - "League\\Flysystem\\": "src/" - } - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "Frank de Jonge", - "email": "info@frenky.net" - } - ], - "description": "Filesystem abstraction: Many filesystems, one API.", - "keywords": [ - "Cloud Files", - "WebDAV", - "abstraction", - "aws", - "cloud", - "copy.com", - "dropbox", - "file systems", - "files", - "filesystem", - "filesystems", - "ftp", - "rackspace", - "remote", - "s3", - "sftp", - "storage" - ] - }, - { - "name": "symfony/filesystem", - "version": "v2.7.6", - "version_normalized": "2.7.6.0", - "source": { - "type": "git", - "url": "https://github.com/symfony/filesystem.git", - "reference": "56fd6df73be859323ff97418d97edc1d756df6df" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/symfony/filesystem/zipball/56fd6df73be859323ff97418d97edc1d756df6df", - "reference": "56fd6df73be859323ff97418d97edc1d756df6df", - "shasum": "" - }, - "require": { - "php": ">=5.3.9" - }, - "time": "2015-10-18 20:23:18", - "type": "library", - "extra": { - "branch-alias": { - "dev-master": "2.7-dev" - } - }, - "installation-source": "dist", - "autoload": { - "psr-4": { - "Symfony\\Component\\Filesystem\\": "" - } - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "Fabien Potencier", - "email": "fabien@symfony.com" - }, - { - "name": "Symfony Community", - "homepage": "https://symfony.com/contributors" - } - ], - "description": "Symfony Filesystem Component", - "homepage": "https://symfony.com" - }, - { - "name": "thomaswelton/laravel-gravatar", - "version": "1.1.0", - "version_normalized": "1.1.0.0", - "source": { - "type": "git", - "url": "https://github.com/thomaswelton/laravel-gravatar.git", - "reference": "e01b473a4e89c8ebb203d0616e12894f5dd84c45" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/thomaswelton/laravel-gravatar/zipball/e01b473a4e89c8ebb203d0616e12894f5dd84c45", - "reference": "e01b473a4e89c8ebb203d0616e12894f5dd84c45", - "shasum": "" - }, - "require": { - "illuminate/support": "~5.0", - "php": ">=5.4.0", - "thomaswelton/gravatarlib": "0.1.x" - }, - "require-dev": { - "mockery/mockery": "0.9.*", - "phpunit/phpunit": "4.8.*" - }, - "time": "2015-10-13 14:42:42", - "type": "library", - "installation-source": "dist", - "autoload": { - "psr-4": { - "Thomaswelton\\LaravelGravatar\\": "src/", - "Thomaswelton\\Tests\\LaravelGravatar\\": "tests/" - } - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "ThomasWelton", - "email": "thomaswelton@me.com", - "role": "Developer" - }, - { - "name": "Antoine Augusti", - "email": "antoine.augusti@gmail.com", - "role": "Developer" - } - ], - "description": "Laravel 5 Gravatar helper", - "homepage": "https://github.com/thomaswelton/laravel-gravatar", - "keywords": [ - "gravatar", - "laravel", - "laravel5" - ] - }, - { - "name": "nicolaslopezj/searchable", - "version": "1.6.1", - "version_normalized": "1.6.1.0", - "source": { - "type": "git", - "url": "https://github.com/nicolaslopezj/searchable.git", - "reference": "8d97d2c97dc17bc0795220b11b9ce0769d7d9173" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/nicolaslopezj/searchable/zipball/8d97d2c97dc17bc0795220b11b9ce0769d7d9173", - "reference": "8d97d2c97dc17bc0795220b11b9ce0769d7d9173", - "shasum": "" - }, - "require": { - "ext-mbstring": "*", - "illuminate/database": "4.2.x|~5.0", - "php": ">=5.4.0" - }, - "time": "2015-10-28 02:46:28", - "type": "library", - "installation-source": "dist", - "autoload": { - "psr-4": { - "Nicolaslopezj\\Searchable\\": "src/" - } - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "Nicolas Lopez", - "email": "nicolaslopezj@me.com" - } - ], - "description": "Eloquent model search trait.", - "keywords": [ - "database", - "eloquent", - "laravel", - "model", - "search", - "searchable" - ] - }, { "name": "sebastian/global-state", "version": "1.1.1", @@ -3283,54 +1516,6 @@ "global state" ] }, - { - "name": "symfony/yaml", - "version": "v2.7.6", - "version_normalized": "2.7.6.0", - "source": { - "type": "git", - "url": "https://github.com/symfony/yaml.git", - "reference": "eca9019c88fbe250164affd107bc8057771f3f4d" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/symfony/yaml/zipball/eca9019c88fbe250164affd107bc8057771f3f4d", - "reference": "eca9019c88fbe250164affd107bc8057771f3f4d", - "shasum": "" - }, - "require": { - "php": ">=5.3.9" - }, - "time": "2015-10-11 09:39:48", - "type": "library", - "extra": { - "branch-alias": { - "dev-master": "2.7-dev" - } - }, - "installation-source": "dist", - "autoload": { - "psr-4": { - "Symfony\\Component\\Yaml\\": "" - } - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "Fabien Potencier", - "email": "fabien@symfony.com" - }, - { - "name": "Symfony Community", - "homepage": "https://symfony.com/contributors" - } - ], - "description": "Symfony Yaml Component", - "homepage": "https://symfony.com" - }, { "name": "phpunit/phpunit-mock-objects", "version": "2.3.8", @@ -3454,52 +1639,308 @@ ] }, { - "name": "phpunit/phpunit", - "version": "4.8.16", - "version_normalized": "4.8.16.0", + "name": "symfony/yaml", + "version": "v3.0.1", + "version_normalized": "3.0.1.0", "source": { "type": "git", - "url": "https://github.com/sebastianbergmann/phpunit.git", - "reference": "625f8c345606ed0f3a141dfb88f4116f0e22978e" + "url": "https://github.com/symfony/yaml.git", + "reference": "3df409958a646dad2bc5046c3fb671ee24a1a691" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/sebastianbergmann/phpunit/zipball/625f8c345606ed0f3a141dfb88f4116f0e22978e", - "reference": "625f8c345606ed0f3a141dfb88f4116f0e22978e", + "url": "https://api.github.com/repos/symfony/yaml/zipball/3df409958a646dad2bc5046c3fb671ee24a1a691", + "reference": "3df409958a646dad2bc5046c3fb671ee24a1a691", "shasum": "" }, "require": { - "ext-dom": "*", - "ext-json": "*", - "ext-pcre": "*", - "ext-reflection": "*", - "ext-spl": "*", - "php": ">=5.3.3", - "phpspec/prophecy": "^1.3.1", - "phpunit/php-code-coverage": "~2.1", - "phpunit/php-file-iterator": "~1.4", - "phpunit/php-text-template": "~1.2", - "phpunit/php-timer": ">=1.0.6", - "phpunit/phpunit-mock-objects": "~2.3", - "sebastian/comparator": "~1.1", - "sebastian/diff": "~1.2", - "sebastian/environment": "~1.3", - "sebastian/exporter": "~1.2", - "sebastian/global-state": "~1.0", - "sebastian/version": "~1.0", - "symfony/yaml": "~2.1|~3.0" + "php": ">=5.5.9" }, - "suggest": { - "phpunit/php-invoker": "~1.1" - }, - "time": "2015-10-23 06:48:33", - "bin": [ - "phpunit" - ], + "time": "2015-12-26 13:39:53", "type": "library", "extra": { "branch-alias": { - "dev-master": "4.8.x-dev" + "dev-master": "3.0-dev" + } + }, + "installation-source": "dist", + "autoload": { + "psr-4": { + "Symfony\\Component\\Yaml\\": "" + }, + "exclude-from-classmap": [ + "/Tests/" + ] + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Fabien Potencier", + "email": "fabien@symfony.com" + }, + { + "name": "Symfony Community", + "homepage": "https://symfony.com/contributors" + } + ], + "description": "Symfony Yaml Component", + "homepage": "https://symfony.com" + }, + { + "name": "symfony/finder", + "version": "v2.6.12", + "version_normalized": "2.6.12.0", + "target-dir": "Symfony/Component/Finder", + "source": { + "type": "git", + "url": "https://github.com/symfony/finder.git", + "reference": "203a10f928ae30176deeba33512999233181dd28" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/symfony/finder/zipball/203a10f928ae30176deeba33512999233181dd28", + "reference": "203a10f928ae30176deeba33512999233181dd28", + "shasum": "" + }, + "require": { + "php": ">=5.3.3" + }, + "require-dev": { + "symfony/phpunit-bridge": "~2.7" + }, + "time": "2015-07-09 16:02:48", + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "2.6-dev" + } + }, + "installation-source": "dist", + "autoload": { + "psr-0": { + "Symfony\\Component\\Finder\\": "" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Fabien Potencier", + "email": "fabien@symfony.com" + }, + { + "name": "Symfony Community", + "homepage": "https://symfony.com/contributors" + } + ], + "description": "Symfony Finder Component", + "homepage": "https://symfony.com" + }, + { + "name": "symfony/process", + "version": "v2.6.12", + "version_normalized": "2.6.12.0", + "target-dir": "Symfony/Component/Process", + "source": { + "type": "git", + "url": "https://github.com/symfony/process.git", + "reference": "57f1e88bb5dafa449b83f9f265b11d52d517b3e9" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/symfony/process/zipball/57f1e88bb5dafa449b83f9f265b11d52d517b3e9", + "reference": "57f1e88bb5dafa449b83f9f265b11d52d517b3e9", + "shasum": "" + }, + "require": { + "php": ">=5.3.3" + }, + "require-dev": { + "symfony/phpunit-bridge": "~2.7" + }, + "time": "2015-06-30 16:10:16", + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "2.6-dev" + } + }, + "installation-source": "dist", + "autoload": { + "psr-0": { + "Symfony\\Component\\Process\\": "" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Fabien Potencier", + "email": "fabien@symfony.com" + }, + { + "name": "Symfony Community", + "homepage": "https://symfony.com/contributors" + } + ], + "description": "Symfony Process Component", + "homepage": "https://symfony.com" + }, + { + "name": "symfony/event-dispatcher", + "version": "v2.8.1", + "version_normalized": "2.8.1.0", + "source": { + "type": "git", + "url": "https://github.com/symfony/event-dispatcher.git", + "reference": "a5eb815363c0388e83247e7e9853e5dbc14999cc" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/symfony/event-dispatcher/zipball/a5eb815363c0388e83247e7e9853e5dbc14999cc", + "reference": "a5eb815363c0388e83247e7e9853e5dbc14999cc", + "shasum": "" + }, + "require": { + "php": ">=5.3.9" + }, + "require-dev": { + "psr/log": "~1.0", + "symfony/config": "~2.0,>=2.0.5|~3.0.0", + "symfony/dependency-injection": "~2.6|~3.0.0", + "symfony/expression-language": "~2.6|~3.0.0", + "symfony/stopwatch": "~2.3|~3.0.0" + }, + "suggest": { + "symfony/dependency-injection": "", + "symfony/http-kernel": "" + }, + "time": "2015-10-30 20:15:42", + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "2.8-dev" + } + }, + "installation-source": "dist", + "autoload": { + "psr-4": { + "Symfony\\Component\\EventDispatcher\\": "" + }, + "exclude-from-classmap": [ + "/Tests/" + ] + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Fabien Potencier", + "email": "fabien@symfony.com" + }, + { + "name": "Symfony Community", + "homepage": "https://symfony.com/contributors" + } + ], + "description": "Symfony EventDispatcher Component", + "homepage": "https://symfony.com" + }, + { + "name": "symfony/console", + "version": "v2.6.12", + "version_normalized": "2.6.12.0", + "target-dir": "Symfony/Component/Console", + "source": { + "type": "git", + "url": "https://github.com/symfony/console.git", + "reference": "0e5e18ae09d3f5c06367759be940e9ed3f568359" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/symfony/console/zipball/0e5e18ae09d3f5c06367759be940e9ed3f568359", + "reference": "0e5e18ae09d3f5c06367759be940e9ed3f568359", + "shasum": "" + }, + "require": { + "php": ">=5.3.3" + }, + "require-dev": { + "psr/log": "~1.0", + "symfony/event-dispatcher": "~2.1", + "symfony/phpunit-bridge": "~2.7", + "symfony/process": "~2.1" + }, + "suggest": { + "psr/log": "For using the console logger", + "symfony/event-dispatcher": "", + "symfony/process": "" + }, + "time": "2015-07-26 09:08:40", + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "2.6-dev" + } + }, + "installation-source": "dist", + "autoload": { + "psr-0": { + "Symfony\\Component\\Console\\": "" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Fabien Potencier", + "email": "fabien@symfony.com" + }, + { + "name": "Symfony Community", + "homepage": "https://symfony.com/contributors" + } + ], + "description": "Symfony Console Component", + "homepage": "https://symfony.com" + }, + { + "name": "sebastian/recursion-context", + "version": "1.0.2", + "version_normalized": "1.0.2.0", + "source": { + "type": "git", + "url": "https://github.com/sebastianbergmann/recursion-context.git", + "reference": "913401df809e99e4f47b27cdd781f4a258d58791" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/sebastianbergmann/recursion-context/zipball/913401df809e99e4f47b27cdd781f4a258d58791", + "reference": "913401df809e99e4f47b27cdd781f4a258d58791", + "shasum": "" + }, + "require": { + "php": ">=5.3.3" + }, + "require-dev": { + "phpunit/phpunit": "~4.4" + }, + "time": "2015-11-11 19:50:13", + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "1.0.x-dev" } }, "installation-source": "dist", @@ -3513,33 +1954,1004 @@ "BSD-3-Clause" ], "authors": [ + { + "name": "Jeff Welch", + "email": "whatthejeff@gmail.com" + }, { "name": "Sebastian Bergmann", - "email": "sebastian@phpunit.de", - "role": "lead" + "email": "sebastian@phpunit.de" + }, + { + "name": "Adam Harvey", + "email": "aharvey@php.net" } ], - "description": "The PHP Unit Testing framework.", - "homepage": "https://phpunit.de/", + "description": "Provides functionality to recursively process PHP variables", + "homepage": "http://www.github.com/sebastianbergmann/recursion-context" + }, + { + "name": "sebastian/diff", + "version": "1.4.1", + "version_normalized": "1.4.1.0", + "source": { + "type": "git", + "url": "https://github.com/sebastianbergmann/diff.git", + "reference": "13edfd8706462032c2f52b4b862974dd46b71c9e" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/sebastianbergmann/diff/zipball/13edfd8706462032c2f52b4b862974dd46b71c9e", + "reference": "13edfd8706462032c2f52b4b862974dd46b71c9e", + "shasum": "" + }, + "require": { + "php": ">=5.3.3" + }, + "require-dev": { + "phpunit/phpunit": "~4.8" + }, + "time": "2015-12-08 07:14:41", + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "1.4-dev" + } + }, + "installation-source": "dist", + "autoload": { + "classmap": [ + "src/" + ] + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "BSD-3-Clause" + ], + "authors": [ + { + "name": "Kore Nordmann", + "email": "mail@kore-nordmann.de" + }, + { + "name": "Sebastian Bergmann", + "email": "sebastian@phpunit.de" + } + ], + "description": "Diff implementation", + "homepage": "https://github.com/sebastianbergmann/diff", "keywords": [ - "phpunit", + "diff" + ] + }, + { + "name": "phpspec/phpspec", + "version": "2.4.0", + "version_normalized": "2.4.0.0", + "source": { + "type": "git", + "url": "https://github.com/phpspec/phpspec.git", + "reference": "1d3938e6d9ffb1bd4805ea8ddac62ea48767f358" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/phpspec/phpspec/zipball/1d3938e6d9ffb1bd4805ea8ddac62ea48767f358", + "reference": "1d3938e6d9ffb1bd4805ea8ddac62ea48767f358", + "shasum": "" + }, + "require": { + "doctrine/instantiator": "^1.0.1", + "ext-tokenizer": "*", + "php": ">=5.3.3", + "phpspec/php-diff": "~1.0.0", + "phpspec/prophecy": "~1.4", + "sebastian/exporter": "~1.0", + "symfony/console": "~2.3|~3.0", + "symfony/event-dispatcher": "~2.1|~3.0", + "symfony/finder": "~2.1|~3.0", + "symfony/process": "^2.6|~3.0", + "symfony/yaml": "~2.1|~3.0" + }, + "require-dev": { + "behat/behat": "^3.0.11", + "bossa/phpspec2-expect": "~1.0", + "phpunit/phpunit": "~4.4", + "symfony/filesystem": "~2.1|~3.0" + }, + "suggest": { + "phpspec/nyan-formatters": "~1.0 – Adds Nyan formatters" + }, + "time": "2015-11-29 02:03:49", + "bin": [ + "bin/phpspec" + ], + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "2.2.x-dev" + } + }, + "installation-source": "dist", + "autoload": { + "psr-0": { + "PhpSpec": "src/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Konstantin Kudryashov", + "email": "ever.zet@gmail.com", + "homepage": "http://everzet.com" + }, + { + "name": "Marcello Duarte", + "homepage": "http://marcelloduarte.net/" + } + ], + "description": "Specification-oriented BDD framework for PHP 5.3+", + "homepage": "http://phpspec.net/", + "keywords": [ + "BDD", + "SpecBDD", + "TDD", + "spec", + "specification", "testing", - "xunit" + "tests" + ] + }, + { + "name": "doctrine/inflector", + "version": "v1.1.0", + "version_normalized": "1.1.0.0", + "source": { + "type": "git", + "url": "https://github.com/doctrine/inflector.git", + "reference": "90b2128806bfde671b6952ab8bea493942c1fdae" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/doctrine/inflector/zipball/90b2128806bfde671b6952ab8bea493942c1fdae", + "reference": "90b2128806bfde671b6952ab8bea493942c1fdae", + "shasum": "" + }, + "require": { + "php": ">=5.3.2" + }, + "require-dev": { + "phpunit/phpunit": "4.*" + }, + "time": "2015-11-06 14:35:42", + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "1.1.x-dev" + } + }, + "installation-source": "dist", + "autoload": { + "psr-0": { + "Doctrine\\Common\\Inflector\\": "lib/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Roman Borschel", + "email": "roman@code-factory.org" + }, + { + "name": "Benjamin Eberlei", + "email": "kontakt@beberlei.de" + }, + { + "name": "Guilherme Blanco", + "email": "guilhermeblanco@gmail.com" + }, + { + "name": "Jonathan Wage", + "email": "jonwage@gmail.com" + }, + { + "name": "Johannes Schmitt", + "email": "schmittjoh@gmail.com" + } + ], + "description": "Common String Manipulations with regard to casing and singular/plural rules.", + "homepage": "http://www.doctrine-project.org", + "keywords": [ + "inflection", + "pluralize", + "singularize", + "string" + ] + }, + { + "name": "symfony/polyfill-util", + "version": "v1.0.1", + "version_normalized": "1.0.1.0", + "source": { + "type": "git", + "url": "https://github.com/symfony/polyfill-util.git", + "reference": "4271c55cbc0a77b2641f861b978123e46b3da969" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/symfony/polyfill-util/zipball/4271c55cbc0a77b2641f861b978123e46b3da969", + "reference": "4271c55cbc0a77b2641f861b978123e46b3da969", + "shasum": "" + }, + "require": { + "php": ">=5.3.3" + }, + "time": "2015-11-04 20:28:58", + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "1.0-dev" + } + }, + "installation-source": "dist", + "autoload": { + "psr-4": { + "Symfony\\Polyfill\\Util\\": "" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Nicolas Grekas", + "email": "p@tchwork.com" + }, + { + "name": "Symfony Community", + "homepage": "https://symfony.com/contributors" + } + ], + "description": "Symfony utilities for portability of PHP codes", + "homepage": "https://symfony.com", + "keywords": [ + "compat", + "compatibility", + "polyfill", + "shim" + ] + }, + { + "name": "symfony/polyfill-php56", + "version": "v1.0.1", + "version_normalized": "1.0.1.0", + "source": { + "type": "git", + "url": "https://github.com/symfony/polyfill-php56.git", + "reference": "e2e77609a9e2328eb370fbb0e0d8b2000ebb488f" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/symfony/polyfill-php56/zipball/e2e77609a9e2328eb370fbb0e0d8b2000ebb488f", + "reference": "e2e77609a9e2328eb370fbb0e0d8b2000ebb488f", + "shasum": "" + }, + "require": { + "php": ">=5.3.3", + "symfony/polyfill-util": "~1.0" + }, + "time": "2015-12-18 15:10:25", + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "1.0-dev" + } + }, + "installation-source": "dist", + "autoload": { + "psr-4": { + "Symfony\\Polyfill\\Php56\\": "" + }, + "files": [ + "bootstrap.php" + ] + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Nicolas Grekas", + "email": "p@tchwork.com" + }, + { + "name": "Symfony Community", + "homepage": "https://symfony.com/contributors" + } + ], + "description": "Symfony polyfill backporting some PHP 5.6+ features to lower PHP versions", + "homepage": "https://symfony.com", + "keywords": [ + "compatibility", + "polyfill", + "portable", + "shim" + ] + }, + { + "name": "jeremeamia/SuperClosure", + "version": "2.2.0", + "version_normalized": "2.2.0.0", + "source": { + "type": "git", + "url": "https://github.com/jeremeamia/super_closure.git", + "reference": "29a88be2a4846d27c1613aed0c9071dfad7b5938" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/jeremeamia/super_closure/zipball/29a88be2a4846d27c1613aed0c9071dfad7b5938", + "reference": "29a88be2a4846d27c1613aed0c9071dfad7b5938", + "shasum": "" + }, + "require": { + "nikic/php-parser": "^1.2|^2.0", + "php": ">=5.4", + "symfony/polyfill-php56": "^1.0" + }, + "require-dev": { + "phpunit/phpunit": "^4.0|^5.0" + }, + "time": "2015-12-05 17:17:57", + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "2.2-dev" + } + }, + "installation-source": "dist", + "autoload": { + "psr-4": { + "SuperClosure\\": "src/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Jeremy Lindblom", + "email": "jeremeamia@gmail.com", + "homepage": "https://github.com/jeremeamia", + "role": "Developer" + } + ], + "description": "Serialize Closure objects, including their context and binding", + "homepage": "https://github.com/jeremeamia/super_closure", + "keywords": [ + "closure", + "function", + "lambda", + "parser", + "serializable", + "serialize", + "tokenizer" + ] + }, + { + "name": "league/flysystem", + "version": "1.0.16", + "version_normalized": "1.0.16.0", + "source": { + "type": "git", + "url": "https://github.com/thephpleague/flysystem.git", + "reference": "183e1a610664baf6dcd6fceda415baf43cbdc031" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/thephpleague/flysystem/zipball/183e1a610664baf6dcd6fceda415baf43cbdc031", + "reference": "183e1a610664baf6dcd6fceda415baf43cbdc031", + "shasum": "" + }, + "require": { + "php": ">=5.4.0" + }, + "conflict": { + "league/flysystem-sftp": "<1.0.6" + }, + "require-dev": { + "ext-fileinfo": "*", + "mockery/mockery": "~0.9", + "phpspec/phpspec": "^2.2", + "phpspec/prophecy-phpunit": "~1.0", + "phpunit/phpunit": "~4.8" + }, + "suggest": { + "ext-fileinfo": "Required for MimeType", + "league/flysystem-aws-s3-v2": "Allows you to use S3 storage with AWS SDK v2", + "league/flysystem-aws-s3-v3": "Allows you to use S3 storage with AWS SDK v3", + "league/flysystem-azure": "Allows you to use Windows Azure Blob storage", + "league/flysystem-cached-adapter": "Flysystem adapter decorator for metadata caching", + "league/flysystem-copy": "Allows you to use Copy.com storage", + "league/flysystem-dropbox": "Allows you to use Dropbox storage", + "league/flysystem-eventable-filesystem": "Allows you to use EventableFilesystem", + "league/flysystem-rackspace": "Allows you to use Rackspace Cloud Files", + "league/flysystem-sftp": "Allows you to use SFTP server storage via phpseclib", + "league/flysystem-webdav": "Allows you to use WebDAV storage", + "league/flysystem-ziparchive": "Allows you to use ZipArchive adapter" + }, + "time": "2015-12-19 20:16:43", + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "1.1-dev" + } + }, + "installation-source": "dist", + "autoload": { + "psr-4": { + "League\\Flysystem\\": "src/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Frank de Jonge", + "email": "info@frenky.net" + } + ], + "description": "Filesystem abstraction: Many filesystems, one API.", + "keywords": [ + "Cloud Files", + "WebDAV", + "abstraction", + "aws", + "cloud", + "copy.com", + "dropbox", + "file systems", + "files", + "filesystem", + "filesystems", + "ftp", + "rackspace", + "remote", + "s3", + "sftp", + "storage" + ] + }, + { + "name": "symfony/translation", + "version": "v2.6.12", + "version_normalized": "2.6.12.0", + "target-dir": "Symfony/Component/Translation", + "source": { + "type": "git", + "url": "https://github.com/symfony/translation.git", + "reference": "d84291215b5892834dd8ca8ee52f9cbdb8274904" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/symfony/translation/zipball/d84291215b5892834dd8ca8ee52f9cbdb8274904", + "reference": "d84291215b5892834dd8ca8ee52f9cbdb8274904", + "shasum": "" + }, + "require": { + "php": ">=5.3.3" + }, + "require-dev": { + "psr/log": "~1.0", + "symfony/config": "~2.3,>=2.3.12", + "symfony/intl": "~2.3", + "symfony/phpunit-bridge": "~2.7", + "symfony/yaml": "~2.2" + }, + "suggest": { + "psr/log": "To use logging capability in translator", + "symfony/config": "", + "symfony/yaml": "" + }, + "time": "2015-07-08 05:59:48", + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "2.6-dev" + } + }, + "installation-source": "dist", + "autoload": { + "psr-0": { + "Symfony\\Component\\Translation\\": "" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Fabien Potencier", + "email": "fabien@symfony.com" + }, + { + "name": "Symfony Community", + "homepage": "https://symfony.com/contributors" + } + ], + "description": "Symfony Translation Component", + "homepage": "https://symfony.com" + }, + { + "name": "nesbot/carbon", + "version": "1.21.0", + "version_normalized": "1.21.0.0", + "source": { + "type": "git", + "url": "https://github.com/briannesbitt/Carbon.git", + "reference": "7b08ec6f75791e130012f206e3f7b0e76e18e3d7" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/briannesbitt/Carbon/zipball/7b08ec6f75791e130012f206e3f7b0e76e18e3d7", + "reference": "7b08ec6f75791e130012f206e3f7b0e76e18e3d7", + "shasum": "" + }, + "require": { + "php": ">=5.3.0", + "symfony/translation": "~2.6|~3.0" + }, + "require-dev": { + "phpunit/phpunit": "~4.0|~5.0" + }, + "time": "2015-11-04 20:07:17", + "type": "library", + "installation-source": "dist", + "autoload": { + "psr-4": { + "Carbon\\": "src/Carbon/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Brian Nesbitt", + "email": "brian@nesbot.com", + "homepage": "http://nesbot.com" + } + ], + "description": "A simple API extension for DateTime.", + "homepage": "http://carbon.nesbot.com", + "keywords": [ + "date", + "datetime", + "time" + ] + }, + { + "name": "symfony/debug", + "version": "v2.6.12", + "version_normalized": "2.6.12.0", + "target-dir": "Symfony/Component/Debug", + "source": { + "type": "git", + "url": "https://github.com/symfony/debug.git", + "reference": "fca5696e0c9787722baa8f2ad6940dfd7a6a6941" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/symfony/debug/zipball/fca5696e0c9787722baa8f2ad6940dfd7a6a6941", + "reference": "fca5696e0c9787722baa8f2ad6940dfd7a6a6941", + "shasum": "" + }, + "require": { + "php": ">=5.3.3", + "psr/log": "~1.0" + }, + "conflict": { + "symfony/http-kernel": ">=2.3,<2.3.24|~2.4.0|>=2.5,<2.5.9|>=2.6,<2.6.2" + }, + "require-dev": { + "symfony/class-loader": "~2.2", + "symfony/http-foundation": "~2.1", + "symfony/http-kernel": "~2.3.24|~2.5.9|~2.6,>=2.6.2", + "symfony/phpunit-bridge": "~2.7" + }, + "suggest": { + "symfony/http-foundation": "", + "symfony/http-kernel": "" + }, + "time": "2015-07-08 05:59:48", + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "2.6-dev" + } + }, + "installation-source": "dist", + "autoload": { + "psr-0": { + "Symfony\\Component\\Debug\\": "" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Fabien Potencier", + "email": "fabien@symfony.com" + }, + { + "name": "Symfony Community", + "homepage": "https://symfony.com/contributors" + } + ], + "description": "Symfony Debug Component", + "homepage": "https://symfony.com" + }, + { + "name": "symfony/http-foundation", + "version": "v2.6.12", + "version_normalized": "2.6.12.0", + "target-dir": "Symfony/Component/HttpFoundation", + "source": { + "type": "git", + "url": "https://github.com/symfony/http-foundation.git", + "reference": "e8fd1b73ac1c3de1f76c73801ddf1a8ecb1c1c9c" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/symfony/http-foundation/zipball/e8fd1b73ac1c3de1f76c73801ddf1a8ecb1c1c9c", + "reference": "e8fd1b73ac1c3de1f76c73801ddf1a8ecb1c1c9c", + "shasum": "" + }, + "require": { + "php": ">=5.3.3" + }, + "require-dev": { + "symfony/expression-language": "~2.4", + "symfony/phpunit-bridge": "~2.7" + }, + "time": "2015-07-22 10:08:40", + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "2.6-dev" + } + }, + "installation-source": "dist", + "autoload": { + "psr-0": { + "Symfony\\Component\\HttpFoundation\\": "" + }, + "classmap": [ + "Symfony/Component/HttpFoundation/Resources/stubs" + ] + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Fabien Potencier", + "email": "fabien@symfony.com" + }, + { + "name": "Symfony Community", + "homepage": "https://symfony.com/contributors" + } + ], + "description": "Symfony HttpFoundation Component", + "homepage": "https://symfony.com" + }, + { + "name": "symfony/http-kernel", + "version": "v2.6.12", + "version_normalized": "2.6.12.0", + "target-dir": "Symfony/Component/HttpKernel", + "source": { + "type": "git", + "url": "https://github.com/symfony/http-kernel.git", + "reference": "498866a8ca0bcbcd3f3824b1520fa568ff7ca3b6" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/symfony/http-kernel/zipball/498866a8ca0bcbcd3f3824b1520fa568ff7ca3b6", + "reference": "498866a8ca0bcbcd3f3824b1520fa568ff7ca3b6", + "shasum": "" + }, + "require": { + "php": ">=5.3.3", + "psr/log": "~1.0", + "symfony/debug": "~2.6,>=2.6.2", + "symfony/event-dispatcher": "~2.6,>=2.6.7", + "symfony/http-foundation": "~2.5,>=2.5.4" + }, + "require-dev": { + "symfony/browser-kit": "~2.3", + "symfony/class-loader": "~2.1", + "symfony/config": "~2.0,>=2.0.5", + "symfony/console": "~2.3", + "symfony/css-selector": "~2.0,>=2.0.5", + "symfony/dependency-injection": "~2.2", + "symfony/dom-crawler": "~2.0,>=2.0.5", + "symfony/expression-language": "~2.4", + "symfony/finder": "~2.0,>=2.0.5", + "symfony/phpunit-bridge": "~2.7", + "symfony/process": "~2.0,>=2.0.5", + "symfony/routing": "~2.2", + "symfony/stopwatch": "~2.3", + "symfony/templating": "~2.2", + "symfony/translation": "~2.0,>=2.0.5", + "symfony/var-dumper": "~2.6" + }, + "suggest": { + "symfony/browser-kit": "", + "symfony/class-loader": "", + "symfony/config": "", + "symfony/console": "", + "symfony/dependency-injection": "", + "symfony/finder": "", + "symfony/var-dumper": "" + }, + "time": "2015-11-23 11:37:53", + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "2.6-dev" + } + }, + "installation-source": "dist", + "autoload": { + "psr-0": { + "Symfony\\Component\\HttpKernel\\": "" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Fabien Potencier", + "email": "fabien@symfony.com" + }, + { + "name": "Symfony Community", + "homepage": "https://symfony.com/contributors" + } + ], + "description": "Symfony HttpKernel Component", + "homepage": "https://symfony.com" + }, + { + "name": "symfony/routing", + "version": "v2.6.12", + "version_normalized": "2.6.12.0", + "target-dir": "Symfony/Component/Routing", + "source": { + "type": "git", + "url": "https://github.com/symfony/routing.git", + "reference": "0a1764d41bbb54f3864808c50569ac382b44d128" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/symfony/routing/zipball/0a1764d41bbb54f3864808c50569ac382b44d128", + "reference": "0a1764d41bbb54f3864808c50569ac382b44d128", + "shasum": "" + }, + "require": { + "php": ">=5.3.3" + }, + "require-dev": { + "doctrine/annotations": "~1.0", + "doctrine/common": "~2.2", + "psr/log": "~1.0", + "symfony/config": "~2.2", + "symfony/expression-language": "~2.4", + "symfony/http-foundation": "~2.3", + "symfony/phpunit-bridge": "~2.7", + "symfony/yaml": "~2.0,>=2.0.5" + }, + "suggest": { + "doctrine/annotations": "For using the annotation loader", + "symfony/config": "For using the all-in-one router or any loader", + "symfony/expression-language": "For using expression matching", + "symfony/yaml": "For using the YAML loader" + }, + "time": "2015-07-09 16:02:48", + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "2.6-dev" + } + }, + "installation-source": "dist", + "autoload": { + "psr-0": { + "Symfony\\Component\\Routing\\": "" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Fabien Potencier", + "email": "fabien@symfony.com" + }, + { + "name": "Symfony Community", + "homepage": "https://symfony.com/contributors" + } + ], + "description": "Symfony Routing Component", + "homepage": "https://symfony.com", + "keywords": [ + "router", + "routing", + "uri", + "url" + ] + }, + { + "name": "symfony/security-core", + "version": "v2.6.12", + "version_normalized": "2.6.12.0", + "target-dir": "Symfony/Component/Security/Core", + "source": { + "type": "git", + "url": "https://github.com/symfony/security-core.git", + "reference": "05f58bb3814e8a853332dc448e3b7addaa87679c" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/symfony/security-core/zipball/05f58bb3814e8a853332dc448e3b7addaa87679c", + "reference": "05f58bb3814e8a853332dc448e3b7addaa87679c", + "shasum": "" + }, + "require": { + "php": ">=5.3.3" + }, + "require-dev": { + "ircmaxell/password-compat": "1.0.*", + "psr/log": "~1.0", + "symfony/event-dispatcher": "~2.1", + "symfony/expression-language": "~2.6", + "symfony/http-foundation": "~2.4", + "symfony/phpunit-bridge": "~2.7", + "symfony/translation": "~2.0,>=2.0.5", + "symfony/validator": "~2.5,>=2.5.5" + }, + "suggest": { + "ircmaxell/password-compat": "For using the BCrypt password encoder in PHP <5.5", + "symfony/event-dispatcher": "", + "symfony/expression-language": "For using the expression voter", + "symfony/http-foundation": "", + "symfony/validator": "For using the user password constraint" + }, + "time": "2015-07-22 10:08:40", + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "2.6-dev" + } + }, + "installation-source": "dist", + "autoload": { + "psr-0": { + "Symfony\\Component\\Security\\Core\\": "" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Fabien Potencier", + "email": "fabien@symfony.com" + }, + { + "name": "Symfony Community", + "homepage": "https://symfony.com/contributors" + } + ], + "description": "Symfony Security Component - Core Library", + "homepage": "https://symfony.com" + }, + { + "name": "symfony/var-dumper", + "version": "v2.6.12", + "version_normalized": "2.6.12.0", + "target-dir": "Symfony/Component/VarDumper", + "source": { + "type": "git", + "url": "https://github.com/symfony/var-dumper.git", + "reference": "5fba957a30161d8724aade093593cd22f815bea2" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/symfony/var-dumper/zipball/5fba957a30161d8724aade093593cd22f815bea2", + "reference": "5fba957a30161d8724aade093593cd22f815bea2", + "shasum": "" + }, + "require": { + "php": ">=5.3.3" + }, + "require-dev": { + "symfony/phpunit-bridge": "~2.7" + }, + "suggest": { + "ext-symfony_debug": "" + }, + "time": "2015-07-01 10:03:42", + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "2.6-dev" + } + }, + "installation-source": "dist", + "autoload": { + "files": [ + "Resources/functions/dump.php" + ], + "psr-0": { + "Symfony\\Component\\VarDumper\\": "" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Nicolas Grekas", + "email": "p@tchwork.com" + }, + { + "name": "Symfony Community", + "homepage": "https://symfony.com/contributors" + } + ], + "description": "Symfony mechanism for exploring and dumping PHP variables", + "homepage": "https://symfony.com", + "keywords": [ + "debug", + "dump" ] }, { "name": "giggsey/libphonenumber-for-php", - "version": "7.1.0", - "version_normalized": "7.1.0.0", + "version": "7.2.2", + "version_normalized": "7.2.2.0", "source": { "type": "git", "url": "https://github.com/giggsey/libphonenumber-for-php.git", - "reference": "75277038380dbeba6c915749add6c0d38edd3719" + "reference": "8b64ea2ecd4080f9ce75cf688dda0c4afedb6b64" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/giggsey/libphonenumber-for-php/zipball/75277038380dbeba6c915749add6c0d38edd3719", - "reference": "75277038380dbeba6c915749add6c0d38edd3719", + "url": "https://api.github.com/repos/giggsey/libphonenumber-for-php/zipball/8b64ea2ecd4080f9ce75cf688dda0c4afedb6b64", + "reference": "8b64ea2ecd4080f9ce75cf688dda0c4afedb6b64", "shasum": "" }, "require": { @@ -3557,7 +2969,7 @@ "suggest": { "ext-intl": "To use the geocoder and carrier mapping" }, - "time": "2015-10-08 14:46:18", + "time": "2015-12-15 17:24:20", "type": "library", "extra": { "branch-alias": { @@ -3592,6 +3004,720 @@ "validation" ] }, + { + "name": "symfony/filesystem", + "version": "v2.8.1", + "version_normalized": "2.8.1.0", + "source": { + "type": "git", + "url": "https://github.com/symfony/filesystem.git", + "reference": "a7ad724530a764d70c168d321ac226ba3d2f10fc" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/symfony/filesystem/zipball/a7ad724530a764d70c168d321ac226ba3d2f10fc", + "reference": "a7ad724530a764d70c168d321ac226ba3d2f10fc", + "shasum": "" + }, + "require": { + "php": ">=5.3.9" + }, + "time": "2015-12-22 10:25:57", + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "2.8-dev" + } + }, + "installation-source": "dist", + "autoload": { + "psr-4": { + "Symfony\\Component\\Filesystem\\": "" + }, + "exclude-from-classmap": [ + "/Tests/" + ] + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Fabien Potencier", + "email": "fabien@symfony.com" + }, + { + "name": "Symfony Community", + "homepage": "https://symfony.com/contributors" + } + ], + "description": "Symfony Filesystem Component", + "homepage": "https://symfony.com" + }, + { + "name": "laravel/framework", + "version": "v5.0.34", + "version_normalized": "5.0.34.0", + "source": { + "type": "git", + "url": "https://github.com/laravel/framework.git", + "reference": "98dbaafe8e2781f86b1b858f8610be0d7318b153" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/laravel/framework/zipball/98dbaafe8e2781f86b1b858f8610be0d7318b153", + "reference": "98dbaafe8e2781f86b1b858f8610be0d7318b153", + "shasum": "" + }, + "require": { + "classpreloader/classpreloader": "~1.2", + "danielstjules/stringy": "~1.8", + "doctrine/inflector": "~1.0", + "ext-mbstring": "*", + "ext-mcrypt": "*", + "ext-openssl": "*", + "ircmaxell/password-compat": "~1.0", + "jeremeamia/superclosure": "~2.0", + "league/flysystem": "~1.0", + "monolog/monolog": "~1.11", + "mtdowling/cron-expression": "~1.0", + "nesbot/carbon": "~1.0", + "php": ">=5.4.0", + "psy/psysh": "0.4.*", + "swiftmailer/swiftmailer": "~5.1", + "symfony/console": "2.6.*", + "symfony/debug": "2.6.*", + "symfony/finder": "2.6.*", + "symfony/http-foundation": "2.6.*", + "symfony/http-kernel": "2.6.*", + "symfony/process": "2.6.*", + "symfony/routing": "2.6.*", + "symfony/security-core": "2.6.*", + "symfony/translation": "2.6.*", + "symfony/var-dumper": "2.6.*", + "vlucas/phpdotenv": "~1.0" + }, + "replace": { + "illuminate/auth": "self.version", + "illuminate/bus": "self.version", + "illuminate/cache": "self.version", + "illuminate/config": "self.version", + "illuminate/console": "self.version", + "illuminate/container": "self.version", + "illuminate/contracts": "self.version", + "illuminate/cookie": "self.version", + "illuminate/database": "self.version", + "illuminate/encryption": "self.version", + "illuminate/events": "self.version", + "illuminate/exception": "self.version", + "illuminate/filesystem": "self.version", + "illuminate/foundation": "self.version", + "illuminate/hashing": "self.version", + "illuminate/http": "self.version", + "illuminate/log": "self.version", + "illuminate/mail": "self.version", + "illuminate/pagination": "self.version", + "illuminate/pipeline": "self.version", + "illuminate/queue": "self.version", + "illuminate/redis": "self.version", + "illuminate/routing": "self.version", + "illuminate/session": "self.version", + "illuminate/support": "self.version", + "illuminate/translation": "self.version", + "illuminate/validation": "self.version", + "illuminate/view": "self.version" + }, + "require-dev": { + "aws/aws-sdk-php": "~2.4", + "iron-io/iron_mq": "~1.5", + "mockery/mockery": "~0.9", + "pda/pheanstalk": "~3.0", + "phpunit/phpunit": "~4.0", + "predis/predis": "~1.0" + }, + "suggest": { + "aws/aws-sdk-php": "Required to use the SQS queue driver and SES mail driver (~2.4).", + "doctrine/dbal": "Required to rename columns and drop SQLite columns (~2.4).", + "guzzlehttp/guzzle": "Required to use the Mailgun and Mandrill mail drivers (~5.0).", + "iron-io/iron_mq": "Required to use the iron queue driver (~1.5).", + "league/flysystem-aws-s3-v2": "Required to use the Flysystem S3 driver (~1.0).", + "league/flysystem-rackspace": "Required to use the Flysystem Rackspace driver (~1.0).", + "pda/pheanstalk": "Required to use the beanstalk queue driver (~3.0).", + "predis/predis": "Required to use the redis cache and queue drivers (~1.0)." + }, + "time": "2015-12-04 23:20:49", + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "5.0-dev" + } + }, + "installation-source": "dist", + "autoload": { + "classmap": [ + "src/Illuminate/Queue/IlluminateQueueClosure.php" + ], + "files": [ + "src/Illuminate/Foundation/helpers.php", + "src/Illuminate/Support/helpers.php" + ], + "psr-4": { + "Illuminate\\": "src/Illuminate/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Taylor Otwell", + "email": "taylorotwell@gmail.com" + } + ], + "description": "The Laravel Framework.", + "homepage": "http://laravel.com", + "keywords": [ + "framework", + "laravel" + ] + }, + { + "name": "propaganistas/laravel-phone", + "version": "2.5.0", + "version_normalized": "2.5.0.0", + "source": { + "type": "git", + "url": "https://github.com/Propaganistas/Laravel-Phone.git", + "reference": "c9d75872e1ea62de99d0a43be20fe153ca9f9422" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/Propaganistas/Laravel-Phone/zipball/c9d75872e1ea62de99d0a43be20fe153ca9f9422", + "reference": "c9d75872e1ea62de99d0a43be20fe153ca9f9422", + "shasum": "" + }, + "require": { + "giggsey/libphonenumber-for-php": "~7.0", + "illuminate/support": "~4.0|~5.0", + "illuminate/validation": "~4.0|~5.0", + "php": ">=5.4.0" + }, + "require-dev": { + "orchestra/testbench": "^3.1" + }, + "suggest": { + "monarobase/country-list": "Adds a compatible (and fully translated) country list API." + }, + "time": "2015-12-19 11:34:59", + "type": "library", + "installation-source": "dist", + "autoload": { + "psr-4": { + "Propaganistas\\LaravelPhone\\": "src/" + }, + "files": [ + "src/helpers.php" + ] + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Propaganistas", + "email": "Propaganistas@users.noreply.github.com" + } + ], + "description": "Adds a phone validator to Laravel based on Google's libphonenumber API.", + "keywords": [ + "laravel", + "libphonenumber", + "phone", + "validation" + ] + }, + { + "name": "bugsnag/bugsnag", + "version": "v2.6.0", + "version_normalized": "2.6.0.0", + "source": { + "type": "git", + "url": "https://github.com/bugsnag/bugsnag-php.git", + "reference": "8c728a3b0a4fd072a3f86904a1a126b5fb7f7d10" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/bugsnag/bugsnag-php/zipball/8c728a3b0a4fd072a3f86904a1a126b5fb7f7d10", + "reference": "8c728a3b0a4fd072a3f86904a1a126b5fb7f7d10", + "shasum": "" + }, + "require": { + "php": ">=5.2.0" + }, + "require-dev": { + "phpunit/phpunit": "3.7.*" + }, + "time": "2015-12-23 22:53:05", + "type": "library", + "installation-source": "dist", + "autoload": { + "psr-0": { + "Bugsnag_": "src/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "James Smith", + "email": "notifiers@bugsnag.com", + "homepage": "https://bugsnag.com" + } + ], + "description": "Official Bugsnag notifier for PHP applications.", + "homepage": "https://github.com/bugsnag/bugsnag-php", + "keywords": [ + "bugsnag", + "errors", + "exceptions", + "logging", + "tracking" + ] + }, + { + "name": "bugsnag/bugsnag-laravel", + "version": "v1.6.2", + "version_normalized": "1.6.2.0", + "source": { + "type": "git", + "url": "https://github.com/bugsnag/bugsnag-laravel.git", + "reference": "a1123dfa036a3ae69814d2d53cea22a74b8d7831" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/bugsnag/bugsnag-laravel/zipball/a1123dfa036a3ae69814d2d53cea22a74b8d7831", + "reference": "a1123dfa036a3ae69814d2d53cea22a74b8d7831", + "shasum": "" + }, + "require": { + "bugsnag/bugsnag": ">=2.5.0", + "illuminate/support": "4.*|5.*", + "php": ">=5.3.0" + }, + "time": "2015-12-08 19:11:24", + "type": "library", + "installation-source": "dist", + "autoload": { + "psr-0": { + "Bugsnag\\BugsnagLaravel\\": "src/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "James Smith", + "email": "notifiers@bugsnag.com" + } + ], + "description": "Official Bugsnag notifier for Laravel applications.", + "homepage": "https://github.com/bugsnag/bugsnag-laravel", + "keywords": [ + "bugsnag", + "errors", + "exceptions", + "laravel", + "logging", + "tracking" + ] + }, + { + "name": "filp/whoops", + "version": "1.1.10", + "version_normalized": "1.1.10.0", + "source": { + "type": "git", + "url": "https://github.com/filp/whoops.git", + "reference": "72538eeb70bbfb11964412a3d098d109efd012f7" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/filp/whoops/zipball/72538eeb70bbfb11964412a3d098d109efd012f7", + "reference": "72538eeb70bbfb11964412a3d098d109efd012f7", + "shasum": "" + }, + "require": { + "php": ">=5.3.0" + }, + "require-dev": { + "mockery/mockery": "0.9.*" + }, + "time": "2015-06-29 05:42:04", + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "1.2-dev" + } + }, + "installation-source": "dist", + "autoload": { + "psr-0": { + "Whoops": "src/" + }, + "classmap": [ + "src/deprecated" + ] + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Filipe Dobreira", + "homepage": "https://github.com/filp", + "role": "Developer" + } + ], + "description": "php error handling for cool kids", + "homepage": "https://github.com/filp/whoops", + "keywords": [ + "error", + "exception", + "handling", + "library", + "silex-provider", + "whoops", + "zf2" + ] + }, + { + "name": "thomaswelton/laravel-gravatar", + "version": "1.1.1", + "version_normalized": "1.1.1.0", + "source": { + "type": "git", + "url": "https://github.com/thomaswelton/laravel-gravatar.git", + "reference": "b9eeb9c23123cc8547973e0ca33dc5898bb768b8" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/thomaswelton/laravel-gravatar/zipball/b9eeb9c23123cc8547973e0ca33dc5898bb768b8", + "reference": "b9eeb9c23123cc8547973e0ca33dc5898bb768b8", + "shasum": "" + }, + "require": { + "illuminate/support": "~5.0", + "php": ">=5.4.0", + "thomaswelton/gravatarlib": "0.1.x" + }, + "require-dev": { + "mockery/mockery": "0.9.*", + "phpunit/phpunit": "4.8.*" + }, + "time": "2015-12-19 15:44:13", + "type": "library", + "installation-source": "dist", + "autoload": { + "psr-4": { + "Thomaswelton\\LaravelGravatar\\": "src/", + "Thomaswelton\\Tests\\LaravelGravatar\\": "tests/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "ThomasWelton", + "email": "thomaswelton@me.com", + "role": "Developer" + }, + { + "name": "Antoine Augusti", + "email": "antoine.augusti@gmail.com", + "role": "Developer" + } + ], + "description": "Laravel 5 Gravatar helper", + "homepage": "https://github.com/thomaswelton/laravel-gravatar", + "keywords": [ + "gravatar", + "laravel", + "laravel5" + ] + }, + { + "name": "php-imap/php-imap", + "version": "2.0.6", + "version_normalized": "2.0.6.0", + "source": { + "type": "git", + "url": "https://github.com/barbushin/php-imap.git", + "reference": "3174b23aaf45cc570972209f366c384f257399a8" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/barbushin/php-imap/zipball/3174b23aaf45cc570972209f366c384f257399a8", + "reference": "3174b23aaf45cc570972209f366c384f257399a8", + "shasum": "" + }, + "require": { + "ext-imap": "*", + "php": ">=5.3.0" + }, + "time": "2015-12-14 02:46:12", + "type": "library", + "installation-source": "dist", + "autoload": { + "psr-4": { + "PhpImap\\": "src/PhpImap/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "BSD 3-Clause" + ], + "authors": [ + { + "name": "Sergey Barbushin", + "email": "barbushin@gmail.com", + "homepage": "http://linkedin.com/in/barbushin" + } + ], + "description": "PHP class to access mailbox by POP3/IMAP/NNTP using IMAP extension", + "homepage": "https://github.com/barbushin/php-imap", + "keywords": [ + "imap", + "mail", + "php" + ] + }, + { + "name": "nicolaslopezj/searchable", + "version": "1.7.0", + "version_normalized": "1.7.0.0", + "source": { + "type": "git", + "url": "https://github.com/nicolaslopezj/searchable.git", + "reference": "2d264e493a9a93396b9cfed0290802d5aab8f921" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/nicolaslopezj/searchable/zipball/2d264e493a9a93396b9cfed0290802d5aab8f921", + "reference": "2d264e493a9a93396b9cfed0290802d5aab8f921", + "shasum": "" + }, + "require": { + "ext-mbstring": "*", + "illuminate/database": "4.2.x|~5.0", + "php": ">=5.4.0" + }, + "time": "2015-12-01 17:37:59", + "type": "library", + "installation-source": "dist", + "autoload": { + "psr-4": { + "Nicolaslopezj\\Searchable\\": "src/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Nicolas Lopez", + "email": "nicolaslopezj@me.com" + } + ], + "description": "Eloquent model search trait.", + "keywords": [ + "database", + "eloquent", + "laravel", + "model", + "search", + "searchable" + ] + }, + { + "name": "sebastian/environment", + "version": "1.3.3", + "version_normalized": "1.3.3.0", + "source": { + "type": "git", + "url": "https://github.com/sebastianbergmann/environment.git", + "reference": "6e7133793a8e5a5714a551a8324337374be209df" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/sebastianbergmann/environment/zipball/6e7133793a8e5a5714a551a8324337374be209df", + "reference": "6e7133793a8e5a5714a551a8324337374be209df", + "shasum": "" + }, + "require": { + "php": ">=5.3.3" + }, + "require-dev": { + "phpunit/phpunit": "~4.4" + }, + "time": "2015-12-02 08:37:27", + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "1.3.x-dev" + } + }, + "installation-source": "dist", + "autoload": { + "classmap": [ + "src/" + ] + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "BSD-3-Clause" + ], + "authors": [ + { + "name": "Sebastian Bergmann", + "email": "sebastian@phpunit.de" + } + ], + "description": "Provides functionality to handle HHVM/PHP environments", + "homepage": "http://www.github.com/sebastianbergmann/environment", + "keywords": [ + "Xdebug", + "environment", + "hhvm" + ] + }, + { + "name": "phpunit/phpunit", + "version": "4.8.21", + "version_normalized": "4.8.21.0", + "source": { + "type": "git", + "url": "https://github.com/sebastianbergmann/phpunit.git", + "reference": "ea76b17bced0500a28098626b84eda12dbcf119c" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/sebastianbergmann/phpunit/zipball/ea76b17bced0500a28098626b84eda12dbcf119c", + "reference": "ea76b17bced0500a28098626b84eda12dbcf119c", + "shasum": "" + }, + "require": { + "ext-dom": "*", + "ext-json": "*", + "ext-pcre": "*", + "ext-reflection": "*", + "ext-spl": "*", + "php": ">=5.3.3", + "phpspec/prophecy": "^1.3.1", + "phpunit/php-code-coverage": "~2.1", + "phpunit/php-file-iterator": "~1.4", + "phpunit/php-text-template": "~1.2", + "phpunit/php-timer": ">=1.0.6", + "phpunit/phpunit-mock-objects": "~2.3", + "sebastian/comparator": "~1.1", + "sebastian/diff": "~1.2", + "sebastian/environment": "~1.3", + "sebastian/exporter": "~1.2", + "sebastian/global-state": "~1.0", + "sebastian/version": "~1.0", + "symfony/yaml": "~2.1|~3.0" + }, + "suggest": { + "phpunit/php-invoker": "~1.1" + }, + "time": "2015-12-12 07:45:58", + "bin": [ + "phpunit" + ], + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "4.8.x-dev" + } + }, + "installation-source": "dist", + "autoload": { + "classmap": [ + "src/" + ] + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "BSD-3-Clause" + ], + "authors": [ + { + "name": "Sebastian Bergmann", + "email": "sebastian@phpunit.de", + "role": "lead" + } + ], + "description": "The PHP Unit Testing framework.", + "homepage": "https://phpunit.de/", + "keywords": [ + "phpunit", + "testing", + "xunit" + ] + }, + { + "name": "dompdf/dompdf", + "version": "v0.6.2", + "version_normalized": "0.6.2.0", + "source": { + "type": "git", + "url": "https://github.com/dompdf/dompdf.git", + "reference": "cc06008f75262510ee135b8cbb14e333a309f651" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/dompdf/dompdf/zipball/cc06008f75262510ee135b8cbb14e333a309f651", + "reference": "cc06008f75262510ee135b8cbb14e333a309f651", + "shasum": "" + }, + "require": { + "phenx/php-font-lib": "0.2.*" + }, + "time": "2015-12-07 04:07:13", + "type": "library", + "installation-source": "dist", + "autoload": { + "classmap": [ + "include/" + ] + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "LGPL" + ], + "authors": [ + { + "name": "Fabien Ménager", + "email": "fabien.menager@gmail.com" + }, + { + "name": "Brian Sweeney", + "email": "eclecticgeek@gmail.com" + } + ], + "description": "DOMPDF is a CSS 2.1 compliant HTML to PDF converter", + "homepage": "https://github.com/dompdf/dompdf" + }, { "name": "chumper/datatable", "version": "dev-develop", @@ -3599,12 +3725,12 @@ "source": { "type": "git", "url": "https://github.com/Chumper/Datatable.git", - "reference": "b44834db3d4e560d4368c1a04248b9e6a422ccff" + "reference": "546e8768d7987b0d9a8501e67432309349ef5504" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/Chumper/Datatable/zipball/b44834db3d4e560d4368c1a04248b9e6a422ccff", - "reference": "b44834db3d4e560d4368c1a04248b9e6a422ccff", + "url": "https://api.github.com/repos/Chumper/Datatable/zipball/546e8768d7987b0d9a8501e67432309349ef5504", + "reference": "546e8768d7987b0d9a8501e67432309349ef5504", "shasum": "" }, "require": { @@ -3618,7 +3744,7 @@ "orchestra/testbench": "3.1.*", "phpunit/phpunit": "3.7.*" }, - "time": "2015-10-26 01:21:31", + "time": "2015-11-23 21:33:41", "type": "library", "installation-source": "dist", "autoload": { @@ -3645,6 +3771,59 @@ "datatables", "jquery", "laravel" + ], + "abandoned": "OpenSkill/Datatable" + }, + { + "name": "chumper/zipper", + "version": "0.6.1", + "version_normalized": "0.6.1.0", + "source": { + "type": "git", + "url": "https://github.com/Chumper/Zipper.git", + "reference": "313e364259398557bdcc2f68e6ff20d71aaea811" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/Chumper/Zipper/zipball/313e364259398557bdcc2f68e6ff20d71aaea811", + "reference": "313e364259398557bdcc2f68e6ff20d71aaea811", + "shasum": "" + }, + "require": { + "illuminate/filesystem": "5.x", + "illuminate/support": "5.x", + "php": ">=5.3.0" + }, + "require-dev": { + "mockery/mockery": "dev-master", + "phpunit/phpunit": "3.7.*" + }, + "time": "2015-02-16 11:38:11", + "type": "library", + "installation-source": "dist", + "autoload": { + "psr-0": { + "Chumper\\Zipper": "src/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "Apache2" + ], + "authors": [ + { + "name": "Nils Plaschke", + "email": "github@nilsplaschke.de", + "homepage": "http://nilsplaschke.de", + "role": "Developer" + } + ], + "description": "This is a little neat helper for the ZipArchive methods with handy functions", + "homepage": "http://github.com/Chumper/zipper", + "keywords": [ + "archive", + "laravel", + "zip" ] } ] diff --git a/vendor/doctrine/inflector/.travis.yml b/vendor/doctrine/inflector/.travis.yml index 6b1d8ffd8..9ec68f765 100644 --- a/vendor/doctrine/inflector/.travis.yml +++ b/vendor/doctrine/inflector/.travis.yml @@ -1,11 +1,21 @@ language: php +sudo: false + +cache: + directory: + - $HOME/.composer/cache + php: - 5.3 - 5.4 - 5.5 - 5.6 + - 7.0 - hhvm install: - - composer --prefer-source install + - composer install -n + +script: + - phpunit diff --git a/vendor/doctrine/inflector/LICENSE b/vendor/doctrine/inflector/LICENSE index 5e781fce4..8c38cc1bc 100644 --- a/vendor/doctrine/inflector/LICENSE +++ b/vendor/doctrine/inflector/LICENSE @@ -1,4 +1,4 @@ -Copyright (c) 2006-2013 Doctrine Project +Copyright (c) 2006-2015 Doctrine Project 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 diff --git a/vendor/doctrine/inflector/composer.json b/vendor/doctrine/inflector/composer.json index a29c68cfb..7e5b2efbf 100644 --- a/vendor/doctrine/inflector/composer.json +++ b/vendor/doctrine/inflector/composer.json @@ -23,7 +23,7 @@ }, "extra": { "branch-alias": { - "dev-master": "1.0.x-dev" + "dev-master": "1.1.x-dev" } } } diff --git a/vendor/doctrine/inflector/lib/Doctrine/Common/Inflector/Inflector.php b/vendor/doctrine/inflector/lib/Doctrine/Common/Inflector/Inflector.php index b007b2179..a53828aba 100644 --- a/vendor/doctrine/inflector/lib/Doctrine/Common/Inflector/Inflector.php +++ b/vendor/doctrine/inflector/lib/Doctrine/Common/Inflector/Inflector.php @@ -56,11 +56,12 @@ class Inflector '/(p)erson$/i' => '\1eople', '/(m)an$/i' => '\1en', '/(c)hild$/i' => '\1hildren', - '/(buffal|tomat)o$/i' => '\1\2oes', + '/(f)oot$/i' => '\1eet', + '/(buffal|her|potat|tomat|volcan)o$/i' => '\1\2oes', '/(alumn|bacill|cact|foc|fung|nucle|radi|stimul|syllab|termin|vir)us$/i' => '\1i', '/us$/i' => 'uses', '/(alias)$/i' => '\1es', - '/(ax|cris|test)is$/i' => '\1es', + '/(analys|ax|cris|test|thes)is$/i' => '\1es', '/s$/' => 's', '/^$/' => '', '/$/' => 's', @@ -70,27 +71,42 @@ class Inflector ), 'irregular' => array( 'atlas' => 'atlases', + 'axe' => 'axes', 'beef' => 'beefs', 'brother' => 'brothers', 'cafe' => 'cafes', + 'chateau' => 'chateaux', 'child' => 'children', 'cookie' => 'cookies', 'corpus' => 'corpuses', 'cow' => 'cows', - 'criteria' => 'criterion', + 'criterion' => 'criteria', + 'curriculum' => 'curricula', + 'demo' => 'demos', + 'domino' => 'dominoes', + 'echo' => 'echoes', + 'foot' => 'feet', + 'fungus' => 'fungi', 'ganglion' => 'ganglions', 'genie' => 'genies', 'genus' => 'genera', 'graffito' => 'graffiti', + 'hippopotamus' => 'hippopotami', 'hoof' => 'hoofs', 'human' => 'humans', + 'iris' => 'irises', + 'leaf' => 'leaves', 'loaf' => 'loaves', 'man' => 'men', + 'medium' => 'media', + 'memorandum' => 'memoranda', 'money' => 'monies', 'mongoose' => 'mongooses', + 'motto' => 'mottoes', 'move' => 'moves', 'mythos' => 'mythoi', 'niche' => 'niches', + 'nucleus' => 'nuclei', 'numen' => 'numina', 'occiput' => 'occiputs', 'octopus' => 'octopuses', @@ -98,11 +114,19 @@ class Inflector 'ox' => 'oxen', 'penis' => 'penises', 'person' => 'people', + 'plateau' => 'plateaux', + 'runner-up' => 'runners-up', 'sex' => 'sexes', 'soliloquy' => 'soliloquies', + 'son-in-law' => 'sons-in-law', + 'syllabus' => 'syllabi', 'testis' => 'testes', + 'thief' => 'thieves', + 'tooth' => 'teeth', + 'tornado' => 'tornadoes', 'trilby' => 'trilbys', 'turf' => 'turfs', + 'volcano' => 'volcanoes', ) ); @@ -120,9 +144,10 @@ class Inflector '/(vert|ind)ices$/i' => '\1ex', '/^(ox)en/i' => '\1', '/(alias)(es)*$/i' => '\1', + '/(buffal|her|potat|tomat|volcan)oes$/i' => '\1o', '/(alumn|bacill|cact|foc|fung|nucle|radi|stimul|syllab|termin|viri?)i$/i' => '\1us', '/([ftw]ax)es/i' => '\1', - '/(cris|ax|test)es$/i' => '\1is', + '/(analys|ax|cris|test|thes)es$/i' => '\1is', '/(shoe|slave)s$/i' => '\1', '/(o)es$/i' => '\1', '/ouses$/' => 'ouse', @@ -143,6 +168,7 @@ class Inflector '/(p)eople$/i' => '\1\2erson', '/(m)en$/i' => '\1an', '/(c)hildren$/i' => '\1\2hild', + '/(f)eet$/i' => '\1oot', '/(n)ews$/i' => '\1\2ews', '/eaus$/' => 'eau', '/^(.*us)$/' => '\\1', @@ -159,10 +185,15 @@ class Inflector '.*ss', ), 'irregular' => array( - 'criterion' => 'criteria', - 'curves' => 'curve', - 'foes' => 'foe', - 'waves' => 'wave', + 'criteria' => 'criterion', + 'curves' => 'curve', + 'emphases' => 'emphasis', + 'foes' => 'foe', + 'hoaxes' => 'hoax', + 'media' => 'medium', + 'neuroses' => 'neurosis', + 'waves' => 'wave', + 'oases' => 'oasis', ) ); @@ -236,6 +267,42 @@ class Inflector return lcfirst(self::classify($word)); } + /** + * Uppercases words with configurable delimeters between words. + * + * Takes a string and capitalizes all of the words, like PHP's built-in + * ucwords function. This extends that behavior, however, by allowing the + * word delimeters to be configured, rather than only separating on + * whitespace. + * + * Here is an example: + * + * + * + * + * @param string $string The string to operate on. + * @param string $delimiters A list of word separators. + * + * @return string The string with all delimeter-separated words capitalized. + */ + public static function ucwords($string, $delimiters = " \n\t\r\0\x0B-") + { + return preg_replace_callback( + '/[^' . preg_quote($delimiters, '/') . ']+/', + function($matches) { + return ucfirst($matches[0]); + }, + $string + ); + } + /** * Clears Inflectors inflected value caches, and resets the inflection * rules to the initial values. diff --git a/vendor/doctrine/inflector/tests/Doctrine/Tests/Common/Inflector/InflectorTest.php b/vendor/doctrine/inflector/tests/Doctrine/Tests/Common/Inflector/InflectorTest.php index a8a075daa..4198d22c1 100644 --- a/vendor/doctrine/inflector/tests/Doctrine/Tests/Common/Inflector/InflectorTest.php +++ b/vendor/doctrine/inflector/tests/Doctrine/Tests/Common/Inflector/InflectorTest.php @@ -16,52 +16,131 @@ class InflectorTest extends DoctrineTestCase { Inflector::reset(); - // in the format array('singular', 'plural') + // In the format array('singular', 'plural') return array( - array('categoria', 'categorias'), - array('house', 'houses'), - array('powerhouse', 'powerhouses'), - array('Bus', 'Buses'), - array('bus', 'buses'), - array('menu', 'menus'), - array('news', 'news'), - array('food_menu', 'food_menus'), - array('Menu', 'Menus'), - array('FoodMenu', 'FoodMenus'), - array('quiz', 'quizzes'), - array('matrix_row', 'matrix_rows'), - array('matrix', 'matrices'), - array('vertex', 'vertices'), - array('index', 'indices'), - array('Alias', 'Aliases'), - array('Media', 'Media'), - array('NodeMedia', 'NodeMedia'), - array('alumnus', 'alumni'), - array('bacillus', 'bacilli'), - array('cactus', 'cacti'), - array('focus', 'foci'), - array('fungus', 'fungi'), - array('nucleus', 'nuclei'), - array('octopus', 'octopuses'), - array('radius', 'radii'), - array('stimulus', 'stimuli'), - array('syllabus', 'syllabi'), - array('terminus', 'termini'), - array('virus', 'viri'), - array('person', 'people'), - array('glove', 'gloves'), - array('crisis', 'crises'), - array('tax', 'taxes'), - array('wave', 'waves'), - array('bureau', 'bureaus'), - array('cafe', 'cafes'), - array('roof', 'roofs'), - array('foe', 'foes'), - array('cookie', 'cookies'), - array('identity', 'identities'), - array('criteria', 'criterion'), - array('curve', 'curves'), array('', ''), + array('Alias', 'Aliases'), + array('alumnus', 'alumni'), + array('analysis', 'analyses'), + array('aquarium', 'aquaria'), + array('arch', 'arches'), + array('atlas', 'atlases'), + array('axe', 'axes'), + array('baby', 'babies'), + array('bacillus', 'bacilli'), + array('bacterium', 'bacteria'), + array('bureau', 'bureaus'), + array('bus', 'buses'), + array('Bus', 'Buses'), + array('cactus', 'cacti'), + array('cafe', 'cafes'), + array('calf', 'calves'), + array('categoria', 'categorias'), + array('chateau', 'chateaux'), + array('cherry', 'cherries'), + array('child', 'children'), + array('church', 'churches'), + array('circus', 'circuses'), + array('city', 'cities'), + array('cod', 'cod'), + array('cookie', 'cookies'), + array('copy', 'copies'), + array('crisis', 'crises'), + array('criterion', 'criteria'), + array('curriculum', 'curricula'), + array('curve', 'curves'), + array('deer', 'deer'), + array('demo', 'demos'), + array('dictionary', 'dictionaries'), + array('domino', 'dominoes'), + array('dwarf', 'dwarves'), + array('echo', 'echoes'), + array('elf', 'elves'), + array('emphasis', 'emphases'), + array('family', 'families'), + array('fax', 'faxes'), + array('fish', 'fish'), + array('flush', 'flushes'), + array('fly', 'flies'), + array('focus', 'foci'), + array('foe', 'foes'), + array('food_menu', 'food_menus'), + array('FoodMenu', 'FoodMenus'), + array('foot', 'feet'), + array('fungus', 'fungi'), + array('glove', 'gloves'), + array('half', 'halves'), + array('hero', 'heroes'), + array('hippopotamus', 'hippopotami'), + array('hoax', 'hoaxes'), + array('house', 'houses'), + array('human', 'humans'), + array('identity', 'identities'), + array('index', 'indices'), + array('iris', 'irises'), + array('kiss', 'kisses'), + array('knife', 'knives'), + array('leaf', 'leaves'), + array('life', 'lives'), + array('loaf', 'loaves'), + array('man', 'men'), + array('matrix', 'matrices'), + array('matrix_row', 'matrix_rows'), + array('medium', 'media'), + array('memorandum', 'memoranda'), + array('menu', 'menus'), + array('Menu', 'Menus'), + array('mess', 'messes'), + array('moose', 'moose'), + array('motto', 'mottoes'), + array('mouse', 'mice'), + array('neurosis', 'neuroses'), + array('news', 'news'), + array('NodeMedia', 'NodeMedia'), + array('nucleus', 'nuclei'), + array('oasis', 'oases'), + array('octopus', 'octopuses'), + array('pass', 'passes'), + array('person', 'people'), + array('plateau', 'plateaux'), + array('potato', 'potatoes'), + array('powerhouse', 'powerhouses'), + array('quiz', 'quizzes'), + array('radius', 'radii'), + array('reflex', 'reflexes'), + array('roof', 'roofs'), + array('runner-up', 'runners-up'), + array('scarf', 'scarves'), + array('scratch', 'scratches'), + array('series', 'series'), + array('sheep', 'sheep'), + array('shelf', 'shelves'), + array('shoe', 'shoes'), + array('son-in-law', 'sons-in-law'), + array('species', 'species'), + array('splash', 'splashes'), + array('spy', 'spies'), + array('stimulus', 'stimuli'), + array('stitch', 'stitches'), + array('story', 'stories'), + array('syllabus', 'syllabi'), + array('tax', 'taxes'), + array('terminus', 'termini'), + array('thesis', 'theses'), + array('thief', 'thieves'), + array('tomato', 'tomatoes'), + array('tooth', 'teeth'), + array('tornado', 'tornadoes'), + array('try', 'tries'), + array('vertex', 'vertices'), + array('virus', 'viri'), + array('volcano', 'volcanoes'), + array('wash', 'washes'), + array('watch', 'watches'), + array('wave', 'waves'), + array('wharf', 'wharves'), + array('wife', 'wives'), + array('woman', 'women'), ); } @@ -206,5 +285,25 @@ class InflectorTest extends DoctrineTestCase $this->assertEquals(Inflector::singularize('Alcoois'), 'Alcool'); $this->assertEquals(Inflector::singularize('Atlas'), 'Atlas'); } + + /** + * Test basic ucwords functionality. + * + * @return void + */ + public function testUcwords() + { + $this->assertSame('Top-O-The-Morning To All_of_you!', Inflector::ucwords( 'top-o-the-morning to all_of_you!')); + } + + /** + * Test ucwords functionality with custom delimeters. + * + * @return void + */ + public function testUcwordsWithCustomDelimeters() + { + $this->assertSame('Top-O-The-Morning To All_Of_You!', Inflector::ucwords( 'top-o-the-morning to all_of_you!', '-_ ')); + } } diff --git a/vendor/dompdf/dompdf/README.md b/vendor/dompdf/dompdf/README.md index 68e4af5d6..80e412c75 100644 --- a/vendor/dompdf/dompdf/README.md +++ b/vendor/dompdf/dompdf/README.md @@ -1,3 +1,5 @@ +[![Latest Stable Version](https://poser.pugx.org/dompdf/dompdf/v/stable.png)](https://packagist.org/packages/dompdf/dompdf) [![Total Downloads](https://poser.pugx.org/dompdf/dompdf/downloads.png)](https://packagist.org/packages/dompdf/dompdf) [![Latest Unstable Version](https://poser.pugx.org/dompdf/dompdf/v/unstable.png)](https://packagist.org/packages/dompdf/dompdf) [![License](https://poser.pugx.org/dompdf/dompdf/license.png)](https://packagist.org/packages/dompdf/dompdf) + **dompdf is an HTML to PDF converter**. At its heart, dompdf is (mostly) [CSS 2.1](http://www.w3.org/TR/CSS2/) compliant HTML layout and rendering engine written in PHP. It is a style-driven renderer: @@ -55,7 +57,7 @@ for more information on how to use fonts. The [DejaVu TrueType fonts](http://dejavu-fonts.org) have been pre-installed to give dompdf decent Unicode character coverage by default. To use the DejaVu -fonts reference the font in your stylesheet, e.g. `body { font-family: Deja Vu +fonts reference the font in your stylesheet, e.g. `body { font-family: DejaVu Sans; }` (for DejaVu Sans). Easy Installation @@ -66,7 +68,7 @@ From the command line switch to the directory where dompdf will reside and run the following commands: ```sh -git clone https://github.com/dompdf/dompdf.git +git clone https://github.com/dompdf/dompdf.git . git submodule init git submodule update ``` @@ -125,7 +127,7 @@ Limitations (Known Issues) * large files or large tables can take a while to render * CSS float is not supported (but is in the works, enable it through the `DOMPDF_ENABLE_CSS_FLOAT` configuration constant). - * If you find this project useful, please consider making a donation. - + +If you find this project useful, please consider making a donation. (Any funds donated will be used to help further development on this project.) [![Donate button](https://www.paypal.com/en_US/i/btn/btn_donate_SM.gif)](http://goo.gl/DSvWf) diff --git a/vendor/dompdf/dompdf/dompdf.php b/vendor/dompdf/dompdf/dompdf.php index a9052fa46..dc3551b73 100644 --- a/vendor/dompdf/dompdf/dompdf.php +++ b/vendor/dompdf/dompdf/dompdf.php @@ -129,6 +129,8 @@ global $_dompdf_show_warnings, $_dompdf_debug, $_DOMPDF_DEBUG_TYPES; $sapi = php_sapi_name(); $options = array(); +$dompdf = new DOMPDF(); + switch ( $sapi ) { case "cli": @@ -168,7 +170,7 @@ switch ( $sapi ) { if ( $file === "-" ) $outfile = "dompdf_out.pdf"; else - $outfile = str_ireplace(array(".html", ".htm", ".php"), "", $file) . ".pdf"; + $outfile = str_ireplace(array(".html", ".htm"), "", $file) . ".pdf"; } if ( isset($opts["v"]) ) @@ -193,6 +195,8 @@ switch ( $sapi ) { default: + $dompdf->set_option('enable_php', false); + if ( isset($_GET["input_file"]) ) $file = rawurldecode($_GET["input_file"]); else @@ -219,26 +223,12 @@ switch ( $sapi ) { $file_parts = explode_url($file); - /* Check to see if the input file is local and, if so, that the base path falls within that specified by DOMDPF_CHROOT */ - if(($file_parts['protocol'] == '' || $file_parts['protocol'] === 'file://')) { - $file = realpath($file); - if ( strpos($file, DOMPDF_CHROOT) !== 0 ) { - throw new DOMPDF_Exception("Permission denied on $file. The file could not be found under the directory specified by DOMPDF_CHROOT."); - } - } - - if($file_parts['protocol'] === 'php://') { - throw new DOMPDF_Exception("Permission denied on $file. This script does not allow PHP streams."); - } - $outfile = "dompdf_out.pdf"; # Don't allow them to set the output file $save_file = false; # Don't save the file break; } -$dompdf = new DOMPDF(); - if ( $file === "-" ) { $str = ""; while ( !feof(STDIN) ) diff --git a/vendor/dompdf/dompdf/dompdf_config.custom.inc.php b/vendor/dompdf/dompdf/dompdf_config.custom.inc.php index 4e58b4a92..da5eddaac 100644 --- a/vendor/dompdf/dompdf/dompdf_config.custom.inc.php +++ b/vendor/dompdf/dompdf/dompdf_config.custom.inc.php @@ -1,6 +1,7 @@ - * @author Helmut Tischer * @author Fabien Ménager - * @autho Brian Sweeney + * @author Brian Sweeney * @license http://www.gnu.org/copyleft/lesser.html GNU Lesser General Public License */ @@ -246,9 +246,11 @@ def("DOMPDF_DPI", 96); * If this setting is set to true then DOMPDF will automatically evaluate * inline PHP contained within tags. * + * Attention! * Enabling this for documents you do not trust (e.g. arbitrary remote html - * pages) is a security risk. Set this option to false if you wish to process - * untrusted documents. + * pages) is a security risk. Inline scripts are run with the same level of + * system access available to dompdf. Set this option to false (recommended) + * if you wish to process untrusted documents. * * @var bool */ diff --git a/vendor/dompdf/dompdf/include/abstract_renderer.cls.php b/vendor/dompdf/dompdf/include/abstract_renderer.cls.php index fc27aec10..dcd801306 100644 --- a/vendor/dompdf/dompdf/include/abstract_renderer.cls.php +++ b/vendor/dompdf/dompdf/include/abstract_renderer.cls.php @@ -100,7 +100,7 @@ abstract class Abstract_Renderer { //Therefore read dimension directly from file, instead of creating gd object first. //$img_w = imagesx($src); $img_h = imagesy($src); - list($img_w, $img_h) = dompdf_getimagesize($img); + list($img_w, $img_h) = dompdf_getimagesize($img, $this->_dompdf->get_http_context()); if (!isset($img_w) || $img_w == 0 || !isset($img_h) || $img_h == 0) { return; } diff --git a/vendor/dompdf/dompdf/include/cpdf_adapter.cls.php b/vendor/dompdf/dompdf/include/cpdf_adapter.cls.php index 06947b505..041e1f375 100644 --- a/vendor/dompdf/dompdf/include/cpdf_adapter.cls.php +++ b/vendor/dompdf/dompdf/include/cpdf_adapter.cls.php @@ -604,7 +604,7 @@ class CPDF_Adapter implements Canvas { } function image($img, $x, $y, $w, $h, $resolution = "normal") { - list($width, $height, $type) = dompdf_getimagesize($img); + list($width, $height, $type) = dompdf_getimagesize($img, $this->_dompdf->get_http_context()); $debug_png = $this->_dompdf->get_option("debug_png"); diff --git a/vendor/dompdf/dompdf/include/dompdf.cls.php b/vendor/dompdf/dompdf/include/dompdf.cls.php index 1be1f8284..b798d486e 100644 --- a/vendor/dompdf/dompdf/include/dompdf.cls.php +++ b/vendor/dompdf/dompdf/include/dompdf.cls.php @@ -184,6 +184,25 @@ class DOMPDF { * @var bool */ private $_quirksmode = false; + + /** + * Protocol whitelist + * + * Protocols and PHP wrappers allowed in URLs. Full support is not + * guarantee for the protocols/wrappers contained in this array. + * + * @var array + */ + private $_allowed_protocols = array(null, "", "file://", "http://", "https://"); + + /** + * Local file extension whitelist + * + * File extensions supported by dompdf for local files. + * + * @var array + */ + private $_allowed_local_file_extensions = array("htm", "html"); /** * The list of built-in fonts @@ -474,6 +493,10 @@ class DOMPDF { list($this->_protocol, $this->_base_host, $this->_base_path) = explode_url($file); } + if ( !in_array($this->_protocol, $this->_allowed_protocols) ) { + throw new DOMPDF_Exception("Permission denied on $file. The communication protocol is not supported."); + } + if ( !$this->get_option("enable_remote") && ($this->_protocol != "" && $this->_protocol !== "file://" ) ) { throw new DOMPDF_Exception("Remote file requested, but DOMPDF_ENABLE_REMOTE is false."); } @@ -482,23 +505,24 @@ class DOMPDF { // Get the full path to $file, returns false if the file doesn't exist $realfile = realpath($file); - if ( !$realfile ) { - throw new DOMPDF_Exception("File '$file' not found."); - } $chroot = $this->get_option("chroot"); if ( strpos($realfile, $chroot) !== 0 ) { throw new DOMPDF_Exception("Permission denied on $file. The file could not be found under the directory specified by DOMPDF_CHROOT."); } - - // Exclude dot files (e.g. .htaccess) - if ( substr(basename($realfile), 0, 1) === "." ) { + + $ext = pathinfo($realfile, PATHINFO_EXTENSION); + if (!in_array($ext, $this->_allowed_local_file_extensions)) { throw new DOMPDF_Exception("Permission denied on $file."); } - + + if ( !$realfile ) { + throw new DOMPDF_Exception("File '$file' not found."); + } + $file = $realfile; } - + $contents = file_get_contents($file, null, $this->_http_context); $encoding = null; diff --git a/vendor/dompdf/dompdf/include/font_metrics.cls.php b/vendor/dompdf/dompdf/include/font_metrics.cls.php index ad20d9119..2d15d6714 100644 --- a/vendor/dompdf/dompdf/include/font_metrics.cls.php +++ b/vendor/dompdf/dompdf/include/font_metrics.cls.php @@ -217,10 +217,18 @@ class Font_Metrics { */ static function save_font_families() { // replace the path to the DOMPDF font directories with the corresponding constants (allows for more portability) - $cache_data = var_export(self::$_font_lookup, true); - $cache_data = str_replace('\''.DOMPDF_FONT_DIR , 'DOMPDF_FONT_DIR . \'' , $cache_data); - $cache_data = str_replace('\''.DOMPDF_DIR , 'DOMPDF_DIR . \'' , $cache_data); - $cache_data = "<"."?php return $cache_data ?".">"; + $cache_data = sprintf(" $variants) { + $cache_data .= sprintf(" '%s' => array(%s", addslashes($family), PHP_EOL); + foreach ($variants as $variant => $path) { + $path = sprintf("'%s'", $path); + $path = str_replace('\'' . DOMPDF_FONT_DIR , 'DOMPDF_FONT_DIR . \'' , $path); + $path = str_replace('\'' . DOMPDF_DIR , 'DOMPDF_DIR . \'' , $path); + $cache_data .= sprintf(" '%s' => %s,%s", $variant, $path, PHP_EOL); + } + $cache_data .= sprintf(" ),%s", PHP_EOL); + } + $cache_data .= ") ?>"; file_put_contents(self::CACHE_FILE, $cache_data); } @@ -249,13 +257,18 @@ class Font_Metrics { return; } - self::$_font_lookup = require_once self::CACHE_FILE; + $cache_data = require_once self::CACHE_FILE; // If the font family cache is still in the old format if ( self::$_font_lookup === 1 ) { $cache_data = file_get_contents(self::CACHE_FILE); file_put_contents(self::CACHE_FILE, "<"."?php return $cache_data ?".">"); - self::$_font_lookup = require_once self::CACHE_FILE; + $cache_data = require_once self::CACHE_FILE; + } + + self::$_font_lookup = array(); + foreach ($cache_data as $key => $value) { + self::$_font_lookup[stripslashes($key)] = $value; } // Merge provided fonts @@ -318,7 +331,7 @@ class Font_Metrics { self::$_font_lookup[mb_strtolower($fontname)] = $entry; } - static function register_font($style, $remote_file) { + static function register_font($style, $remote_file, $context = null) { $fontname = mb_strtolower($style["family"]); $families = Font_Metrics::get_font_families(); @@ -328,6 +341,7 @@ class Font_Metrics { } $local_file = DOMPDF_FONT_DIR . md5($remote_file); + $local_temp_file = DOMPDF_TEMP_DIR . "/" . md5($remote_file); $cache_entry = $local_file; $local_file .= ".ttf"; @@ -336,23 +350,28 @@ class Font_Metrics { if ( !isset($entry[$style_string]) ) { $entry[$style_string] = $cache_entry; - Font_Metrics::set_font_family($fontname, $entry); - // Download the remote file - if ( !is_file($local_file) ) { - file_put_contents($local_file, file_get_contents($remote_file)); - } + file_put_contents($local_temp_file, file_get_contents($remote_file, null, $context)); - $font = Font::load($local_file); + $font = Font::load($local_temp_file); if (!$font) { + unlink($local_temp_file); return false; } $font->parse(); $font->saveAdobeFontMetrics("$cache_entry.ufm"); + unlink($local_temp_file); + + if ( !file_exists("$cache_entry.ufm") ) { + return false; + } + // Save the changes + file_put_contents($local_file, file_get_contents($remote_file, null, $context)); + Font_Metrics::set_font_family($fontname, $entry); Font_Metrics::save_font_families(); } diff --git a/vendor/dompdf/dompdf/include/functions.inc.php b/vendor/dompdf/dompdf/include/functions.inc.php index 8e0ab02c7..265244aaf 100644 --- a/vendor/dompdf/dompdf/include/functions.inc.php +++ b/vendor/dompdf/dompdf/include/functions.inc.php @@ -128,47 +128,45 @@ function d($mixed) { * is appended (o.k. also for Windows) */ function build_url($protocol, $host, $base_path, $url) { - if ( strlen($url) == 0 ) { + $protocol = mb_strtolower($protocol); + if (strlen($url) == 0) { //return $protocol . $host . rtrim($base_path, "/\\") . "/"; return $protocol . $host . $base_path; } - // Is the url already fully qualified or a Data URI? - if ( mb_strpos($url, "://") !== false || mb_strpos($url, "data:") === 0 ) { + if (mb_strpos($url, "://") !== false || mb_strpos($url, "data:") === 0) { return $url; } - $ret = $protocol; - - if ( !in_array(mb_strtolower($protocol), array("http://", "https://", "ftp://", "ftps://")) ) { + if (!in_array(mb_strtolower($protocol), array("http://", "https://", "ftp://", "ftps://"))) { //On Windows local file, an abs path can begin also with a '\' or a drive letter and colon //drive: followed by a relative path would be a drive specific default folder. //not known in php app code, treat as abs path //($url[1] !== ':' || ($url[2]!=='\\' && $url[2]!=='/')) - if ( $url[0] !== '/' && (strtoupper(substr(PHP_OS, 0, 3)) !== 'WIN' || ($url[0] !== '\\' && $url[1] !== ':')) ) { + if ($url[0] !== '/' && (strtoupper(substr(PHP_OS, 0, 3)) !== 'WIN' || ($url[0] !== '\\' && $url[1] !== ':'))) { // For rel path and local acess we ignore the host, and run the path through realpath() - $ret .= realpath($base_path).'/'; + $ret .= realpath($base_path) . '/'; } $ret .= $url; $ret = preg_replace('/\?(.*)$/', "", $ret); return $ret; } - - //remote urls with backslash in html/css are not really correct, but lets be genereous - if ( $url[0] === '/' || $url[0] === '\\' ) { + // Protocol relative urls (e.g. "//example.org/style.css") + if (strpos($url, '//') === 0) { + $ret .= substr($url, 2); + //remote urls with backslash in html/css are not really correct, but lets be genereous + } elseif ($url[0] === '/' || $url[0] === '\\') { // Absolute path $ret .= $host . $url; - } - else { + } else { // Relative path //$base_path = $base_path !== "" ? rtrim($base_path, "/\\") . "/" : ""; $ret .= $host . $base_path . $url; } - return $ret; - } + /** * parse a full url or pathname and return an array(protocol, host, path, * file + query + fragment) @@ -183,7 +181,10 @@ function explode_url($url) { $file = ""; $arr = parse_url($url); - + if ( isset($arr["scheme"])) { + $arr["scheme"] == mb_strtolower($arr["scheme"]); + } + // Exclude windows drive letters... if ( isset($arr["scheme"]) && $arr["scheme"] !== "file" && strlen($arr["scheme"]) > 1 ) { $protocol = $arr["scheme"] . "://"; @@ -229,7 +230,7 @@ function explode_url($url) { } else { - $i = mb_strpos($url, "file://"); + $i = mb_stripos($url, "file://"); if ( $i !== false ) { $url = mb_substr($url, $i + 7); } @@ -400,6 +401,12 @@ if (!extension_loaded('mbstring')) { } } + if (!function_exists('mb_stripos')) { + function mb_stripos($haystack, $needle, $offset = 0) { + return stripos($haystack, $needle, $offset); + } + } + if (!function_exists('mb_strrpos')) { function mb_strrpos($haystack, $needle, $offset = 0) { return strrpos($haystack, $needle, $offset); @@ -748,7 +755,7 @@ function imagecreatefrombmp($filename) { * @param string $filename * @return array The same format as getimagesize($filename) */ -function dompdf_getimagesize($filename) { +function dompdf_getimagesize($filename, $context = null) { static $cache = array(); if ( isset($cache[$filename]) ) { @@ -758,7 +765,7 @@ function dompdf_getimagesize($filename) { list($width, $height, $type) = getimagesize($filename); if ( $width == null || $height == null ) { - $data = file_get_contents($filename, null, null, 0, 26); + $data = file_get_contents($filename, null, $context, 0, 26); if ( substr($data, 0, 2) === "BM" ) { $meta = unpack('vtype/Vfilesize/Vreserved/Voffset/Vheadersize/Vwidth/Vheight', $data); @@ -1005,31 +1012,6 @@ else { } } -if ( function_exists("curl_init") ) { - function DOMPDF_fetch_url($url, &$headers = null) { - $ch = curl_init($url); - curl_setopt($ch, CURLOPT_TIMEOUT, 10); - curl_setopt($ch, CURLOPT_CONNECTTIMEOUT, 10); - curl_setopt($ch, CURLOPT_RETURNTRANSFER, true); - curl_setopt($ch, CURLOPT_HEADER, true); - - $data = curl_exec($ch); - $raw_headers = substr($data, 0, curl_getinfo($ch, CURLINFO_HEADER_SIZE)); - $headers = preg_split("/[\n\r]+/", trim($raw_headers)); - $data = substr($data, curl_getinfo($ch, CURLINFO_HEADER_SIZE)); - curl_close($ch); - - return $data; - } -} -else { - function DOMPDF_fetch_url($url, &$headers = null) { - $data = file_get_contents($url); - $headers = $http_response_header; - - return $data; - } -} /** * Affect null to the unused objects diff --git a/vendor/dompdf/dompdf/include/gd_adapter.cls.php b/vendor/dompdf/dompdf/include/gd_adapter.cls.php index de5c1e452..1eab04cc4 100644 --- a/vendor/dompdf/dompdf/include/gd_adapter.cls.php +++ b/vendor/dompdf/dompdf/include/gd_adapter.cls.php @@ -553,7 +553,7 @@ class GD_Adapter implements Canvas { * @internal param string $img_type the type (e.g. extension) of the image */ function image($img_url, $x, $y, $w, $h, $resolution = "normal") { - $img_type = Image_Cache::detect_type($img_url); + $img_type = Image_Cache::detect_type($img_url, $this->_dompdf->get_http_context()); $img_ext = Image_Cache::type_to_ext($img_type); if ( !$img_ext ) { diff --git a/vendor/dompdf/dompdf/include/image_cache.cls.php b/vendor/dompdf/dompdf/include/image_cache.cls.php index 7d7e5603b..e7175c4dc 100644 --- a/vendor/dompdf/dompdf/include/image_cache.cls.php +++ b/vendor/dompdf/dompdf/include/image_cache.cls.php @@ -45,6 +45,7 @@ class Image_Cache { * @return array An array with two elements: The local path to the image and the image extension */ static function resolve_url($url, $protocol, $host, $base_path, DOMPDF $dompdf) { + $protocol = mb_strtolower($protocol); $parsed_url = explode_url($url); $message = null; @@ -84,7 +85,7 @@ class Image_Cache { } else { set_error_handler("record_warnings"); - $image = file_get_contents($full_url); + $image = file_get_contents($full_url, null, $dompdf->get_http_context()); restore_error_handler(); } @@ -118,7 +119,7 @@ class Image_Cache { // Check is the file is an image else { - list($width, $height, $type) = dompdf_getimagesize($resolved_url); + list($width, $height, $type) = dompdf_getimagesize($resolved_url, $dompdf->get_http_context()); // Known image type if ( $width && $height && in_array($type, array(IMAGETYPE_GIF, IMAGETYPE_PNG, IMAGETYPE_JPEG, IMAGETYPE_BMP)) ) { @@ -138,7 +139,8 @@ class Image_Cache { catch(DOMPDF_Image_Exception $e) { $resolved_url = self::$broken_image; $type = IMAGETYPE_PNG; - $message = $e->getMessage()." \n $url"; + $message = "Image not found or type unknown"; + $_dompdf_warnings[] = $e->getMessage()." :: $url"; } return array($resolved_url, $type, $message); @@ -159,8 +161,8 @@ class Image_Cache { self::$_cache = array(); } - static function detect_type($file) { - list(, , $type) = dompdf_getimagesize($file); + static function detect_type($file, $context = null) { + list(, , $type) = dompdf_getimagesize($file, $context); return $type; } diff --git a/vendor/dompdf/dompdf/include/image_frame_reflower.cls.php b/vendor/dompdf/dompdf/include/image_frame_reflower.cls.php index 5797b8243..c938bd075 100644 --- a/vendor/dompdf/dompdf/include/image_frame_reflower.cls.php +++ b/vendor/dompdf/dompdf/include/image_frame_reflower.cls.php @@ -41,7 +41,7 @@ class Image_Frame_Reflower extends Frame_Reflower { function get_min_max_width() { if (DEBUGPNG) { // Determine the image's size. Time consuming. Only when really needed? - list($img_width, $img_height) = dompdf_getimagesize($this->_frame->get_image_url()); + list($img_width, $img_height) = dompdf_getimagesize($this->_frame->get_image_url(), $this->get_dompdf()->get_http_context()); print "get_min_max_width() ". $this->_frame->get_style()->width.' '. $this->_frame->get_style()->height.';'. @@ -104,7 +104,7 @@ class Image_Frame_Reflower extends Frame_Reflower { if ($width == 0 || $height == 0) { // Determine the image's size. Time consuming. Only when really needed! - list($img_width, $img_height) = dompdf_getimagesize($this->_frame->get_image_url()); + list($img_width, $img_height) = dompdf_getimagesize($this->_frame->get_image_url(), $this->get_dompdf()->get_http_context()); // don't treat 0 as error. Can be downscaled or can be catched elsewhere if image not readable. // Resample according to px per inch diff --git a/vendor/dompdf/dompdf/include/list_bullet_image_frame_decorator.cls.php b/vendor/dompdf/dompdf/include/list_bullet_image_frame_decorator.cls.php index f27ca3d68..6cfb546cb 100644 --- a/vendor/dompdf/dompdf/include/list_bullet_image_frame_decorator.cls.php +++ b/vendor/dompdf/dompdf/include/list_bullet_image_frame_decorator.cls.php @@ -48,7 +48,7 @@ class List_Bullet_Image_Frame_Decorator extends Frame_Decorator { $frame->get_node()->setAttribute("src", $url); $this->_img = new Image_Frame_Decorator($frame, $dompdf); parent::__construct($this->_img, $dompdf); - list($width, $height) = dompdf_getimagesize($this->_img->get_image_url()); + list($width, $height) = dompdf_getimagesize($this->_img->get_image_url(), $dompdf->get_http_context()); // Resample the bullet image to be consistent with 'auto' sized images // See also Image_Frame_Reflower::get_min_max_width diff --git a/vendor/dompdf/dompdf/include/list_bullet_renderer.cls.php b/vendor/dompdf/dompdf/include/list_bullet_renderer.cls.php index 6b984764f..be4cde2bd 100644 --- a/vendor/dompdf/dompdf/include/list_bullet_renderer.cls.php +++ b/vendor/dompdf/dompdf/include/list_bullet_renderer.cls.php @@ -141,7 +141,7 @@ class List_Bullet_Renderer extends Abstract_Renderer { // Tested php ver: value measured in px, suffix "px" not in value: rtrim unnecessary. //$w = $frame->get_width(); //$h = $frame->get_height(); - list($width, $height) = dompdf_getimagesize($img); + list($width, $height) = dompdf_getimagesize($img, $this->_dompdf->get_http_context()); $dpi = $this->_dompdf->get_option("dpi"); $w = ((float)rtrim($width, "px") * 72) / $dpi; $h = ((float)rtrim($height, "px") * 72) / $dpi; diff --git a/vendor/dompdf/dompdf/include/pdflib_adapter.cls.php b/vendor/dompdf/dompdf/include/pdflib_adapter.cls.php index 4bfe1913e..2417d5f52 100644 --- a/vendor/dompdf/dompdf/include/pdflib_adapter.cls.php +++ b/vendor/dompdf/dompdf/include/pdflib_adapter.cls.php @@ -770,7 +770,7 @@ class PDFLib_Adapter implements Canvas { $w = (int)$w; $h = (int)$h; - $img_type = Image_Cache::detect_type($img_url); + $img_type = Image_Cache::detect_type($img_url, $this->_dompdf->get_http_context()); $img_ext = Image_Cache::type_to_ext($img_type); if ( !isset($this->_imgs[$img_url]) ) { diff --git a/vendor/dompdf/dompdf/include/stylesheet.cls.php b/vendor/dompdf/dompdf/include/stylesheet.cls.php index 3b2ba3180..a74956754 100644 --- a/vendor/dompdf/dompdf/include/stylesheet.cls.php +++ b/vendor/dompdf/dompdf/include/stylesheet.cls.php @@ -1250,7 +1250,7 @@ class Stylesheet { "path" => build_url($this->_protocol, $this->_base_host, $this->_base_path, $src[2][$i]), ); - if ( !$source["local"] && in_array($source["format"], array("", "woff", "opentype", "truetype")) ) { + if ( !$source["local"] && in_array($source["format"], array("", "truetype")) ) { $valid_sources[] = $source; } @@ -1268,7 +1268,7 @@ class Stylesheet { "style" => $descriptors->font_style, ); - Font_Metrics::register_font($style, $valid_sources[0]["path"]); + Font_Metrics::register_font($style, $valid_sources[0]["path"], $this->_dompdf->get_http_context()); } /** diff --git a/vendor/dompdf/dompdf/lib/class.pdf.php b/vendor/dompdf/dompdf/lib/class.pdf.php index 3bf1deef9..d8a0ba58c 100644 --- a/vendor/dompdf/dompdf/lib/class.pdf.php +++ b/vendor/dompdf/dompdf/lib/class.pdf.php @@ -749,7 +749,7 @@ end EOT; $res = "<>\n"; - $res .= "stream\n" . $stream . "endstream"; + $res .= "stream\n" . $stream . "\nendstream"; $this->objects[$toUnicodeId]['c'] = $res; @@ -1875,7 +1875,7 @@ EOT; $tmp = 'o_'.$v['t']; $cont = $this->$tmp($k, 'out'); $content.= $cont; - $xref[] = $pos; + $xref[] = $pos+1; //+1 to account for \n at the start of each object $pos+= mb_strlen($cont, '8bit'); } @@ -2426,7 +2426,7 @@ EOT; $flags+= pow(2, 5); // assume non-sybolic $list = array( 'Ascent' => 'Ascender', - 'CapHeight' => 'CapHeight', + 'CapHeight' => 'Ascender', //FIXME: php-font-lib is not grabbing this value, so we'll fake it and use the Ascender value // 'CapHeight' 'MissingWidth' => 'MissingWidth', 'Descent' => 'Descender', 'FontBBox' => 'FontBBox', diff --git a/vendor/dompdf/dompdf/www/debugger.php b/vendor/dompdf/dompdf/www/debugger.php index a3417116d..c68d823b4 100644 --- a/vendor/dompdf/dompdf/www/debugger.php +++ b/vendor/dompdf/dompdf/www/debugger.php @@ -1,4 +1,12 @@ - @@ -6,6 +14,7 @@ $files = glob("test/*.{html,htm,php}", GLOB_BRACE); dompdf debugger + diff --git a/vendor/dompdf/dompdf/www/setup.php b/vendor/dompdf/dompdf/www/setup.php index 27934ff1a..ed0a138ad 100644 --- a/vendor/dompdf/dompdf/www/setup.php +++ b/vendor/dompdf/dompdf/www/setup.php @@ -1,5 +1,9 @@ + +

    Setup

    @@ -296,5 +300,12 @@ $constants = array( + + + \ No newline at end of file diff --git a/vendor/giggsey/libphonenumber-for-php/.travis.yml b/vendor/giggsey/libphonenumber-for-php/.travis.yml index e25af2c33..4809958e4 100644 --- a/vendor/giggsey/libphonenumber-for-php/.travis.yml +++ b/vendor/giggsey/libphonenumber-for-php/.travis.yml @@ -5,7 +5,6 @@ language: php matrix: allow_failures: - php: hhvm - - php: 7 php: - 5.3 diff --git a/vendor/giggsey/libphonenumber-for-php/METADATA-VERSION.txt b/vendor/giggsey/libphonenumber-for-php/METADATA-VERSION.txt index 520513db2..7b5c9730c 100644 --- a/vendor/giggsey/libphonenumber-for-php/METADATA-VERSION.txt +++ b/vendor/giggsey/libphonenumber-for-php/METADATA-VERSION.txt @@ -2,4 +2,4 @@ # It can be a commit, branch or tag of the https://github.com/googlei18n/libphonenumber project # # For more information, look at the phing tasks in build.xml -libphonenumber-7.1.0 +libphonenumber-7.2.2 diff --git a/vendor/giggsey/libphonenumber-for-php/Tests/libphonenumber/Tests/Issues/PHP7Test.php b/vendor/giggsey/libphonenumber-for-php/Tests/libphonenumber/Tests/Issues/PHP7Test.php new file mode 100644 index 000000000..ba7fc6cb5 --- /dev/null +++ b/vendor/giggsey/libphonenumber-for-php/Tests/libphonenumber/Tests/Issues/PHP7Test.php @@ -0,0 +1,52 @@ +phoneUtil = PhoneNumberUtil::getInstance(); + } + + /** + * @param $number + * @dataProvider validPolishNumbers + */ + public function testValidPolishNumbers($number) + { + $phoneNumber = $this->phoneUtil->parse($number, 'PL'); + + $this->assertTrue($this->phoneUtil->isValidNumber($phoneNumber)); + $this->assertEquals($number, $this->phoneUtil->format($phoneNumber, PhoneNumberFormat::NATIONAL)); + } + + public function validPolishNumbers() + { + return array( + array('22 222 22 22'), + array('33 222 22 22'), + array('46 222 22 22'), + array('61 222 22 22'), + array('62 222 22 22'), + array('642 222 222'), + array('65 222 22 22'), + array('512 345 678'), + array('800 123 456'), + array('700 000 000'), + array('801 234 567'), + array('91 000 00 00'), + ); + } +} diff --git a/vendor/giggsey/libphonenumber-for-php/build.xml b/vendor/giggsey/libphonenumber-for-php/build.xml index 62cde5450..d3655dc12 100644 --- a/vendor/giggsey/libphonenumber-for-php/build.xml +++ b/vendor/giggsey/libphonenumber-for-php/build.xml @@ -85,13 +85,19 @@ - + - + + + + + + + Cloning repository + repository="${git.url}" + targetPath="${git.path}"/> @@ -99,8 +105,20 @@ + repository="${git.path}" + branchname="${metadata.version}" quiet="false" force="true" /> + + + + + + + + + + Applying patch ${filename} + + diff --git a/vendor/giggsey/libphonenumber-for-php/build/data-patches/.gitkeep b/vendor/giggsey/libphonenumber-for-php/build/data-patches/.gitkeep new file mode 100644 index 000000000..e69de29bb diff --git a/vendor/giggsey/libphonenumber-for-php/build/data-patches/001-PHP7-PL.patch b/vendor/giggsey/libphonenumber-for-php/build/data-patches/001-PHP7-PL.patch new file mode 100644 index 000000000..cfaa1307d --- /dev/null +++ b/vendor/giggsey/libphonenumber-for-php/build/data-patches/001-PHP7-PL.patch @@ -0,0 +1,13 @@ +diff --git a/resources/PhoneNumberMetadata.xml b/resources/PhoneNumberMetadata.xml +index a53b48d..820598c 100644 +--- a/resources/PhoneNumberMetadata.xml ++++ b/resources/PhoneNumberMetadata.xml +@@ -19031,7 +19031,7 @@ + + + [12]\d{6,8}| +- [3-57-9]\d{8}| ++ (?:[3-5]|[7-9])\d{8}| + 6\d{5,8} + + \d{6,9} diff --git a/vendor/giggsey/libphonenumber-for-php/composer.json b/vendor/giggsey/libphonenumber-for-php/composer.json index 36ed20933..673ab6f2f 100644 --- a/vendor/giggsey/libphonenumber-for-php/composer.json +++ b/vendor/giggsey/libphonenumber-for-php/composer.json @@ -38,8 +38,8 @@ "phing/phing": "~2.7", "pear/versioncontrol_git": "dev-master", "pear/pear-core-minimal": "^1.9", - "pear/pear_exception": "*", - "phpunit/phpunit": "~4.0", + "pear/pear_exception": "*", + "phpunit/phpunit": "~4.0", "symfony/console": "~2.4", "satooshi/php-coveralls": "~0.6" }, diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/Map.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/Map.php index f96f2309e..5d6820da4 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/Map.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/Map.php @@ -159,64 +159,65 @@ return array ( 141 => 7, 142 => 84, 143 => 852, - 144 => 855, - 145 => 856, - 146 => 86130, - 147 => 86131, - 148 => 86132, - 149 => 86133, - 150 => 86134, - 151 => 86135, - 152 => 86136, - 153 => 86137, - 154 => 86138, - 155 => 86139, - 156 => 86150, - 157 => 86151, - 158 => 86153, - 159 => 86156, - 160 => 86157, - 161 => 86158, - 162 => 86159, - 163 => 86176, - 164 => 86177, - 165 => 86178, - 166 => 86180, - 167 => 86185, - 168 => 86186, - 169 => 86187, - 170 => 86188, - 171 => 86189, - 172 => 880, - 173 => 90, - 174 => 91, - 175 => 92, - 176 => 93, - 177 => 94, - 178 => 95, - 179 => 960, - 180 => 961, - 181 => 962, - 182 => 964, - 183 => 965, - 184 => 966, - 185 => 967, - 186 => 968, - 187 => 970, - 188 => 971, - 189 => 972, - 190 => 973, - 191 => 974, - 192 => 975, - 193 => 976, - 194 => 977, - 195 => 98, - 196 => 992, - 197 => 993, - 198 => 994, - 199 => 995, - 200 => 996, - 201 => 998, + 144 => 853, + 145 => 855, + 146 => 856, + 147 => 86130, + 148 => 86131, + 149 => 86132, + 150 => 86133, + 151 => 86134, + 152 => 86135, + 153 => 86136, + 154 => 86137, + 155 => 86138, + 156 => 86139, + 157 => 86150, + 158 => 86151, + 159 => 86153, + 160 => 86156, + 161 => 86157, + 162 => 86158, + 163 => 86159, + 164 => 86176, + 165 => 86177, + 166 => 86178, + 167 => 86180, + 168 => 86185, + 169 => 86186, + 170 => 86187, + 171 => 86188, + 172 => 86189, + 173 => 880, + 174 => 90, + 175 => 91, + 176 => 92, + 177 => 93, + 178 => 94, + 179 => 95, + 180 => 960, + 181 => 961, + 182 => 962, + 183 => 964, + 184 => 965, + 185 => 966, + 186 => 967, + 187 => 968, + 188 => 970, + 189 => 971, + 190 => 972, + 191 => 973, + 192 => 974, + 193 => 975, + 194 => 976, + 195 => 977, + 196 => 98, + 197 => 992, + 198 => 993, + 199 => 994, + 200 => 995, + 201 => 996, + 202 => 998, ), 'ru' => array ( diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/1246.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/1246.php index 652a328f9..116b64789 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/1246.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/1246.php @@ -12,9 +12,17 @@ return array ( 1246252 => 'LIME', 1246253 => 'LIME', 1246254 => 'LIME', + 1246255 => 'LIME', 1246256 => 'Digicel', + 1246257 => 'Digicel', 1246258 => 'Digicel', + 1246259 => 'Digicel', 124626 => 'Digicel', + 124628 => 'LIME', 124645 => 'Sunbeach Communications', 124682 => 'Digicel', + 124683 => 'Digicel', + 124684 => 'Digicel', + 124685 => 'Digicel', + 1246883 => 'Digicel', ); diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/216.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/216.php index 886c593a5..8d2adef90 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/216.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/216.php @@ -9,7 +9,10 @@ return array ( 21640 => 'Tunisie Telecom', 21641 => 'Tunisie Telecom', 21642 => 'Tunisie Telecom', + 21643 => 'Lyca Mobile', 21644 => 'Tunisie Telecom', + 21645 => 'Watany Ettisalat', + 21646 => 'Ooredoo', 2165 => 'Orange', 2169 => 'Tunisie Telecom', ); diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/245.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/245.php index f4ddc6f85..73cf4a877 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/245.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/245.php @@ -5,6 +5,8 @@ */ return array ( - 2455 => 'Orange', - 2456 => 'Areeba', + 245955 => 'Orange', + 245966 => 'Spacetel', + 245969 => 'Spacetel', + 245977 => 'Guinetel', ); diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/252.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/252.php index 0dfd7fa58..428411b3a 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/252.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/252.php @@ -16,4 +16,12 @@ return array ( 25269 => 'Nationlink', 25279 => 'Somtel', 252907 => 'Golis Telecom', + 25292 => 'STG', + 25293 => 'STG', + 25294 => 'STG', + 25295 => 'STG', + 25296 => 'STG', + 25297 => 'STG', + 25298 => 'STG', + 25299 => 'STG', ); diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/257.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/257.php index 566f2846e..786c7ef14 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/257.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/257.php @@ -6,10 +6,13 @@ return array ( 25729 => 'Leo', + 25761 => 'Viettel', + 25768 => 'Viettel', 25769 => 'Viettel', 25771 => 'Leo', + 25772 => 'Leo', 25775 => 'Smart Mobile', - 25776 => 'Econet', + 25776 => 'Leo', 25777 => 'Onatel', 25778 => 'Tempo', 25779 => 'Leo', diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/354.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/354.php index 5b69d1a6f..690d6a91d 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/354.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/354.php @@ -8,7 +8,6 @@ return array ( 354385 => 'Síminn', 354388 => 'IMC', 354389 => 'IMC', - 354519 => 'Nova', 354611 => 'Tal', 354612 => 'Tal', 354613 => 'Tal', @@ -17,14 +16,26 @@ return array ( 354616 => 'Vodafone', 354617 => 'Vodafone', 354618 => 'Vodafone', - 354619 => 'Vodafone', + 35462 => 'Vodafone', 354630 => 'IMC', + 354638 => 'Öryggisfjarskipti', + 354639 => 'Öryggisfjarskipti', + 354640 => 'Öryggisfjarskipti', + 354641 => 'Öryggisfjarskipti', 354646 => 'IMC', 354647 => 'IMC', + 354649 => 'Vodafone', + 354650 => 'IMC', + 354651 => 'IMC', + 354655 => 'Vodafone', 354659 => 'Vodafone', 35466 => 'Vodafone', 35467 => 'Vodafone', 35469 => 'Vodafone', + 354750 => 'Síminn', + 354755 => 'Síminn', + 354757 => 'Vodafone', + 35476 => 'Nova', 35477 => 'Nova', 35478 => 'Nova', 35482 => 'Vodafone', diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/357.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/357.php index 79c0b6db9..d52c3e90e 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/357.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/357.php @@ -6,6 +6,7 @@ return array ( 357123 => 'Cytamobile-Vodafone', + 35794 => 'Lemontel', 35795 => 'PrimeTel', 35796 => 'MTN', 35797 => 'Cytamobile-Vodafone', diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/373.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/373.php index 090ae411a..579c5c5a8 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/373.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/373.php @@ -9,6 +9,7 @@ return array ( 37360 => 'Orange', 373610 => 'Orange', 373611 => 'Orange', + 373620 => 'Orange', 373621 => 'Orange', 373671 => 'Moldtelecom', 373672 => 'Moldtelecom', diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/421.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/421.php index 647cdd826..116dd0301 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/421.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/421.php @@ -5,18 +5,26 @@ */ return array ( + 421901 => 'Telekom', + 421902 => 'Telekom', 421903 => 'Telekom', 421904 => 'Telekom', 421905 => 'Orange', 421906 => 'Orange', 421907 => 'Orange', 421908 => 'Orange', + 421910 => 'Telekom', + 421911 => 'Telekom', + 421912 => 'Telekom', + 421914 => 'Telekom', 421915 => 'Orange', 421916 => 'Orange', 421917 => 'Orange', 421918 => 'Orange', + 421919 => 'Orange', 421940 => 'O2', 421944 => 'O2', 421948 => 'O2', 421949 => 'O2', + 421950 => '4ka of SWAN', ); diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/45.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/45.php index d9bfc4a49..334aaf65d 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/45.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/45.php @@ -15,15 +15,7 @@ return array ( 45208 => 'Telenor', 45209 => 'Telenor', 4521 => 'TDC', - 45221 => 'Telenor', - 45222 => 'Telenor', - 45223 => 'Telenor', - 45224 => 'Telenor', - 45225 => 'Telenor', - 45226 => 'Telenor', - 45227 => 'Telenor', - 45228 => 'Telenor', - 45229 => 'Telenor', + 4522 => 'Telenor', 45231 => 'TDC', 45232 => 'TDC', 45233 => 'TDC', @@ -49,12 +41,27 @@ return array ( 45254 => 'Telenor', 45255 => 'Telenor', 45256 => 'Telenor', - 452590 => 'Telenor', - 452591 => 'Telenor', - 452592 => 'Telenor', - 452593 => 'Telenor', - 452594 => 'Telenor', - 452595 => 'Telenor', + 45257 => 'Telenor', + 45258 => 'Telenor', + 452590 => 'MI Carrier Services', + 452591 => 'CoolTEL', + 452592 => 'CoolTEL', + 452593 => 'Compatel Limited', + 452594 => 'Firmafon', + 452595 => 'CoolTEL', + 452596 => 'Viptel', + 452597 => '3', + 4525980 => 'Uni-tel', + 4525981 => 'MobiWeb Limited', + 4525982 => 'Jay.net', + 4525983 => '42 Telecom AB', + 4525984 => 'CoolTEL', + 4525985 => '42 Telecom AB', + 4525986 => '42 Telecom AB', + 4525987 => 'Netfors Unified Messaging', + 4525988 => 'CoolTEL', + 4525989 => 'Ipnordic', + 452599 => 'Danovation', 4526 => 'Telia', 4527 => 'Telia', 4528 => 'Telia', @@ -63,7 +70,16 @@ return array ( 45311 => '3', 45312 => '3', 453130 => '3', - 4531312 => 'Telenor', + 4531310 => '3', + 4531311 => '3', + 4531312 => 'MI Carrier Services', + 4531313 => '3', + 4531314 => '3', + 4531315 => '3', + 4531316 => '3', + 4531317 => '3', + 4531318 => '3', + 4531319 => '3', 453132 => '3', 453133 => '3', 453134 => '3', @@ -71,24 +87,13 @@ return array ( 453136 => '3', 453137 => '3', 453138 => '3', - 453139 => 'Telenor', + 453139 => '3', 45314 => '3', 45315 => '3', 45316 => '3', 45317 => '3', - 45318 => '3', - 45320 => 'Telenor', - 45321 => 'Telenor', - 45322 => 'Telenor', - 45323 => 'Telenor', - 45324 => 'Telenor', - 45325 => 'Telenor', - 45326 => 'Telenor', - 45327 => 'Telenor', - 45328 => 'Telenor', - 45339692 => 'Telenor', - 45339693 => 'Telenor', - 4536874 => 'Telenor', + 45318 => 'Lycamobile Denmark Ltd', + 45319 => 'Telenor', 45401 => 'TDC', 45402 => 'TDC', 45403 => 'TDC', @@ -101,67 +106,78 @@ return array ( 45411 => 'Telenor', 45412 => 'Telenor', 45413 => 'Telenor', + 45414 => 'Telenor', + 45415 => 'Telenor', 45416 => 'Telenor', 45417 => 'Telenor', 45418 => 'Telenor', 45419 => 'Telenor', - 454210 => 'Telia', - 454212 => 'Telia', - 454213 => 'Telia', - 454214 => 'Telia', - 454217 => 'TDC', - 454220 => 'Telia', - 454221 => 'Telia', - 454222 => 'Telia', - 454223 => 'Telia', - 454224 => 'Telia', - 454225 => 'Telia', - 454226 => 'Telia', + 45421 => 'Telia', + 45422 => 'Telia', 45423 => 'Telia', - 45424 => 'Telenor', - 45425 => 'Telenor', - 454260 => 'Telenor', - 454270 => 'Telenor', + 45424 => 'BiBoB', + 45425 => 'BiBoB', + 454260 => 'BiBoB', + 454261 => '3', + 454262 => '3', + 454263 => '3', + 454264 => '3', + 454265 => '3', + 454266 => '3', + 454267 => '3', + 454268 => '3', + 454269 => '3', + 454270 => 'BiBoB', + 454271 => '3', + 454272 => '3', + 454273 => '3', + 454274 => '3', + 454275 => 'YouSee', 454276 => 'Telia', 454277 => 'Telia', 454278 => 'Telia', 454279 => 'Telia', - 45428 => 'Telenor', - 454290 => 'Telenor', - 454291 => 'Telenor', - 454292 => 'Telenor', - 454294 => 'Telenor', - 454295 => 'Telenor', + 454280 => 'BiBoB', + 454281 => 'CBB Mobil', + 454282 => 'Telia', + 454283 => '3', + 454284 => 'CBB Mobil', + 454285 => 'CBB Mobil', + 454286 => 'Telia', + 454287 => 'CBB Mobil', + 454288 => 'CBB Mobil', + 454289 => 'CBB Mobil', + 454290 => 'Mundio Mobile', + 454291 => '3', + 454292 => '3', + 454293 => 'CBB Mobil', + 454294 => '3', + 454295 => '3', 454296 => 'Telia', 454297 => 'Telia', 454298 => 'Telia', 454299 => 'Telia', - 455010 => 'Telenor', - 455011 => 'Telenor', - 455012 => 'Telenor', - 455013 => 'Telenor', - 455014 => 'Telenor', - 45502 => 'Telenor', - 455030 => 'Telenor', - 455032 => 'Telenor', - 455035 => 'Telenor', - 455037 => 'Telenor', - 455046 => 'Telenor', - 45505 => 'Telenor', - 455060 => 'TDC', - 455061000 => 'TDC', - 455062 => 'Telenor', - 455063 => 'Telenor', - 455064 => 'Telenor', - 455065 => 'Telenor', - 455066 => 'Telenor', - 455067 => 'Telenor', - 455068 => 'Telenor', - 455069 => 'Telenor', + 455015 => 'Lebara Limited', + 455016 => 'Lebara Limited', + 455017 => 'Lebara Limited', + 455018 => 'Lebara Limited', + 455019 => 'Lebara Limited', + 45502 => 'Lebara Limited', + 45503 => 'Lebara Limited', + 45504 => 'CBB Mobil', + 45505 => 'CBB Mobil', + 455060 => 'ipvision', + 455061 => 'Mach Connectivity', + 455062 => 'CBB Mobil', + 455063 => 'Mundio Mobile', + 455064 => 'Lycamobile Denmark Ltd', + 455065 => 'Lebara Limited', + 455066 => 'CBB Mobil', + 455067 => 'CBB Mobil', + 455068 => 'CBB Mobil', 45507 => 'Telenor', 45508 => 'Telenor', 45509 => 'Telenor', - 45510 => 'TDC', 45511 => 'TDC', 45512 => 'TDC', 45513 => 'TDC', @@ -180,8 +196,9 @@ return array ( 455188 => 'Telia', 455189 => 'Telia', 45519 => 'TDC', - 455210 => 'Telenor', - 455212 => 'Telenor', + 455210 => 'Firstcom', + 455211 => '3', + 455212 => '3', 455213 => 'Telia', 455214 => 'Telia', 455215 => 'Telia', @@ -189,76 +206,101 @@ return array ( 455217 => 'Telia', 455218 => 'Telia', 455219 => 'Telia', + 455220 => 'CoolTEL', 455221 => 'Telia', - 455222 => 'Telenor', + 455222 => 'Lebara Limited', 455223 => 'Telia', 455224 => 'Telia', - 455225 => 'Telenor', + 455225 => 'CBB Mobil', 455226 => 'Telia', 455227 => 'Telia', 455228 => 'Telia', 455229 => 'Telia', + 455230 => 'YouSee', 455231 => 'Telia', 455232 => 'Telia', - 455233 => 'Telenor', + 455233 => 'CBB Mobil', 455234 => 'Telia', 455235 => 'Telia', 455236 => 'Telia', 455237 => 'Telia', 455238 => 'Telia', 455239 => 'Telia', + 455240 => 'YouSee', 455241 => 'Telia', - 455242 => 'Telenor', + 455242 => 'CBB Mobil', 455243 => 'Telia', - 455244 => 'Telenor', + 455244 => 'CBB Mobil', 455245 => 'Telia', 455246 => 'Telia', 455247 => 'Telia', 455248 => 'Telia', 455249 => 'Telia', - 455251 => 'Telenor', - 455252 => 'Telenor', - 455253 => 'Telenor', - 455254 => 'Telenor', - 455255 => 'Telenor', - 455256 => 'Telenor', - 455257 => 'Telenor', - 455258 => 'Telenor', - 455259 => 'Telenor', - 45526 => 'Telenor', - 45527 => 'Telenor', - 455280 => 'Telenor', - 455281 => 'Telenor', - 455282 => 'Telenor', - 455283 => 'Telenor', - 455284 => 'Telenor', - 455285 => 'Telenor', - 455286 => 'Telenor', - 455287 => 'Telenor', - 455288 => 'Telenor', - 455290 => 'Telenor', - 455291 => 'Telenor', - 455292 => 'Telenor', - 455293 => 'Telenor', - 455294 => 'Telenor', - 455295 => 'Telenor', - 455296 => 'Telenor', - 455297 => 'Telenor', - 455298 => 'Telenor', - 455310 => 'Telenor', - 455312 => 'Telenor', - 455313 => 'Telenor', - 455314 => 'Telenor', - 455315 => 'Telenor', - 455316 => 'Telenor', - 455317 => 'Telenor', - 455318 => 'Telenor', + 455250 => 'YouSee', + 455251 => 'Jay.net', + 455252 => 'Lebara Limited', + 455253 => 'CBB Mobil', + 455254 => 'SimService', + 455255 => 'CBB Mobil', + 455256 => 'SimService', + 455257 => 'SimService', + 455258 => 'YouSee', + 455259 => '42 Telecom AB', + 455260 => 'Lebara Limited', + 455261 => 'Lebara Limited', + 455262 => 'CBB Mobil', + 455263 => 'Lebara Limited', + 455264 => 'Lebara Limited', + 455265 => 'Lebara Limited', + 455266 => 'CBB Mobil', + 455267 => 'Lebara Limited', + 455268 => 'Lebara Limited', + 455269 => 'Lebara Limited', + 455270 => 'Lebara Limited', + 455271 => 'Lebara Limited', + 455272 => 'Lebara Limited', + 455273 => 'Lebara Limited', + 455274 => 'Lebara Limited', + 455275 => 'Lebara Limited', + 455276 => 'Lebara Limited', + 455277 => 'CBB Mobil', + 455278 => 'Lebara Limited', + 455279 => 'Lebara Limited', + 455280 => 'Lebara Limited', + 455281 => 'Lebara Limited', + 455282 => 'Lebara Limited', + 455283 => 'CBB Mobil', + 455284 => 'CBB Mobil', + 455285 => 'CBB Mobil', + 455286 => 'CBB Mobil', + 455287 => 'CBB Mobil', + 455288 => 'CBB Mobil', + 455289 => 'CBB Mobil', + 455290 => 'Lebara Limited', + 455291 => 'CBB Mobil', + 455292 => 'CBB Mobil', + 455293 => 'CBB Mobil', + 455294 => 'CBB Mobil', + 455295 => 'CBB Mobil', + 455296 => 'CBB Mobil', + 455297 => 'CBB Mobil', + 455298 => 'CBB Mobil', + 455299 => 'CBB Mobil', + 455310 => 'CBB Mobil', + 455311 => 'CBB Mobil', + 455312 => 'CBB Mobil', + 455313 => 'CBB Mobil', + 455314 => 'CBB Mobil', + 455315 => 'CBB Mobil', + 455316 => 'CBB Mobil', + 455317 => 'CBB Mobil', + 455318 => 'CBB Mobil', 455319 => 'Telia', - 455322 => 'Telia', - 455323 => 'Telia', + 45532 => 'Telia', 455330 => 'Telia', 455331 => 'Telia', - 455333 => 'TDC', + 455332 => 'Telia', + 455333 => 'Lebara Limited', 455334 => 'Telia', 455335 => 'Telia', 455336 => 'Telia', @@ -268,40 +310,45 @@ return array ( 45534 => 'Telia', 45535 => '3', 45536 => '3', - 455370 => '3', - 455371 => '3', - 455372 => '3', - 455373 => '3', - 455374 => '3', - 455375 => '3', - 455390 => 'Telenor', - 455391 => 'Telenor', - 455392 => 'Telenor', - 455393 => 'Telenor', - 455394 => 'Telenor', - 455395 => 'Telenor', - 455396 => 'Telenor', - 455397 => 'Telenor', - 455399 => 'Telenor', + 45537 => '3', + 45538 => '3', + 455390 => 'CBB Mobil', + 455391 => 'CBB Mobil', + 455392 => 'CBB Mobil', + 455393 => 'CBB Mobil', + 455394 => 'CBB Mobil', + 455395 => 'CBB Mobil', + 455396 => 'CBB Mobil', + 455397 => 'CBB Mobil', + 455398 => 'NextGen Mobile Ldt T/A CardBoardFish', + 455399 => 'CBB Mobil', 45601 => 'Telia', 45602 => 'Telia', 45603 => 'Telia', 45604 => 'Telia', - 45605 => 'Telenor', - 45606 => 'Telenor', - 45607 => 'Telenor', - 45608 => 'Telenor', - 456090 => 'Telenor', + 456050 => 'Telenor', + 456051 => '3', + 456052 => '3', + 456053 => '3', + 456054 => '3', + 456055 => '3', + 456056 => '3', + 456057 => '3', + 456058 => '3', + 456059 => '3', + 45606 => 'CBB Mobil', + 45607 => 'CBB Mobil', + 45608 => 'CBB Mobil', + 456090 => 'Lebara Limited', 456091 => 'Telenor', 456092 => 'Telenor', 456093 => 'Telenor', 456094 => 'Telenor', 456095 => 'Telenor', - 456096 => 'Telenor', - 456097 => 'Telenor', - 456098 => 'Telenor', - 456099 => 'TDC', - 45610 => 'TDC', + 456096 => 'Tripple Track Europe', + 456097 => 'Tripple Track Europe', + 456098 => 'Telavox', + 456099 => 'Mach Connectivity', 45611 => 'TDC', 45612 => 'TDC', 45613 => 'TDC', @@ -313,46 +360,234 @@ return array ( 456145 => 'TDC', 456146 => 'Telia', 456147 => 'TDC', + 456148 => 'TDC', + 456149 => 'TDC', 45615 => 'TDC', 45616 => 'TDC', 45617 => 'TDC', - 45631 => 'Telenor', - 4570304 => 'Telenor', - 4570343 => 'Telenor', - 457110 => 'Telenor', - 457111 => 'Telenor', - 457112 => 'Telenor', - 457113 => 'Telenor', - 457114 => 'Telenor', - 457115 => 'Telenor', + 45618 => 'Telenor', + 45619 => 'Telenor', + 45711 => 'CBB Mobil', + 45712 => 'CBB Mobil', 45713 => 'Lycamobile Denmark Ltd', + 45714 => 'Lycamobile Denmark Ltd', + 45715 => 'Lycamobile Denmark Ltd', + 45716 => 'Lycamobile Denmark Ltd', + 457170 => 'YouSee', + 457171 => 'Maxtel.dk', + 457172 => 'YouSee', + 457173 => 'CBB Mobil', + 457175 => 'Telenor', + 457176 => 'Telenor', + 457177 => 'TDC', + 457178 => 'Telenor', + 457179 => 'Telenor', 45718 => 'Lycamobile Denmark Ltd', - 45721 => 'Telenor', - 45722 => 'Telenor', - 45723 => 'Telenor', - 45724 => 'Telenor', - 45725 => 'Telenor', - 45726 => 'Telenor', - 457810 => 'Telenor', - 457811 => 'Telenor', - 4580103 => 'Telenor', - 4580104 => 'Telenor', + 457190 => 'Phone-IT', + 457191 => 'Telecom X', + 457192 => 'Justfone', + 457193 => 'CBB Mobil', + 457194 => 'Telenor', + 457195 => 'Telenor', + 457196 => 'Mundio Mobile', + 457197 => 'Mundio Mobile', + 457198 => 'Mundio Mobile', + 457199 => 'Firmafon', + 458110 => 'ipvision', + 458111 => 'Evercall', + 458112 => 'CBB Mobil', + 458113 => 'CBB Mobil', + 458114 => 'CBB Mobil', + 458115 => 'CBB Mobil', + 458116 => 'CBB Mobil', + 458117 => 'CBB Mobil', + 458118 => 'CBB Mobil', + 458119 => 'CBB Mobil', + 45812 => 'CBB Mobil', + 458130 => 'CBB Mobil', + 458131 => 'CBB Mobil', + 458132 => 'CBB Mobil', + 458133 => 'CBB Mobil', + 458134 => 'CBB Mobil', + 458135 => 'CBB Mobil', + 458136 => 'CBB Mobil', + 4581370 => 'Flexonet', + 4581371 => 'CLX Networks AB', + 4581372 => 'Interfone International', + 4581373 => 'M Mobility', + 458138 => 'Mundio Mobile', + 458139 => 'Mundio Mobile', + 458141 => 'Simpl Telecom', + 458145 => 'Telavox', + 458146 => 'Mundio Mobile', + 458147 => 'Mundio Mobile', + 458148 => 'Mundio Mobile', + 458149 => 'Mundio Mobile', + 45815 => 'CBB Mobil', + 458160 => 'CBB Mobil', + 458161 => 'YouSee', + 458162 => 'CBB Mobil', + 458163 => 'CBB Mobil', + 458164 => 'CBB Mobil', + 458165 => 'CBB Mobil', + 458166 => 'CBB Mobil', + 458167 => 'CBB Mobil', + 458168 => 'CBB Mobil', + 458169 => 'CBB Mobil', + 458170 => 'CBB Mobil', + 458171 => 'YouSee', + 458172 => 'Fullrate', + 458173 => 'YouSee', + 458174 => 'YouSee', + 458175 => 'YouSee', + 458176 => 'CBB Mobil', + 458177 => 'ipvision', + 458178 => 'CBB Mobil', + 458179 => 'CBB Mobil', + 458180 => 'ipvision', + 458181 => 'Maxtel.dk', + 458182 => 'Polperro', + 458183 => 'CBB Mobil', + 458184 => 'CBB Mobil', + 458185 => 'CBB Mobil', + 458186 => 'CBB Mobil', + 458187 => 'CBB Mobil', + 458188 => 'ipvision', + 458189 => 'CBB Mobil', + 458190 => 'Lebara Limited', + 458191 => 'Lebara Limited', + 458192 => 'Lebara Limited', + 458193 => 'Lebara Limited', + 458194 => 'Lebara Limited', + 458195 => 'CBB Mobil', + 458196 => 'CBB Mobil', + 458197 => 'CBB Mobil', + 458198 => 'CBB Mobil', + 458199 => 'Banedanmark', + 459110 => 'Lebara Limited', + 459111 => 'Lebara Limited', + 459112 => 'SimService', + 459113 => 'SimService', + 459114 => 'SimService', + 459115 => 'Companymobile', + 459116 => 'Companymobile', + 459117 => 'Companymobile', + 459118 => 'Companymobile', + 459119 => 'Lebara Limited', + 459120 => 'Tismi BV', + 459121 => 'SimService', + 459122 => 'Companymobile', + 459123 => 'Companymobile', + 459124 => 'Companymobile', + 459125 => 'Companymobile', + 459126 => 'Mundio Mobile', + 459127 => 'Mundio Mobile', + 459128 => 'Mundio Mobile', + 459129 => 'Mundio Mobile', + 459130 => 'MobiWeb Limited', + 459131 => 'Telenor', + 459132 => 'Telenor', + 459133 => 'Telenor', + 459134 => 'Telenor', + 459135 => 'Telenor', + 459136 => 'Telenor', + 459137 => 'Telenor', + 459138 => 'Telenor', + 459139 => 'Telenor', 45914 => 'Lycamobile Denmark Ltd', + 459150 => 'Telenor Connexion AB', + 459151 => 'Telenor Connexion AB', + 459152 => 'TDC', + 459153 => 'TDC', + 459154 => 'TDC', + 459155 => 'TDC', + 459156 => 'TDC', + 459157 => 'Mundio Mobile', + 459158 => 'NextGen Mobile Ldt T/A CardBoardFish', + 459159 => 'SimService', 45916 => 'Lycamobile Denmark Ltd', 45917 => 'Lycamobile Denmark Ltd', - 459694485 => 'Telenor', - 459694486 => 'Telenor', - 459694487 => 'Telenor', - 459694488 => 'Telenor', - 459694489 => 'Telenor', - 45969449 => 'Telenor', - 45969450 => 'Telenor', - 45969451 => 'Telenor', - 45969452 => 'Telenor', - 45969453 => 'Telenor', - 45969454 => 'Telenor', - 45969455 => 'Telenor', - 45969456 => 'Telenor', - 459951 => 'Telenor', - 459955 => 'Telenor', + 459180 => 'Lebara Limited', + 459181 => 'Lebara Limited', + 459182 => 'Lebara Limited', + 459183 => 'Lebara Limited', + 459184 => 'Lebara Limited', + 459185 => 'Lebara Limited', + 459186 => 'Lebara Limited', + 459187 => 'Lebara Limited', + 459188 => 'Lebara Limited', + 459189 => 'Uni-tel', + 459190 => 'Interactive digital media GmbH', + 459191 => 'Maxtel.dk', + 459192 => 'Lebara Limited', + 459193 => 'Lebara Limited', + 459194 => 'Lebara Limited', + 459195 => 'Lebara Limited', + 459196 => 'Lebara Limited', + 459197 => 'Lebara Limited', + 459198 => 'Lebara Limited', + 459199 => 'Lebara Limited', + 459210 => 'Companymobile', + 459211 => 'Companymobile', + 459212 => 'Companymobile', + 459213 => 'Companymobile', + 459214 => 'Companymobile', + 459215 => 'Companymobile', + 459216 => 'Companymobile', + 459217 => 'Interactive digital media GmbH', + 459218 => 'Telenor Connexion AB', + 459219 => 'Telenor Connexion AB', + 459220 => 'Telenor Connexion AB', + 459221 => 'SimService', + 459222 => 'Bolignet-Aarhus F.M.B.A.', + 459223 => '42 Telecom AB', + 459224 => 'SimService', + 459225 => 'Mundio Mobile', + 459226 => 'Mundio Mobile', + 459227 => 'Mundio Mobile', + 459228 => 'Mundio Mobile', + 459229 => 'Beepsend AB', + 459243 => 'Companymobile', + 459244 => 'Ipnordic', + 459245 => 'Compatel Limited', + 459246 => 'Telenor Connexion AB', + 459247 => 'Telenor Connexion AB', + 459248 => 'Telenor Connexion AB', + 459249 => 'Telenor Connexion AB', + 45925 => 'Telenor Connexion AB', + 45926 => 'Telenor Connexion AB', + 459270 => 'Ice Danmark', + 459271 => 'Naka AG', + 459272 => 'Thyfon', + 459273 => 'Telenor Connexion AB', + 459274 => 'Telenor Connexion AB', + 459275 => 'Telenor Connexion AB', + 459276 => 'Telenor Connexion AB', + 459277 => 'Telenor Connexion AB', + 459278 => 'Telenor Connexion AB', + 459279 => 'Telenor Connexion AB', + 459280 => 'Voxbone', + 459282 => 'Flexfone', + 459290 => 'Justfone', + 459292 => 'Mobil Data', + 459293 => 'SimService', + 459294 => 'SimService', + 459295 => 'SimService', + 459296 => 'SimService', + 459297 => 'SimService', + 459298 => 'SimService', + 459299 => 'ipvision', + 459310 => 'Justfone', + 459311 => 'MobiWeb Limited', + 459312 => 'SimService', + 459313 => 'SimService', + 459314 => 'SimService', + 459315 => 'SimService', + 459320 => 'Justfone', + 459330 => 'Justfone', + 459333 => 'Onoffapp', + 459339 => 'Uni-tel', + 459340 => 'Justfone', + 45935 => 'Telenor', + 45939 => '3', ); diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/62.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/62.php index 9437a4ce9..f2e589ede 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/62.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/62.php @@ -673,6 +673,7 @@ return array ( 62887 => 'Smartfren', 62888 => 'Smartfren', 62889 => 'Smartfren', + 62895 => 'Hutchison', 62896 => '3', 62897 => '3', 62898 => '3', diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/686.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/686.php index 5f57626d5..3504362d9 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/686.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/686.php @@ -6,6 +6,6 @@ return array ( 6866 => 'TSKL', - 6867 => 'TSKL', + 6867 => 'ATHKL', 6869 => 'TSKL', ); diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/853.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/853.php new file mode 100644 index 000000000..58dd685ce --- /dev/null +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/853.php @@ -0,0 +1,310 @@ + 'SmarTone', + 8536201 => 'CTM', + 8536202 => 'CTM', + 8536203 => 'CTM', + 8536204 => 'CTM', + 8536205 => 'CTM', + 8536206 => 'CTM', + 8536207 => 'CTM', + 8536208 => 'CTM', + 8536209 => 'CTM', + 853621 => 'China Telecom', + 853622 => '3', + 853623 => 'CTM', + 8536240 => '3', + 8536241 => '3', + 8536242 => 'CTM', + 8536243 => 'CTM', + 8536244 => 'SmarTone', + 8536245 => 'SmarTone', + 8536246 => '3', + 8536247 => '3', + 8536248 => '3', + 8536249 => '3', + 8536250 => 'CTM', + 8536251 => 'CTM', + 8536252 => 'CTM', + 8536253 => 'CTM', + 8536254 => 'SmarTone', + 8536255 => 'SmarTone', + 8536256 => 'SmarTone', + 8536257 => 'SmarTone', + 8536258 => 'SmarTone', + 8536259 => 'SmarTone', + 8536260 => 'SmarTone', + 8536261 => 'SmarTone', + 8536262 => 'SmarTone', + 8536263 => 'SmarTone', + 8536264 => 'CTM', + 8536265 => 'CTM', + 8536266 => 'CTM', + 8536267 => 'CTM', + 8536268 => 'SmarTone', + 8536269 => 'SmarTone', + 8536270 => 'SmarTone', + 8536271 => 'SmarTone', + 8536272 => 'CTM', + 8536273 => 'CTM', + 8536274 => 'CTM', + 8536275 => 'CTM', + 8536276 => '3', + 8536277 => '3', + 8536278 => '3', + 8536279 => '3', + 853628 => 'CTM', + 8536290 => 'CTM', + 8536291 => 'CTM', + 8536292 => '3', + 8536293 => '3', + 8536294 => '3', + 8536295 => '3', + 8536296 => 'CTM', + 8536297 => 'CTM', + 8536298 => 'CTM', + 8536299 => 'CTM', + 8536300 => 'CTM', + 8536301 => 'CTM', + 8536302 => 'CTM', + 8536303 => '3', + 8536304 => '3', + 8536305 => '3', + 8536306 => '3', + 8536307 => '3', + 8536308 => '3', + 8536309 => 'CTM', + 853631 => '3', + 8536320 => '3', + 8536321 => '3', + 8536322 => 'China Telecom', + 8536323 => 'China Telecom', + 8536324 => 'CTM', + 8536325 => 'CTM', + 8536326 => 'CTM', + 8536327 => 'CTM', + 8536328 => 'CTM', + 8536329 => 'CTM', + 8536330 => 'CTM', + 8536331 => 'CTM', + 8536332 => 'CTM', + 8536333 => 'CTM', + 8536334 => 'CTM', + 8536335 => 'CTM', + 8536336 => '3', + 8536337 => '3', + 8536338 => '3', + 8536339 => '3', + 8536340 => 'China Telecom', + 8536341 => 'China Telecom', + 8536342 => 'China Telecom', + 8536343 => 'China Telecom', + 8536344 => '3', + 8536345 => 'CTM', + 8536346 => 'CTM', + 8536347 => 'CTM', + 8536348 => 'CTM', + 8536349 => 'CTM', + 853635 => 'China Telecom', + 853636 => 'SmarTone', + 8536370 => 'China Telecom', + 8536371 => 'China Telecom', + 8536372 => 'China Telecom', + 8536373 => 'China Telecom', + 8536374 => 'China Telecom', + 8536375 => 'China Telecom', + 8536376 => 'China Telecom', + 8536377 => 'China Telecom', + 8536378 => '3', + 8536379 => '3', + 8536380 => '3', + 8536381 => '3', + 8536382 => '3', + 8536383 => '3', + 8536384 => '3', + 8536385 => '3', + 8536386 => 'China Telecom', + 8536387 => 'China Telecom', + 8536388 => 'China Telecom', + 8536389 => 'China Telecom', + 8536390 => 'China Telecom', + 8536391 => 'China Telecom', + 8536392 => 'CTM', + 8536393 => 'CTM', + 8536394 => 'CTM', + 8536395 => 'CTM', + 8536396 => 'CTM', + 8536397 => 'CTM', + 8536398 => '3', + 8536399 => '3', + 8536500 => '3', + 8536501 => '3', + 8536502 => '3', + 8536503 => '3', + 8536504 => '3', + 8536515 => 'CTM', + 8536516 => 'CTM', + 8536517 => 'CTM', + 8536518 => 'CTM', + 8536519 => 'CTM', + 8536520 => 'China Telecom', + 8536521 => 'China Telecom', + 8536522 => 'China Telecom', + 8536523 => 'China Telecom', + 8536524 => 'CTM', + 8536525 => 'CTM', + 8536526 => 'CTM', + 8536527 => 'CTM', + 8536528 => 'CTM', + 8536529 => 'CTM', + 8536530 => 'CTM', + 8536531 => 'CTM', + 8536532 => '3', + 8536533 => '3', + 8536534 => '3', + 8536535 => '3', + 8536536 => 'CTM', + 8536537 => 'CTM', + 8536538 => 'CTM', + 8536539 => 'CTM', + 8536540 => '3', + 8536541 => '3', + 85365421 => '3', + 85365422 => '3', + 85365423 => '3', + 85365424 => '3', + 85365425 => 'China Telecom', + 85365426 => 'China Telecom', + 85365427 => 'China Telecom', + 85365428 => 'China Telecom', + 85365429 => 'China Telecom', + 8536543 => 'China Telecom', + 8536544 => 'China Telecom', + 8536545 => 'CTM', + 8536546 => 'CTM', + 85365470 => 'CTM', + 85365471 => 'CTM', + 85365472 => 'CTM', + 85365473 => 'CTM', + 85365474 => 'CTM', + 85365475 => 'SmarTone', + 85365476 => 'SmarTone', + 85365477 => 'SmarTone', + 85365478 => 'SmarTone', + 85365479 => 'SmarTone', + 8536548 => 'SmarTone', + 8536549 => 'SmarTone', + 8536550 => 'CTM', + 8536551 => 'CTM', + 8536552 => 'CTM', + 8536553 => 'CTM', + 8536554 => 'CTM', + 8536555 => 'CTM', + 8536556 => 'China Telecom', + 8536557 => 'China Telecom', + 8536558 => 'China Telecom', + 8536559 => 'China Telecom', + 8536560 => 'China Telecom', + 8536561 => 'China Telecom', + 8536568 => 'China Telecom', + 8536569 => 'China Telecom', + 8536570 => 'China Telecom', + 8536571 => 'China Telecom', + 8536572 => 'China Telecom', + 8536573 => 'China Telecom', + 8536574 => '3', + 8536575 => '3', + 8536576 => '3', + 8536577 => '3', + 8536578 => '3', + 8536579 => '3', + 8536580 => 'China Telecom', + 8536581 => 'China Telecom', + 8536582 => 'China Telecom', + 8536583 => 'China Telecom', + 8536584 => 'China Telecom', + 8536585 => 'China Telecom', + 8536586 => 'CTM', + 8536587 => 'CTM', + 8536588 => 'CTM', + 8536589 => 'CTM', + 8536590 => 'CTM', + 8536591 => 'CTM', + 8536598 => 'China Telecom', + 8536599 => 'China Telecom', + 85366001 => 'CTM', + 8536601 => 'CTM', + 8536602 => 'SmarTone', + 8536603 => '3', + 85366046 => 'SmarTone', + 8536605 => 'China Telecom', + 8536610 => '3', + 8536611 => '3', + 8536612 => 'CTM', + 8536613 => 'CTM', + 8536614 => 'SmarTone', + 8536615 => 'SmarTone', + 8536616 => '3', + 8536617 => '3', + 8536618 => 'CTM', + 8536619 => 'CTM', + 853662 => 'SmarTone', + 853663 => '3', + 8536640 => 'SmarTone', + 8536641 => 'SmarTone', + 8536642 => '3', + 8536643 => '3', + 8536644 => '3', + 8536645 => '3', + 8536646 => '3', + 8536647 => 'CTM', + 8536648 => '3', + 8536649 => 'China Telecom', + 8536650 => 'CTM', + 8536651 => 'CTM', + 8536652 => 'CTM', + 8536653 => 'CTM', + 8536654 => 'CTM', + 8536655 => 'CTM', + 8536656 => '3', + 8536657 => '3', + 8536658 => 'CTM', + 8536659 => 'CTM', + 853666 => 'CTM', + 8536670 => 'China Telecom', + 8536671 => 'China Telecom', + 8536672 => 'CTM', + 8536673 => 'SmarTone', + 8536674 => '3', + 8536675 => 'CTM', + 8536676 => '3', + 8536677 => 'CTM', + 8536678 => 'SmarTone', + 8536679 => 'CTM', + 853668 => 'CTM', + 8536690 => 'Kong Seng', + 8536691 => 'Kong Seng', + 8536692 => 'CTM', + 8536693 => 'CTM', + 8536694 => '3', + 8536695 => '3', + 8536696 => 'CTM', + 8536697 => '3', + 8536698 => 'CTM', + 8536699 => 'China Telecom', + 8536810 => 'CTM', + 8536811 => 'CTM', + 8536812 => 'CTM', + 8536813 => 'CTM', + 8536814 => 'CTM', + 8536880 => 'CTM', + 8536881 => 'CTM', + 8536882 => 'CTM', + 8536883 => 'CTM', + 8536884 => 'CTM', +); diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/964.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/964.php index 72e51df93..50d83a98f 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/964.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/964.php @@ -5,9 +5,17 @@ */ return array ( + 9647400 => 'Itisaluna', + 9647401 => 'Itisaluna', + 9647435 => 'Kalimat', + 9647444 => 'Mobitel', + 9647480 => 'ITC Fanoos', + 9647481 => 'ITC Fanoos', + 9647491 => 'ITPC', + 9647494 => 'Imam Hussien Holy Shrine', 96475 => 'Korek', 96476 => 'Omnnea', - 96477 => 'Asia Cell', + 96477 => 'Asiacell', 96478 => 'Zain', 96479 => 'Zain', ); diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/968.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/968.php index e2c9ceb0b..b9902d3fd 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/968.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/968.php @@ -5,8 +5,14 @@ */ return array ( - 96894 => 'Nawras', - 96895 => 'Nawras', - 96896 => 'Nawras', - 96897 => 'Nawras', + 96890 => 'Omantel/Ooredoo', + 96891 => 'Omantel', + 96892 => 'Omantel', + 96893 => 'Omantel', + 96894 => 'Ooredoo', + 96895 => 'Ooredoo', + 96896 => 'Ooredoo', + 96897 => 'Ooredoo', + 96898 => 'Omantel', + 96899 => 'Omantel', ); diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/972.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/972.php index 9bb661b50..bc1ed4ef4 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/972.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/972.php @@ -7,11 +7,13 @@ return array ( 97250 => 'Pelephone', 97252 => 'Cellcom', - 97253 => 'Mirs - Hot Mobile', + 97253 => 'Hot Mobile', 97254 => 'Orange', 9725501 => 'Beezz', 9725522 => 'Home Cellular', 9725523 => 'Home Cellular', + 9725532 => 'Free Telecom', + 9725533 => 'Free Telecom', 9725566 => 'Rami Levy', 9725567 => 'Rami Levy', 9725570 => 'Cellact', @@ -19,12 +21,12 @@ return array ( 9725587 => 'Alon', 9725588 => 'Alon', 9725589 => 'Alon', - 9725596 => 'Azi Communications', - 9725597 => 'Azi Communications', - 9725598 => 'Azi Communications', - 9725599 => 'Azi Communications', + 9725596 => 'Telzar', + 9725597 => 'Telzar', + 9725598 => 'Telzar', + 9725599 => 'Telzar', 97256 => 'Wataniya', - 97257 => 'Mirs - Hot Mobile', + 97257 => 'Hot Mobile', 97258 => 'Golan Telecom', 97259 => 'Jawwal', ); diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/975.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/975.php index bf0fce5b0..60537f2c0 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/975.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/975.php @@ -5,5 +5,7 @@ */ return array ( + 97516 => 'B-Mobile of Bhutan Telecom', 97517 => 'B-Mobile of Bhutan Telecom', + 97577 => 'TashiCell of Tashi InfoComm', ); diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/976.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/976.php index cf4894f39..f409e1f00 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/976.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/carrier/data/en/976.php @@ -6,6 +6,9 @@ return array ( 97680 => 'Unitel', + 976830 => 'G-Mobile', + 976831 => 'G-Mobile', + 97685 => 'Mobicom', 97686 => 'Unitel', 97688 => 'Unitel', 97689 => 'Unitel', diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_AT.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_AT.php index e7d26ba96..be287c2cc 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_AT.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_AT.php @@ -73,18 +73,17 @@ return array ( array ( 'NationalNumberPattern' => ' 6(?: - 44| 5[0-3579]| 6[013-9]| [7-9]\\d )\\d{4,10} ', 'PossibleNumberPattern' => '\\d{7,13}', - 'ExampleNumber' => '644123456', + 'ExampleNumber' => '664123456', ), 'tollFree' => array ( - 'NationalNumberPattern' => '80[02]\\d{6,10}', + 'NationalNumberPattern' => '800\\d{6,10}', 'PossibleNumberPattern' => '\\d{9,13}', 'ExampleNumber' => '800123456', ), @@ -92,7 +91,6 @@ return array ( array ( 'NationalNumberPattern' => ' (?: - 711| 9(?: 0[01]| 3[019] @@ -106,11 +104,14 @@ return array ( array ( 'NationalNumberPattern' => ' 8(?: - 10| - 2[018] - )\\d{6,10} + 10\\d| + 2(?: + [01]\\d| + 8\\d? + ) + )\\d{5,9} ', - 'PossibleNumberPattern' => '\\d{9,13}', + 'PossibleNumberPattern' => '\\d{8,13}', 'ExampleNumber' => '810123456', ), 'personalNumber' => @@ -183,6 +184,17 @@ return array ( 'numberFormat' => array ( 0 => + array ( + 'pattern' => '(116\\d{3})', + 'format' => '$1', + 'leadingDigitsPatterns' => + array ( + 0 => '116', + ), + 'nationalPrefixFormattingRule' => '$1', + 'domesticCarrierCodeFormattingRule' => '', + ), + 1 => array ( 'pattern' => '(1)(\\d{3,12})', 'format' => '$1 $2', @@ -193,7 +205,7 @@ return array ( 'nationalPrefixFormattingRule' => '0$1', 'domesticCarrierCodeFormattingRule' => '', ), - 1 => + 2 => array ( 'pattern' => '(5\\d)(\\d{3,5})', 'format' => '$1 $2', @@ -204,7 +216,7 @@ return array ( 'nationalPrefixFormattingRule' => '0$1', 'domesticCarrierCodeFormattingRule' => '', ), - 2 => + 3 => array ( 'pattern' => '(5\\d)(\\d{3})(\\d{3,4})', 'format' => '$1 $2 $3', @@ -215,7 +227,7 @@ return array ( 'nationalPrefixFormattingRule' => '0$1', 'domesticCarrierCodeFormattingRule' => '', ), - 3 => + 4 => array ( 'pattern' => '(5\\d)(\\d{4})(\\d{4,7})', 'format' => '$1 $2 $3', @@ -226,7 +238,7 @@ return array ( 'nationalPrefixFormattingRule' => '0$1', 'domesticCarrierCodeFormattingRule' => '', ), - 4 => + 5 => array ( 'pattern' => '(\\d{3})(\\d{3,10})', 'format' => '$1 $2', @@ -238,12 +250,10 @@ return array ( 51| 732| 6(?: - 44| 5[0-3579]| [6-9] )| 7(?: - 1| [28]0 )| [89] @@ -252,7 +262,7 @@ return array ( 'nationalPrefixFormattingRule' => '0$1', 'domesticCarrierCodeFormattingRule' => '', ), - 5 => + 6 => array ( 'pattern' => '(\\d{4})(\\d{3,9})', 'format' => '$1 $2', @@ -268,7 +278,7 @@ return array ( 5[2-6]| 6(?: [12]| - 4[1-35-9]| + 4[1-9]| 5[468] )| 7(?: diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_BB.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_BB.php index 609edf42c..66105ab61 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_BB.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_BB.php @@ -13,20 +13,54 @@ return array ( ), 'fixedLine' => array ( - 'NationalNumberPattern' => '246[2-9]\\d{6}', + 'NationalNumberPattern' => ' + 246(?: + 2(?: + 2[78]| + 7[0-4] + )| + 4(?: + 1[024-6]| + 2\\d| + 3[2-9] + )| + 5(?: + 20| + [34]\\d| + 54| + 7[1-3] + )| + 6(?: + 2\\d| + 38 + )| + 7(?: + 37| + 57 + )| + 9(?: + 1[89]| + 63 + ) + )\\d{4} + ', 'PossibleNumberPattern' => '\\d{7}(?:\\d{3})?', - 'ExampleNumber' => '2462345678', + 'ExampleNumber' => '2464123456', ), 'mobile' => array ( 'NationalNumberPattern' => ' 246(?: - (?: - 2[346]| - 45| - 82 - )\\d| - 25[0-46] + 2(?: + [356]\\d| + 4[0-57-9]| + 8[0-79] + )| + 45\\d| + 8(?: + [2-5]\\d| + 83 + ) )\\d{4} ', 'PossibleNumberPattern' => '\\d{10}', @@ -49,7 +83,10 @@ return array ( ), 'premiumRate' => array ( - 'NationalNumberPattern' => '900[2-9]\\d{6}', + 'NationalNumberPattern' => ' + 900\\d{7}| + 246976\\d{4} + ', 'PossibleNumberPattern' => '\\d{10}', 'ExampleNumber' => '9002123456', ), @@ -67,15 +104,16 @@ return array ( 44| 66| 77 - )[2-9]\\d{6} + )[2-9]\\d{3} ', 'PossibleNumberPattern' => '\\d{10}', 'ExampleNumber' => '5002345678', ), 'voip' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => '24631\\d{5}', + 'PossibleNumberPattern' => '\\d{10}', + 'ExampleNumber' => '2463101234', ), 'pager' => array ( @@ -84,8 +122,15 @@ return array ( ), 'uan' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => ' + 246(?: + 292| + 41[7-9]| + 43[01] + )\\d{4} + ', + 'PossibleNumberPattern' => '\\d{10}', + 'ExampleNumber' => '2464301234', ), 'emergency' => array ( diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_BD.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_BD.php index fcf7161c6..55812ca66 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_BD.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_BD.php @@ -19,6 +19,7 @@ return array ( array ( 'NationalNumberPattern' => ' 2(?: + 550\\d| 7(?: 1[0-267]| 2[0-289]| @@ -34,7 +35,8 @@ return array ( 2[0157-9]| 6[1-35]| 7[1-5]| - 8[1-8] + 8[1-8]| + 90 )| 9(?: 0[0-2]| @@ -396,7 +398,7 @@ return array ( array ( 0 => array ( - 'pattern' => '(2)(\\d{7})', + 'pattern' => '(2)(\\d{7,8})', 'format' => '$1-$2', 'leadingDigitsPatterns' => array ( diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_BI.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_BI.php index 8e1517016..651e76730 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_BI.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_BI.php @@ -13,12 +13,7 @@ return array ( ), 'fixedLine' => array ( - 'NationalNumberPattern' => ' - 22(?: - 2[0-7]| - [3-5]0 - )\\d{4} - ', + 'NationalNumberPattern' => '22\\d{6}', 'PossibleNumberPattern' => '\\d{8}', 'ExampleNumber' => '22201234', ), @@ -26,8 +21,9 @@ return array ( array ( 'NationalNumberPattern' => ' (?: - [26]9| - 7[14-9] + 29| + 6[189]| + 7[124-9] )\\d{6} ', 'PossibleNumberPattern' => '\\d{8}', diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_BR.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_BR.php index 6c429502f..29711f48c 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_BR.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_BR.php @@ -32,17 +32,15 @@ return array ( 'mobile' => array ( 'NationalNumberPattern' => ' - (?: - 1[1-9]| - 2[12478]| - [89][1-9] - )(?: + 1[1-9](?: 7| 9\\d )\\d{7}| (?: + 2[12478]| 3[1-578]| - 7[13-579] + 7[13-579]| + [89][1-9] )9?[6-9]\\d{7}| (?: [46][1-9]| @@ -66,7 +64,15 @@ return array ( ), 'sharedCost' => array ( - 'NationalNumberPattern' => '[34]00\\d{5}', + 'NationalNumberPattern' => ' + (?: + 300\\d| + 40(?: + 0\\d| + 20 + ) + )\\d{4} + ', 'PossibleNumberPattern' => '\\d{8}', 'ExampleNumber' => '40041234', ), @@ -117,7 +123,15 @@ return array ( ), 'noInternationalDialling' => array ( - 'NationalNumberPattern' => '[34]00\\d{5}', + 'NationalNumberPattern' => ' + (?: + 300\\d| + 40(?: + 0\\d| + 20 + ) + )\\d{4} + ', 'PossibleNumberPattern' => '\\d{8}', 'ExampleNumber' => '40041234', ), @@ -204,11 +218,19 @@ return array ( ), 5 => array ( - 'pattern' => '([34]00\\d)(\\d{4})', + 'pattern' => '(\\d{4})(\\d{4})', 'format' => '$1-$2', 'leadingDigitsPatterns' => array ( - 0 => '[34]00', + 0 => ' + (?: + 300| + 40(?: + 0| + 20 + ) + ) + ', ), 'nationalPrefixFormattingRule' => '', 'domesticCarrierCodeFormattingRule' => '', @@ -258,11 +280,19 @@ return array ( ), 2 => array ( - 'pattern' => '([34]00\\d)(\\d{4})', + 'pattern' => '(\\d{4})(\\d{4})', 'format' => '$1-$2', 'leadingDigitsPatterns' => array ( - 0 => '[34]00', + 0 => ' + (?: + 300| + 40(?: + 0| + 20 + ) + ) + ', ), 'nationalPrefixFormattingRule' => '', 'domesticCarrierCodeFormattingRule' => '', diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_BT.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_BT.php index dd1a44cb0..146656760 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_BT.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_BT.php @@ -28,7 +28,12 @@ return array ( ), 'mobile' => array ( - 'NationalNumberPattern' => '[17]7\\d{6}', + 'NationalNumberPattern' => ' + (?: + 1[67]| + 77 + )\\d{6} + ', 'PossibleNumberPattern' => '\\d{8}', 'ExampleNumber' => '17123456', ), @@ -105,7 +110,7 @@ return array ( array ( 0 => array ( - 'pattern' => '([17]7)(\\d{2})(\\d{2})(\\d{2})', + 'pattern' => '(\\d{2})(\\d{2})(\\d{2})(\\d{2})', 'format' => '$1 $2 $3 $4', 'leadingDigitsPatterns' => array ( diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_CC.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_CC.php index 6935fe682..83ee5c870 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_CC.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_CC.php @@ -31,7 +31,7 @@ return array ( 5[0-25-9]| 6[6-9]| 7[03-9]| - 8[17-9]| + 8[147-9]| 9[017-9] )\\d{6} ', @@ -41,16 +41,12 @@ return array ( 'tollFree' => array ( 'NationalNumberPattern' => ' - 1(?: - 80(?: - 0\\d{2} - )?| - 3(?: - 00\\d{2} - )? - )\\d{4} + 180(?: + 0\\d{3}| + 2 + )\\d{3} ', - 'PossibleNumberPattern' => '\\d{6,10}', + 'PossibleNumberPattern' => '\\d{7,10}', 'ExampleNumber' => '1800123456', ), 'premiumRate' => @@ -61,8 +57,13 @@ return array ( ), 'sharedCost' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => ' + 13(?: + 00\\d{2} + )?\\d{4} + ', + 'PossibleNumberPattern' => '\\d{6,10}', + 'ExampleNumber' => '1300123456', ), 'personalNumber' => array ( diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_CX.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_CX.php index 0f0e75910..b8fd76349 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_CX.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_CX.php @@ -31,7 +31,7 @@ return array ( 5[0-25-9]| 6[6-9]| 7[03-9]| - 8[17-9]| + 8[147-9]| 9[017-9] )\\d{6} ', @@ -41,16 +41,12 @@ return array ( 'tollFree' => array ( 'NationalNumberPattern' => ' - 1(?: - 80(?: - 0\\d{2} - )?| - 3(?: - 00\\d{2} - )? - )\\d{4} + 180(?: + 0\\d{3}| + 2 + )\\d{3} ', - 'PossibleNumberPattern' => '\\d{6,10}', + 'PossibleNumberPattern' => '\\d{7,10}', 'ExampleNumber' => '1800123456', ), 'premiumRate' => @@ -61,8 +57,13 @@ return array ( ), 'sharedCost' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => ' + 13(?: + 00\\d{2} + )?\\d{4} + ', + 'PossibleNumberPattern' => '\\d{6,10}', + 'ExampleNumber' => '1300123456', ), 'personalNumber' => array ( diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_CY.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_CY.php index 2e3b340fd..36ea49cfb 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_CY.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_CY.php @@ -19,7 +19,7 @@ return array ( ), 'mobile' => array ( - 'NationalNumberPattern' => '9[5-79]\\d{6}', + 'NationalNumberPattern' => '9[4-79]\\d{6}', 'PossibleNumberPattern' => '\\d{8}', 'ExampleNumber' => '96123456', ), diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_FI.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_FI.php index 4565b11bc..3ce8e2c20 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_FI.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_FI.php @@ -170,6 +170,17 @@ return array ( 'domesticCarrierCodeFormattingRule' => '', ), 1 => + array ( + 'pattern' => '(116\\d{3})', + 'format' => '$1', + 'leadingDigitsPatterns' => + array ( + 0 => '116', + ), + 'nationalPrefixFormattingRule' => '$1', + 'domesticCarrierCodeFormattingRule' => '', + ), + 2 => array ( 'pattern' => '(\\d{2})(\\d{4,10})', 'format' => '$1 $2', @@ -185,7 +196,7 @@ return array ( 'nationalPrefixFormattingRule' => '0$1', 'domesticCarrierCodeFormattingRule' => '', ), - 2 => + 3 => array ( 'pattern' => '(\\d)(\\d{4,11})', 'format' => '$1 $2', diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_GW.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_GW.php index ea6cd9b43..06585f9ee 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_GW.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_GW.php @@ -8,34 +8,46 @@ return array ( 'generalDesc' => array ( - 'NationalNumberPattern' => '[3-79]\\d{6}', - 'PossibleNumberPattern' => '\\d{7}', + 'NationalNumberPattern' => ' + (?: + 4(?: + 0\\d{5}| + 4\\d{7} + )| + 9\\d{8} + ) + ', + 'PossibleNumberPattern' => '\\d{7,9}', ), 'fixedLine' => array ( 'NationalNumberPattern' => ' - 3(?: - 2[0125]| - 3[1245]| - 4[12]| - 5[1-4]| - 70| - 9[1-467] - )\\d{4} + 443(?: + 2[0125]| + 3[1245]| + 4[12]| + 5[1-4]| + 70| + 9[1-467] + )\\d{4} ', - 'PossibleNumberPattern' => '\\d{7}', - 'ExampleNumber' => '3201234', + 'PossibleNumberPattern' => '\\d{7,9}', + 'ExampleNumber' => '443201234', ), 'mobile' => array ( 'NationalNumberPattern' => ' - (?: - [5-7]\\d| - 9[012] + 9(?: + 55\\d| + 6(?: + 6\\d| + 9[012] + )| + 77\\d )\\d{5} ', - 'PossibleNumberPattern' => '\\d{7}', - 'ExampleNumber' => '5012345', + 'PossibleNumberPattern' => '\\d{7,9}', + 'ExampleNumber' => '955012345', ), 'tollFree' => array ( @@ -60,7 +72,7 @@ return array ( 'voip' => array ( 'NationalNumberPattern' => '40\\d{5}', - 'PossibleNumberPattern' => '\\d{7}', + 'PossibleNumberPattern' => '\\d{7,9}', 'ExampleNumber' => '4012345', ), 'pager' => @@ -110,11 +122,26 @@ return array ( 'numberFormat' => array ( 0 => + array ( + 'pattern' => '(\\d{3})(\\d{3})(\\d{3})', + 'format' => '$1 $2 $3', + 'leadingDigitsPatterns' => + array ( + 0 => ' + 44| + 9[567] + ', + ), + 'nationalPrefixFormattingRule' => '', + 'domesticCarrierCodeFormattingRule' => '', + ), + 1 => array ( 'pattern' => '(\\d{3})(\\d{4})', 'format' => '$1 $2', 'leadingDigitsPatterns' => array ( + 0 => '40', ), 'nationalPrefixFormattingRule' => '', 'domesticCarrierCodeFormattingRule' => '', diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_ID.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_ID.php index ad955b3b4..308b7c26b 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_ID.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_ID.php @@ -8,8 +8,13 @@ return array ( 'generalDesc' => array ( - 'NationalNumberPattern' => '[1-9]\\d{6,10}', - 'PossibleNumberPattern' => '\\d{5,11}', + 'NationalNumberPattern' => ' + (?: + [1-79]\\d{6,10}| + 8\\d{7,11} + ) + ', + 'PossibleNumberPattern' => '\\d{5,12}', ), 'fixedLine' => array ( @@ -164,9 +169,9 @@ return array ( 7[178]9 ) )\\d{5,6}| - 8[1-35-9]\\d{7,9} + 8[1-35-9]\\d{7,10} ', - 'PossibleNumberPattern' => '\\d{9,11}', + 'PossibleNumberPattern' => '\\d{9,12}', 'ExampleNumber' => '812345678', ), 'tollFree' => @@ -186,8 +191,9 @@ return array ( ), 'sharedCost' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => '804\\d{7}', + 'PossibleNumberPattern' => '\\d{10}', + 'ExampleNumber' => '8041234567', ), 'personalNumber' => array ( @@ -206,8 +212,11 @@ return array ( ), 'uan' => array ( - 'NationalNumberPattern' => '8071\\d{6}', - 'PossibleNumberPattern' => '\\d{10}', + 'NationalNumberPattern' => ' + 1500\\d{3}| + 8071\\d{6} + ', + 'PossibleNumberPattern' => '\\d{7,10}', 'ExampleNumber' => '8071123456', ), 'emergency' => @@ -280,7 +289,7 @@ return array ( ), 2 => array ( - 'pattern' => '(8\\d{2})(\\d{3,4})(\\d{3,4})', + 'pattern' => '(8\\d{2})(\\d{3,4})(\\d{3,5})', 'format' => '$1-$2-$3', 'leadingDigitsPatterns' => array ( @@ -290,17 +299,28 @@ return array ( 'domesticCarrierCodeFormattingRule' => '', ), 3 => + array ( + 'pattern' => '(1)(500)(\\d{3})', + 'format' => '$1 $2 $3', + 'leadingDigitsPatterns' => + array ( + 0 => '15', + ), + 'nationalPrefixFormattingRule' => '$1', + 'domesticCarrierCodeFormattingRule' => '', + ), + 4 => array ( 'pattern' => '(177)(\\d{6,8})', 'format' => '$1 $2', 'leadingDigitsPatterns' => array ( - 0 => '1', + 0 => '17', ), 'nationalPrefixFormattingRule' => '0$1', 'domesticCarrierCodeFormattingRule' => '', ), - 4 => + 5 => array ( 'pattern' => '(800)(\\d{5,7})', 'format' => '$1 $2', @@ -311,7 +331,18 @@ return array ( 'nationalPrefixFormattingRule' => '0$1', 'domesticCarrierCodeFormattingRule' => '', ), - 5 => + 6 => + array ( + 'pattern' => '(804)(\\d{3})(\\d{4})', + 'format' => '$1 $2 $3', + 'leadingDigitsPatterns' => + array ( + 0 => '804', + ), + 'nationalPrefixFormattingRule' => '0$1', + 'domesticCarrierCodeFormattingRule' => '', + ), + 7 => array ( 'pattern' => '(80\\d)(\\d)(\\d{3})(\\d{3})', 'format' => '$1 $2 $3 $4', diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_IL.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_IL.php index eab9c27a8..e3bb185df 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_IL.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_IL.php @@ -29,7 +29,7 @@ return array ( 5(?: 01| 2[23]| - 3[34]| + 3[2-4]| 4[45]| 5[5689]| 6[67]| @@ -101,7 +101,7 @@ return array ( 77| 81 )| - 99\\d + 9[29]\\d )\\d{5} ', 'PossibleNumberPattern' => '\\d{9}', diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_IS.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_IS.php index 40f85e289..e2b7a69c2 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_IS.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_IS.php @@ -23,7 +23,7 @@ return array ( 2[0-7]| [37][0-8]| 4[0-245]| - 5[0-3568]| + 5[0-68]| 6\\d| 8[0-36-8] )| @@ -31,7 +31,7 @@ return array ( 05| [156]\\d| 2[02578]| - 3[013-7]| + 3[013-79]| 4[03-7]| 7[0-2578]| 8[0-35-9]| @@ -50,19 +50,20 @@ return array ( (?: 6(?: 1[1-8]| + 2[056]| 3[089]| 4[0167]| - 5[019]| + 5[0159]| [67][0-69]| 9\\d )| 7(?: 5[057]| - 7\\d| - 8[0-36-8] + 6[0-2]| + [78]\\d )| 8(?: - 2[0-5]| + 2[0-59]| 3[0-4]| [469]\\d| 5[1-9] @@ -107,8 +108,9 @@ return array ( ), 'uan' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => '809\\d{4}', + 'PossibleNumberPattern' => '\\d{7}', + 'ExampleNumber' => '8091234', ), 'emergency' => array ( @@ -120,16 +122,19 @@ return array ( 'NationalNumberPattern' => ' (?: 6(?: - 2[0-8]| + 2[1-478]| 49| 8\\d )| - 87[0189]| + 8(?: + 7[0189]| + 80 + )| 95[48] )\\d{4} ', 'PossibleNumberPattern' => '\\d{7}', - 'ExampleNumber' => '6201234', + 'ExampleNumber' => '6211234', ), 'shortCode' => array ( @@ -153,7 +158,8 @@ return array ( ), 'id' => 'IS', 'countryCode' => 354, - 'internationalPrefix' => '00', + 'internationalPrefix' => '1(?:0(?:01|10|20)|100)|00', + 'preferredInternationalPrefix' => '00', 'sameMobileAndFixedLinePattern' => false, 'numberFormat' => array ( diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_KI.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_KI.php index c67018262..7d60348ac 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_KI.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_KI.php @@ -30,13 +30,7 @@ return array ( ), 'mobile' => array ( - 'NationalNumberPattern' => ' - 7(?: - [24]\\d| - 3[1-9]| - 8[0-5] - )\\d{5} - ', + 'NationalNumberPattern' => '7\\d{7}', 'PossibleNumberPattern' => '\\d{8}', 'ExampleNumber' => '72012345', ), diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_MD.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_MD.php index 51d5c5006..4444e6223 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_MD.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_MD.php @@ -41,8 +41,7 @@ return array ( 562\\d| 6(?: [089]\\d{2}| - 1[01]\\d| - 21\\d| + [12][01]\\d| 7(?: [1-6]\\d| 7[0-4] diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_MM.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_MM.php index b4287ffc8..ab6b6463d 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_MM.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_MM.php @@ -32,7 +32,11 @@ return array ( [89][0-6]\\d )\\d{4}| 2(?: - [236-9]\\d{4}| + 2(?: + 000\\d{3}| + \\d{4} + )| + 3\\d{4}| 4(?: 0\\d{5}| \\d{4} @@ -40,7 +44,8 @@ return array ( 5(?: 1\\d{3,6}| [02-9]\\d{3,5} - ) + )| + [6-9]\\d{4} )| 4(?: 2[245-8]| @@ -87,15 +92,22 @@ return array ( )\\d{4}| 8(?: 1(?: - 2\\d?| - [3-689] + 2\\d{1,2}| + [3-689]\\d )| - 2[2-8]| - 3[24]| - 4[24-7]| - 5[245]| - 6[23] - )\\d{4} + 2(?: + 2\\d| + 3(?: + \\d| + 20 + )| + [4-8]\\d + )| + 3[24]\\d| + 4[24-7]\\d| + 5[245]\\d| + 6[23]\\d + )\\d{3} ', 'PossibleNumberPattern' => '\\d{5,9}', 'ExampleNumber' => '1234567', @@ -218,7 +230,7 @@ return array ( array ( 0 => ' 1| - 2[45] + 2[245] ', ), 'nationalPrefixFormattingRule' => '0$1', diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_MN.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_MN.php index bb78498c8..1d40cceb5 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_MN.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_MN.php @@ -36,9 +36,12 @@ return array ( array ( 'NationalNumberPattern' => ' (?: - 8[0689]| - 9[013-9] - )\\d{6} + 8(?: + [05689]\\d| + 3[01] + )| + 9[013-9]\\d + )\\d{5} ', 'PossibleNumberPattern' => '\\d{8}', 'ExampleNumber' => '88123456', diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_MO.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_MO.php index 256a86f76..dff9770ac 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_MO.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_MO.php @@ -24,7 +24,12 @@ return array ( ), 'mobile' => array ( - 'NationalNumberPattern' => '6[236]\\d{6}', + 'NationalNumberPattern' => ' + 6(?: + [2356]\\d| + 8[18] + )\\d{5} + ', 'PossibleNumberPattern' => '\\d{8}', 'ExampleNumber' => '66123456', ), diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_NP.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_NP.php index 2f1a63852..40f685752 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_NP.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_NP.php @@ -164,7 +164,7 @@ return array ( ) ', ), - 'nationalPrefixFormattingRule' => '0$1', + 'nationalPrefixFormattingRule' => '$1', 'domesticCarrierCodeFormattingRule' => '', ), ), diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_OM.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_OM.php index 1ad003cce..6b8f4e4e1 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_OM.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_OM.php @@ -12,7 +12,7 @@ return array ( (?: 2[2-6]| 5| - 9[1-9] + 9\\d )\\d{6}| 800\\d{5,6} ', @@ -26,7 +26,12 @@ return array ( ), 'mobile' => array ( - 'NationalNumberPattern' => '9[1-9]\\d{6}', + 'NationalNumberPattern' => ' + 9(?: + 0[1-9]| + [1-9]\\d + )\\d{5} + ', 'PossibleNumberPattern' => '\\d{8}', 'ExampleNumber' => '92123456', ), @@ -41,8 +46,13 @@ return array ( ), 'premiumRate' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => ' + (?: + 900 + )\\d{5} + ', + 'PossibleNumberPattern' => '\\d{8}', + 'ExampleNumber' => '90012345', ), 'sharedCost' => array ( diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_PL.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_PL.php index 755231cc8..96971f5b1 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_PL.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_PL.php @@ -10,7 +10,7 @@ return array ( array ( 'NationalNumberPattern' => ' [12]\\d{6,8}| - [3-57-9]\\d{8}| + (?:[3-5]|[7-9])\\d{8}| 6\\d{5,8} ', 'PossibleNumberPattern' => '\\d{6,9}', diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_RU.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_RU.php index f291d2a5b..855b75d88 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_RU.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_RU.php @@ -19,6 +19,7 @@ return array ( 0[12]| 4[1-35-79]| 5[1-3]| + 65| 8[1-58]| 9[0145] )| @@ -36,7 +37,7 @@ return array ( 3[13-6]| 4[0-8]| 5[15]| - 6[1-35-7]| + 6[1-35-79]| 7[1-37-9] ) )\\d{7} diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_SK.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_SK.php index 63ce6270e..8cdc09eef 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_SK.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_SK.php @@ -8,8 +8,13 @@ return array ( 'generalDesc' => array ( - 'NationalNumberPattern' => '[2-689]\\d{8}', - 'PossibleNumberPattern' => '\\d{9}', + 'NationalNumberPattern' => ' + (?: + [2-68]\\d{8}| + 9\\d{6,8} + ) + ', + 'PossibleNumberPattern' => '\\d{7,9}', ), 'fixedLine' => array ( @@ -23,7 +28,8 @@ return array ( 9(?: 0[1-8]| 1[0-24-9]| - 4[0489] + 4[0489]| + 50 )\\d{6} ', 'PossibleNumberPattern' => '\\d{9}', @@ -61,6 +67,7 @@ return array ( array ( 'NationalNumberPattern' => ' 6(?: + 02| 5[0-4]| 9[0-6] )\\d{6} @@ -70,8 +77,9 @@ return array ( ), 'pager' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => '9090\\d{3}', + 'PossibleNumberPattern' => '\\d{7}', + 'ExampleNumber' => '9090123', ), 'uan' => array ( @@ -108,6 +116,7 @@ return array ( array ( 'NationalNumberPattern' => ' (?: + 602| 8(?: 00| [5-9]\\d @@ -116,9 +125,10 @@ return array ( 00| [78]\\d ) - )\\d{6} + )\\d{6}| + 9090\\d{3} ', - 'PossibleNumberPattern' => '\\d{9}', + 'PossibleNumberPattern' => '\\d{7,9}', 'ExampleNumber' => '800123456', ), 'id' => 'SK', @@ -162,6 +172,17 @@ return array ( 'nationalPrefixFormattingRule' => '0$1', 'domesticCarrierCodeFormattingRule' => '', ), + 3 => + array ( + 'pattern' => '(9090)(\\d{3})', + 'format' => '$1 $2', + 'leadingDigitsPatterns' => + array ( + 0 => '9090', + ), + 'nationalPrefixFormattingRule' => '0$1', + 'domesticCarrierCodeFormattingRule' => '', + ), ), 'intlNumberFormat' => array ( diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_SO.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_SO.php index 8c699dd52..55efc11ac 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_SO.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_SO.php @@ -39,7 +39,10 @@ return array ( [1-8]\\d| 99?\\d )| - 907\\d + 9(?: + 07| + [2-9] + )\\d )\\d{5} ', 'PossibleNumberPattern' => '\\d{7,9}', @@ -156,7 +159,8 @@ return array ( 15| 28| 6[1-35-9]| - 799 + 799| + 9[2-9] ', ), 'nationalPrefixFormattingRule' => '', diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_TN.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_TN.php index 945970ada..7e61fddab 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_TN.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_TN.php @@ -14,7 +14,11 @@ return array ( 'fixedLine' => array ( 'NationalNumberPattern' => ' - 3[012]\\d{6}| + 3(?: + [012]\\d| + 6[0-4]| + 91 + )\\d{5}| 7\\d{7}| 81200\\d{3} ', @@ -26,7 +30,7 @@ return array ( 'NationalNumberPattern' => ' (?: [259]\\d| - 4[0-24] + 4[0-6] )\\d{6} ', 'PossibleNumberPattern' => '\\d{8}', diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_TT.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_TT.php index 322b52c3a..c521e0e4e 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_TT.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_TT.php @@ -17,7 +17,7 @@ return array ( 868(?: 2(?: 01| - 2[1-5]| + 2[1-6]| 3[1-5] )| 6(?: diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_VC.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_VC.php index 5e72f7d35..cfd7091fe 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_VC.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_VC.php @@ -46,7 +46,7 @@ return array ( 3[0-4]| 5[45]| 89| - 9[0-5] + 9[0-58] )| 5(?: 2[6-9]| diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_VG.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_VG.php index 0b8f28268..4d7c31fd5 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_VG.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_VG.php @@ -40,7 +40,8 @@ return array ( (?: 3(?: 0[0-3]| - 4[0-367] + 4[0-367]| + 94 )| 4(?: 4[0-6]| diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_AT.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_AT.php index 8bd85acdd..aa77c0b48 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_AT.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_AT.php @@ -8,23 +8,32 @@ return array ( 'generalDesc' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'fixedLine' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'mobile' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'tollFree' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => ' + 116(?: + 00[06]| + 1(?: + 17| + 23 + ) + ) + ', + 'PossibleNumberPattern' => '\\d{6}', + 'ExampleNumber' => '116000', ), 'premiumRate' => array ( @@ -65,7 +74,7 @@ return array ( 44 ) ', - 'PossibleNumberPattern' => '\\d{3}', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'voicemail' => @@ -77,12 +86,22 @@ return array ( array ( 'NationalNumberPattern' => ' 1(?: - [12]2| + 1(?: + 2| + 6(?: + 00[06]| + 1(?: + 17| + 23 + ) + ) + )| + 22| 33| 44 ) ', - 'PossibleNumberPattern' => '\\d{3}', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'standardRate' => diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_BB.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_BB.php index 0b4e382dd..92a199fea 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_BB.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_BB.php @@ -8,17 +8,17 @@ return array ( 'generalDesc' => array ( - 'NationalNumberPattern' => '[235]\\d{2}', + 'NationalNumberPattern' => '[2-689]\\d{2}', 'PossibleNumberPattern' => '\\d{3}', ), 'fixedLine' => array ( - 'NationalNumberPattern' => '[235]\\d{2}', + 'NationalNumberPattern' => '[2-689]\\d{2}', 'PossibleNumberPattern' => '\\d{3}', ), 'mobile' => array ( - 'NationalNumberPattern' => '[235]\\d{2}', + 'NationalNumberPattern' => '[2-689]\\d{2}', 'PossibleNumberPattern' => '\\d{3}', ), 'tollFree' => @@ -58,7 +58,7 @@ return array ( ), 'emergency' => array ( - 'NationalNumberPattern' => '[235]11', + 'NationalNumberPattern' => '[2359]11', 'PossibleNumberPattern' => '\\d{3}', 'ExampleNumber' => '211', ), @@ -69,7 +69,7 @@ return array ( ), 'shortCode' => array ( - 'NationalNumberPattern' => '[235]11', + 'NationalNumberPattern' => '[2-689]11', 'PossibleNumberPattern' => '\\d{3}', 'ExampleNumber' => '211', ), diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_BG.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_BG.php index 68aed32f5..77f0c6a98 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_BG.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_BG.php @@ -8,23 +8,29 @@ return array ( 'generalDesc' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'fixedLine' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'mobile' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'tollFree' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => ' + 116(?: + 000| + 111 + ) + ', + 'PossibleNumberPattern' => '\\d{6}', + 'ExampleNumber' => '116000', ), 'premiumRate' => array ( @@ -65,7 +71,7 @@ return array ( 6[06] ) ', - 'PossibleNumberPattern' => '\\d{3}', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'voicemail' => @@ -77,12 +83,18 @@ return array ( array ( 'NationalNumberPattern' => ' 1(?: - 12| + 1(?: + 2| + 6(?: + 000| + 111 + ) + )| 50| 6[06] ) ', - 'PossibleNumberPattern' => '\\d{3}', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'standardRate' => diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_BT.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_BT.php index ef9a42785..9a3e5e064 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_BT.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_BT.php @@ -70,7 +70,7 @@ return array ( 'shortCode' => array ( 'NationalNumberPattern' => ' - 11[023]| + 11[0-6]| 40404 ', 'PossibleNumberPattern' => '\\d{3,5}', diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_CY.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_CY.php index 25c551d96..802aff2e8 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_CY.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_CY.php @@ -8,23 +8,29 @@ return array ( 'generalDesc' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'fixedLine' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'mobile' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'tollFree' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => ' + 116(?: + 000| + 111 + ) + ', + 'PossibleNumberPattern' => '\\d{6}', + 'ExampleNumber' => '116000', ), 'premiumRate' => array ( @@ -64,7 +70,7 @@ return array ( 99 ) ', - 'PossibleNumberPattern' => '\\d{3}', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'voicemail' => @@ -76,11 +82,17 @@ return array ( array ( 'NationalNumberPattern' => ' 1(?: - 12| + 1(?: + 2| + 6(?: + 000| + 111 + ) + )| 99 ) ', - 'PossibleNumberPattern' => '\\d{3}', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'standardRate' => diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_CZ.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_CZ.php index cfd3c94ec..bf5b5c887 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_CZ.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_CZ.php @@ -23,8 +23,15 @@ return array ( ), 'tollFree' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => ' + 116(?: + 00[06]| + 111| + 123 + ) + ', + 'PossibleNumberPattern' => '\\d{6}', + 'ExampleNumber' => '116000', ), 'premiumRate' => array ( diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_DE.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_DE.php index 678ad9d77..b17ab59ca 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_DE.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_DE.php @@ -8,23 +8,32 @@ return array ( 'generalDesc' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'fixedLine' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'mobile' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'tollFree' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => ' + 116(?: + 00[06]| + 1(?: + 1[17]| + 23 + ) + ) + ', + 'PossibleNumberPattern' => '\\d{6}', + 'ExampleNumber' => '116000', ), 'premiumRate' => array ( @@ -59,7 +68,7 @@ return array ( 'emergency' => array ( 'NationalNumberPattern' => '11[02]', - 'PossibleNumberPattern' => '\\d{3}', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'voicemail' => @@ -69,8 +78,19 @@ return array ( ), 'shortCode' => array ( - 'NationalNumberPattern' => '11[025]', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => ' + 11(?: + [025]| + 6(?: + 00[06]| + 1(?: + 1[17]| + 23 + ) + ) + ) + ', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '115', ), 'standardRate' => diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_DK.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_DK.php index 6a790f0c3..8c797dba3 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_DK.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_DK.php @@ -8,23 +8,29 @@ return array ( 'generalDesc' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'fixedLine' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'mobile' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'tollFree' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => ' + 116(?: + 00[06]| + 111 + ) + ', + 'PossibleNumberPattern' => '\\d{6}', + 'ExampleNumber' => '116000', ), 'premiumRate' => array ( @@ -58,8 +64,8 @@ return array ( ), 'emergency' => array ( - 'NationalNumberPattern' => '112', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '11[24]', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'voicemail' => @@ -69,8 +75,26 @@ return array ( ), 'shortCode' => array ( - 'NationalNumberPattern' => '112', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => ' + 1(?: + 1(?: + [2-48]| + 6(?: + 00[06]| + 111 + ) + )| + 8(?: + 01| + 1[0238]| + 28| + 30| + 5[13]| + 81 + ) + ) + ', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'standardRate' => diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_EE.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_EE.php index f7c1a51c2..aaa2f617c 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_EE.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_EE.php @@ -8,23 +8,29 @@ return array ( 'generalDesc' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'fixedLine' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'mobile' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'tollFree' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => ' + 116(?: + 000| + 111 + ) + ', + 'PossibleNumberPattern' => '\\d{6}', + 'ExampleNumber' => '116000', ), 'premiumRate' => array ( @@ -59,7 +65,7 @@ return array ( 'emergency' => array ( 'NationalNumberPattern' => '11[02]', - 'PossibleNumberPattern' => '\\d{3}', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'voicemail' => @@ -69,8 +75,16 @@ return array ( ), 'shortCode' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => ' + 1(?: + \\d{2}| + 16(?: + 000| + 111 + ) + ) + ', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '116', ), 'standardRate' => diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_FI.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_FI.php index 309176abf..61c0c0374 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_FI.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_FI.php @@ -8,23 +8,24 @@ return array ( 'generalDesc' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'fixedLine' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'mobile' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'tollFree' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => '116111', + 'PossibleNumberPattern' => '\\d{6}', + 'ExampleNumber' => '116111', ), 'premiumRate' => array ( @@ -59,7 +60,7 @@ return array ( 'emergency' => array ( 'NationalNumberPattern' => '112', - 'PossibleNumberPattern' => '\\d{3}', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'voicemail' => @@ -69,8 +70,13 @@ return array ( ), 'shortCode' => array ( - 'NationalNumberPattern' => '112', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => ' + 11(?: + 2| + 6111 + ) + ', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'standardRate' => diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_GB.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_GB.php index 4b5d12d83..5b78cdfd3 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_GB.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_GB.php @@ -23,8 +23,17 @@ return array ( ), 'tollFree' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => ' + 116(?: + 000| + 1(?: + 11| + 23 + ) + ) + ', + 'PossibleNumberPattern' => '\\d{6}', + 'ExampleNumber' => '116000', ), 'premiumRate' => array ( diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_GR.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_GR.php index b40561888..79e84bac7 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_GR.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_GR.php @@ -8,23 +8,32 @@ return array ( 'generalDesc' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'fixedLine' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'mobile' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'tollFree' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => ' + 116(?: + 000| + 1(?: + 11| + 23 + ) + ) + ', + 'PossibleNumberPattern' => '\\d{6}', + 'ExampleNumber' => '116000', ), 'premiumRate' => array ( @@ -66,7 +75,7 @@ return array ( 99 ) ', - 'PossibleNumberPattern' => '\\d{3}', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'voicemail' => @@ -79,12 +88,21 @@ return array ( 'NationalNumberPattern' => ' 1(?: 00| - 12| + 1(?: + 2| + 6(?: + 000| + 1(?: + 11| + 23 + ) + ) + )| 66| 99 ) ', - 'PossibleNumberPattern' => '\\d{3}', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'standardRate' => diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_ID.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_ID.php index ccfcb82d1..65adc769e 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_ID.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_ID.php @@ -70,7 +70,10 @@ return array ( 'shortCode' => array ( 'NationalNumberPattern' => ' - 11[02389]| + 1(?: + 1[02389]| + 40\\d{2} + )| 71400| 89887 ', diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_IE.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_IE.php index d2bcc0407..046780826 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_IE.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_IE.php @@ -8,23 +8,32 @@ return array ( 'generalDesc' => array ( - 'NationalNumberPattern' => '[159]\\d{2,4}', - 'PossibleNumberPattern' => '\\d{3,5}', + 'NationalNumberPattern' => '[159]\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'fixedLine' => array ( - 'NationalNumberPattern' => '[159]\\d{2,4}', - 'PossibleNumberPattern' => '\\d{3,5}', + 'NationalNumberPattern' => '[159]\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'mobile' => array ( - 'NationalNumberPattern' => '[159]\\d{2,4}', - 'PossibleNumberPattern' => '\\d{3,5}', + 'NationalNumberPattern' => '[159]\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'tollFree' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => ' + 116(?: + 00[06]| + 1(?: + 11| + 23 + ) + ) + ', + 'PossibleNumberPattern' => '\\d{6}', + 'ExampleNumber' => '116000', ), 'premiumRate' => array ( @@ -73,11 +82,20 @@ return array ( 'shortCode' => array ( 'NationalNumberPattern' => ' - 112| + 11(?: + 2| + 6(?: + 00[06]| + 1(?: + 11| + 23 + ) + ) + )| 51210| 999 ', - 'PossibleNumberPattern' => '\\d{3,5}', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'standardRate' => diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_IS.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_IS.php index a9ff1cfb1..d3dab8879 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_IS.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_IS.php @@ -8,28 +8,30 @@ return array ( 'generalDesc' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'fixedLine' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'mobile' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'tollFree' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => '1717', + 'PossibleNumberPattern' => '\\d{4}', + 'ExampleNumber' => '1717', ), 'premiumRate' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => '1848', + 'PossibleNumberPattern' => '\\d{4}', + 'ExampleNumber' => '1848', ), 'sharedCost' => array ( @@ -59,7 +61,7 @@ return array ( 'emergency' => array ( 'NationalNumberPattern' => '112', - 'PossibleNumberPattern' => '\\d{3}', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'voicemail' => @@ -69,8 +71,39 @@ return array ( ), 'shortCode' => array ( - 'NationalNumberPattern' => '112', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => ' + 1(?: + 1(?: + [28]| + 6(?: + 1(?: + 23| + 16 + ) + ) + )| + 4(?: + 00| + 1[145]| + 4[0146] + )| + 55| + 7(?: + 00| + 17| + 7[07-9] + )| + 8(?: + 0[08]| + 1[016-9]| + 20| + 48| + 8[018] + )| + 900 + ) + ', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'standardRate' => @@ -80,8 +113,9 @@ return array ( ), 'carrierSpecific' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => '1441', + 'PossibleNumberPattern' => '\\d{4}', + 'ExampleNumber' => '1441', ), 'noInternationalDialling' => array ( diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_LT.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_LT.php index 6d408fc3c..e470aecee 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_LT.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_LT.php @@ -8,23 +8,32 @@ return array ( 'generalDesc' => array ( - 'NationalNumberPattern' => '[01]\\d{1,2}', - 'PossibleNumberPattern' => '\\d{2,3}', + 'NationalNumberPattern' => '[01]\\d{1,5}', + 'PossibleNumberPattern' => '\\d{2,6}', ), 'fixedLine' => array ( - 'NationalNumberPattern' => '[01]\\d{1,2}', - 'PossibleNumberPattern' => '\\d{2,3}', + 'NationalNumberPattern' => '[01]\\d{1,5}', + 'PossibleNumberPattern' => '\\d{2,6}', ), 'mobile' => array ( - 'NationalNumberPattern' => '[01]\\d{1,2}', - 'PossibleNumberPattern' => '\\d{2,3}', + 'NationalNumberPattern' => '[01]\\d{1,5}', + 'PossibleNumberPattern' => '\\d{2,6}', ), 'tollFree' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => ' + 116(?: + 000| + 1(?: + 11| + 23 + ) + ) + ', + 'PossibleNumberPattern' => '\\d{6}', + 'ExampleNumber' => '116000', ), 'premiumRate' => array ( @@ -69,7 +78,7 @@ return array ( 12 ) ', - 'PossibleNumberPattern' => '\\d{2,3}', + 'PossibleNumberPattern' => '\\d{2,6}', 'ExampleNumber' => '112', ), 'voicemail' => @@ -87,10 +96,19 @@ return array ( )| 1(?: 0[123]| - 12 + 1(?: + 2| + 6(?: + 000| + 1(?: + 11| + 23 + ) + ) + ) ) ', - 'PossibleNumberPattern' => '\\d{2,3}', + 'PossibleNumberPattern' => '\\d{2,6}', 'ExampleNumber' => '112', ), 'standardRate' => diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_LU.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_LU.php index 769c34fd1..1d1ecdad3 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_LU.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_LU.php @@ -8,23 +8,29 @@ return array ( 'generalDesc' => array ( - 'NationalNumberPattern' => '1\\d{2,4}', - 'PossibleNumberPattern' => '\\d{3,5}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'fixedLine' => array ( - 'NationalNumberPattern' => '1\\d{2,4}', - 'PossibleNumberPattern' => '\\d{3,5}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'mobile' => array ( - 'NationalNumberPattern' => '1\\d{2,4}', - 'PossibleNumberPattern' => '\\d{3,5}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'tollFree' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => ' + 116(?: + 000| + 111 + ) + ', + 'PossibleNumberPattern' => '\\d{6}', + 'ExampleNumber' => '116000', ), 'premiumRate' => array ( @@ -71,11 +77,17 @@ return array ( array ( 'NationalNumberPattern' => ' 1(?: - 1[23]| + 1(?: + [23]| + 6(?: + 000| + 111 + ) + )| 2\\d{3} ) ', - 'PossibleNumberPattern' => '\\d{3,5}', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '12123', ), 'standardRate' => diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_MT.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_MT.php index 69d02d58d..8e60f3a3f 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_MT.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_MT.php @@ -8,23 +8,32 @@ return array ( 'generalDesc' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'fixedLine' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'mobile' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'tollFree' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => ' + 116(?: + 000| + 1(?: + 11| + 23 + ) + ) + ', + 'PossibleNumberPattern' => '\\d{6}', + 'ExampleNumber' => '116000', ), 'premiumRate' => array ( @@ -59,7 +68,7 @@ return array ( 'emergency' => array ( 'NationalNumberPattern' => '112', - 'PossibleNumberPattern' => '\\d{3}', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'voicemail' => @@ -69,8 +78,19 @@ return array ( ), 'shortCode' => array ( - 'NationalNumberPattern' => '112', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => ' + 11(?: + 2| + 6(?: + 000| + 1(?: + 11| + 23 + ) + ) + ) + ', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'standardRate' => diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_NL.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_NL.php index 579aeea15..74d119e88 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_NL.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_NL.php @@ -8,23 +8,29 @@ return array ( 'generalDesc' => array ( - 'NationalNumberPattern' => '[19]\\d{2,3}', - 'PossibleNumberPattern' => '\\d{3,4}', + 'NationalNumberPattern' => '[19]\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'fixedLine' => array ( - 'NationalNumberPattern' => '[19]\\d{2,3}', - 'PossibleNumberPattern' => '\\d{3,4}', + 'NationalNumberPattern' => '[19]\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'mobile' => array ( - 'NationalNumberPattern' => '[19]\\d{2,3}', - 'PossibleNumberPattern' => '\\d{3,4}', + 'NationalNumberPattern' => '[19]\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'tollFree' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => ' + 116(?: + 00[06]| + 123 + ) + ', + 'PossibleNumberPattern' => '\\d{6}', + 'ExampleNumber' => '116000', ), 'premiumRate' => array ( @@ -74,12 +80,18 @@ return array ( array ( 'NationalNumberPattern' => ' 1(?: - 12| + 1(?: + 2| + 6(?: + 00[06]| + 123 + ) + )| 833 )| 911 ', - 'PossibleNumberPattern' => '\\d{3,4}', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '1833', ), 'standardRate' => diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_NO.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_NO.php index 3cc9033d3..4c65a3e7c 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_NO.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_NO.php @@ -23,8 +23,9 @@ return array ( ), 'tollFree' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => '116117', + 'PossibleNumberPattern' => '\\d{6}', + 'ExampleNumber' => '116117', ), 'premiumRate' => array ( @@ -58,13 +59,8 @@ return array ( ), 'emergency' => array ( - 'NationalNumberPattern' => ' - 11(?: - [023]| - 6117 - ) - ', - 'PossibleNumberPattern' => '\\d{3,6}', + 'NationalNumberPattern' => '11[023]', + 'PossibleNumberPattern' => '\\d{3}', 'ExampleNumber' => '112', ), 'voicemail' => diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_PL.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_PL.php index fbe396705..0f887c809 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_PL.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_PL.php @@ -32,8 +32,17 @@ return array ( ), 'tollFree' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => ' + 116(?: + 000| + 1(?: + 11| + 23 + ) + ) + ', + 'PossibleNumberPattern' => '\\d{6}', + 'ExampleNumber' => '116000', ), 'premiumRate' => array ( diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_RO.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_RO.php index b38a1f031..39da1b10c 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_RO.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_RO.php @@ -8,23 +8,29 @@ return array ( 'generalDesc' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'fixedLine' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'mobile' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'tollFree' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => ' + 116(?: + 000| + 111 + ) + ', + 'PossibleNumberPattern' => '\\d{6}', + 'ExampleNumber' => '116000', ), 'premiumRate' => array ( @@ -59,7 +65,7 @@ return array ( 'emergency' => array ( 'NationalNumberPattern' => '112', - 'PossibleNumberPattern' => '\\d{3}', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'voicemail' => @@ -69,8 +75,16 @@ return array ( ), 'shortCode' => array ( - 'NationalNumberPattern' => '112', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => ' + 11(?: + 2| + 6(?: + 000| + 111 + ) + ) + ', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'standardRate' => diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_SI.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_SI.php index 974442ee0..1a6ba86cb 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_SI.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_SI.php @@ -8,23 +8,32 @@ return array ( 'generalDesc' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'fixedLine' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'mobile' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'tollFree' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => ' + 116(?: + 000| + 1(?: + 11| + 23 + ) + ) + ', + 'PossibleNumberPattern' => '\\d{6}', + 'ExampleNumber' => '116000', ), 'premiumRate' => array ( @@ -59,7 +68,7 @@ return array ( 'emergency' => array ( 'NationalNumberPattern' => '11[23]', - 'PossibleNumberPattern' => '\\d{3}', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'voicemail' => @@ -69,8 +78,19 @@ return array ( ), 'shortCode' => array ( - 'NationalNumberPattern' => '11[23]', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => ' + 11(?: + [23]| + 6(?: + 000| + 1(?: + 11| + 23 + ) + ) + ) + ', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'standardRate' => diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_SK.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_SK.php index d06fbf772..66fa834cc 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_SK.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/ShortNumberMetadata_SK.php @@ -8,23 +8,29 @@ return array ( 'generalDesc' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'fixedLine' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'mobile' => array ( - 'NationalNumberPattern' => '1\\d{2}', - 'PossibleNumberPattern' => '\\d{3}', + 'NationalNumberPattern' => '1\\d{2,5}', + 'PossibleNumberPattern' => '\\d{3,6}', ), 'tollFree' => array ( - 'NationalNumberPattern' => 'NA', - 'PossibleNumberPattern' => 'NA', + 'NationalNumberPattern' => ' + 116(?: + 000| + 111 + ) + ', + 'PossibleNumberPattern' => '\\d{6}', + 'ExampleNumber' => '116000', ), 'premiumRate' => array ( @@ -64,7 +70,7 @@ return array ( 5[058] ) ', - 'PossibleNumberPattern' => '\\d{3}', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'voicemail' => @@ -76,11 +82,17 @@ return array ( array ( 'NationalNumberPattern' => ' 1(?: - 12| + 1(?: + 2| + 6(?: + 000| + 111 + ) + )| 5[058] ) ', - 'PossibleNumberPattern' => '\\d{3}', + 'PossibleNumberPattern' => '\\d{3,6}', 'ExampleNumber' => '112', ), 'standardRate' => diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/geocoding/data/Map.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/geocoding/data/Map.php index 458f0fbea..e067138a6 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/geocoding/data/Map.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/geocoding/data/Map.php @@ -829,9 +829,13 @@ return array ( 786 => 90, 787 => 91, 788 => 94, - 789 => 962, - 790 => 966, - 791 => 98, + 789 => 95, + 790 => 962, + 791 => 966, + 792 => 968, + 793 => 972, + 794 => 975, + 795 => 98, ), 'es' => array ( diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/geocoding/data/en/245.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/geocoding/data/en/245.php index d4916c70c..132ce8b3f 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/geocoding/data/en/245.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/geocoding/data/en/245.php @@ -5,24 +5,25 @@ */ return array ( - 245320 => 'Bissau', - 245321 => 'Bissau', - 245322 => 'St. Luzia', - 245325 => 'Brá', - 245331 => 'Mansôa', - 245332 => 'Bigene/Bissora', - 245334 => 'Mansaba', - 245335 => 'Farim', - 245341 => 'Bafatá', - 245342 => 'Bambadinca', - 245351 => 'Gabu', - 245352 => 'Sonaco', - 245353 => 'Pirada', - 245354 => 'Pitche', - 245370 => 'Buba', - 245391 => 'Canchungo', - 245392 => 'Cacheu', - 245393 => 'S. Domingos', - 245394 => 'Bula', - 245396 => 'Ingoré', + 24544320 => 'Bissau', + 24544321 => 'Bissau', + 24544322 => 'St. Luzia', + 24544325 => 'Brá', + 24544331 => 'Mansôa', + 24544332 => 'Bissora', + 24544334 => 'Mansaba', + 24544335 => 'Farim', + 24544341 => 'Bafatá', + 24544342 => 'Bambadinca', + 24544351 => 'Gabu', + 24544352 => 'Sonaco', + 24544353 => 'Pirada', + 24544354 => 'Pitche', + 24544370 => 'Buba', + 24544391 => 'Canchungo', + 24544392 => 'Cacheu', + 24544393 => 'S. Domingos', + 24544394 => 'Bula', + 24544396 => 'Ingoré', + 24544397 => 'Bigene', ); diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/geocoding/data/en/95.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/geocoding/data/en/95.php new file mode 100644 index 000000000..4c9b8beee --- /dev/null +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/geocoding/data/en/95.php @@ -0,0 +1,11 @@ + 'Mingalar Mandalay', + 955645 => 'Tandar', + 9582320 => 'Manton', +); diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/geocoding/data/en/968.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/geocoding/data/en/968.php new file mode 100644 index 000000000..88f9ccc6a --- /dev/null +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/geocoding/data/en/968.php @@ -0,0 +1,12 @@ + 'Dhofar & Al Wusta', + 96824 => 'Muscat', + 96825 => 'A’Dakhliyah, Al Sharqiya & A’Dhahira', + 96826 => 'Al Batinah & Musandam', +); diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/geocoding/data/en/972.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/geocoding/data/en/972.php new file mode 100644 index 000000000..7f141aef9 --- /dev/null +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/geocoding/data/en/972.php @@ -0,0 +1,13 @@ + 'Jerusalem', + 9723 => 'Tel Aviv', + 9724 => 'Haifa and North Regions', + 9728 => 'Hashfela and South Regions', + 9729 => 'Hasharon', +); diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/geocoding/data/en/975.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/geocoding/data/en/975.php new file mode 100644 index 000000000..3c254f83c --- /dev/null +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/geocoding/data/en/975.php @@ -0,0 +1,15 @@ + 'Thimphu', + 9753 => 'Trongsa', + 9754 => 'Trashigang', + 9755 => 'Phuentsholing', + 9756 => 'Gelephu', + 9757 => 'Samdrup Jongkhar', + 9758 => 'Paro', +); diff --git a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/timezone/data/map_data.php b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/timezone/data/map_data.php index 591079d6e..961c8e6f4 100644 --- a/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/timezone/data/map_data.php +++ b/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/timezone/data/map_data.php @@ -1446,7 +1446,6 @@ return array ( 376 => 'Europe/Andorra', 377 => 'Europe/Monaco', 378 => 'Europe/San_Marino', - 379 => 'Europe/Vatican', 380 => 'Europe/Bucharest', 381 => 'Europe/Belgrade', 382 => 'Europe/Podgorica', @@ -1454,7 +1453,7 @@ return array ( 386 => 'Europe/Ljubljana', 387 => 'Europe/Sarajevo', 389 => 'Europe/Skopje', - 39 => 'Europe/Rome', + 39 => 'Europe/Rome&Europe/Vatican', 40 => 'Europe/Bucharest', 41 => 'Europe/Zurich', 420 => 'Europe/Prague', @@ -1743,8 +1742,15 @@ return array ( 5568 => 'America/Rio_Branco', 5569 => 'America/Manaus', 557 => 'America/Sao_Paulo', - 558 => 'America/Sao_Paulo', 5581 => 'America/Noronha', + 5582 => 'America/Sao_Paulo', + 5583 => 'America/Sao_Paulo', + 5584 => 'America/Sao_Paulo', + 5585 => 'America/Sao_Paulo', + 5586 => 'America/Sao_Paulo', + 5587 => 'America/Sao_Paulo', + 5588 => 'America/Sao_Paulo', + 5589 => 'America/Sao_Paulo', 5591 => 'America/Manaus', 5592 => 'America/Manaus', 5593 => 'America/Manaus', @@ -1756,8 +1762,10 @@ return array ( 5599 => 'America/Sao_Paulo', 56 => 'America/Santiago&Pacific/Easter', 562 => 'America/Santiago', - 563 => 'America/Santiago', 5632 => 'Pacific/Easter', + 5633 => 'America/Santiago', + 5634 => 'America/Santiago', + 5635 => 'America/Santiago', 564 => 'America/Santiago', 565 => 'America/Santiago', 566 => 'America/Santiago', diff --git a/vendor/jeremeamia/SuperClosure/composer.json b/vendor/jeremeamia/SuperClosure/composer.json index 9dafbf304..784085cfd 100644 --- a/vendor/jeremeamia/SuperClosure/composer.json +++ b/vendor/jeremeamia/SuperClosure/composer.json @@ -15,11 +15,11 @@ ], "require": { "php": ">=5.4", - "nikic/php-parser": "~1.0" + "nikic/php-parser": "^1.2|^2.0", + "symfony/polyfill-php56": "^1.0" }, "require-dev": { - "phpunit/phpunit": "~4.0", - "codeclimate/php-test-reporter": "~0.1.2" + "phpunit/phpunit": "^4.0|^5.0" }, "autoload": { "psr-4": { @@ -33,7 +33,7 @@ }, "extra": { "branch-alias": { - "dev-master": "2.1-dev" + "dev-master": "2.2-dev" } } } diff --git a/vendor/jeremeamia/SuperClosure/src/Analyzer/AstAnalyzer.php b/vendor/jeremeamia/SuperClosure/src/Analyzer/AstAnalyzer.php index a9fbdef0a..37e54c0aa 100644 --- a/vendor/jeremeamia/SuperClosure/src/Analyzer/AstAnalyzer.php +++ b/vendor/jeremeamia/SuperClosure/src/Analyzer/AstAnalyzer.php @@ -9,6 +9,7 @@ use PhpParser\PrettyPrinter\Standard as NodePrinter; use PhpParser\Error as ParserError; use PhpParser\NodeVisitor\NameResolver; use PhpParser\Parser as CodeParser; +use PhpParser\ParserFactory; use PhpParser\Lexer\Emulative as EmulativeLexer; /** @@ -122,8 +123,19 @@ class AstAnalyzer extends ClosureAnalyzer ); } - $parser = new CodeParser(new EmulativeLexer); - return $parser->parse(file_get_contents($fileName)); + return $this->getParser()->parse(file_get_contents($fileName)); + } + + /** + * @return CodeParser + */ + private function getParser() + { + if (class_exists('PhpParser\ParserFactory')) { + return (new ParserFactory)->create(ParserFactory::PREFER_PHP7); + } + + return new CodeParser(new EmulativeLexer); } } diff --git a/vendor/jeremeamia/SuperClosure/src/Analyzer/ClosureAnalyzer.php b/vendor/jeremeamia/SuperClosure/src/Analyzer/ClosureAnalyzer.php index d1568e9c2..6ba92a302 100644 --- a/vendor/jeremeamia/SuperClosure/src/Analyzer/ClosureAnalyzer.php +++ b/vendor/jeremeamia/SuperClosure/src/Analyzer/ClosureAnalyzer.php @@ -55,7 +55,13 @@ abstract class ClosureAnalyzer private function isClosureStatic(\Closure $closure) { - $rebound = new \ReflectionFunction(@$closure->bindTo(new \stdClass)); + $closure = @$closure->bindTo(new \stdClass); + + if ($closure === null) { + return true; + } + + $rebound = new \ReflectionFunction($closure); return $rebound->getClosureThis() === null; } diff --git a/vendor/jeremeamia/SuperClosure/src/Analyzer/TokenAnalyzer.php b/vendor/jeremeamia/SuperClosure/src/Analyzer/TokenAnalyzer.php index 18364439f..2928ba0f9 100644 --- a/vendor/jeremeamia/SuperClosure/src/Analyzer/TokenAnalyzer.php +++ b/vendor/jeremeamia/SuperClosure/src/Analyzer/TokenAnalyzer.php @@ -68,7 +68,7 @@ class TokenAnalyzer extends ClosureAnalyzer case 3: if ($token->is(T_FUNCTION)) { throw new ClosureAnalysisException('Multiple closures ' - . 'were declared on the same line of code. Could ' + . 'were declared on the same line of code. Could not ' . 'determine which closure was the intended target.' ); } diff --git a/vendor/jeremeamia/SuperClosure/src/Analyzer/Visitor/ClosureLocatorVisitor.php b/vendor/jeremeamia/SuperClosure/src/Analyzer/Visitor/ClosureLocatorVisitor.php index 2dd9d4eda..758ce6a1a 100644 --- a/vendor/jeremeamia/SuperClosure/src/Analyzer/Visitor/ClosureLocatorVisitor.php +++ b/vendor/jeremeamia/SuperClosure/src/Analyzer/Visitor/ClosureLocatorVisitor.php @@ -106,12 +106,15 @@ final class ClosureLocatorVisitor extends NodeVisitor } elseif ($this->location['trait']) { $this->location['trait'] = $this->location['namespace'] . '\\' . $this->location['trait']; $this->location['method'] = "{$this->location['trait']}::{$this->location['function']}"; - } - if (!$this->location['class']) { - /** @var \ReflectionClass $closureScopeClass */ - $closureScopeClass = $this->reflection->getClosureScopeClass(); - $this->location['class'] = $closureScopeClass ? $closureScopeClass->getName() : null; + // If the closure was declared in a trait, then we will do a best + // effort guess on the name of the class that used the trait. It's + // actually impossible at this point to know for sure what it is. + if ($closureScope = $this->reflection->getClosureScopeClass()) { + $this->location['class'] = $closureScope ? $closureScope->getName() : null; + } elseif ($closureThis = $this->reflection->getClosureThis()) { + $this->location['class'] = get_class($closureThis); + } } } } diff --git a/vendor/jeremeamia/SuperClosure/src/Analyzer/Visitor/MagicConstantVisitor.php b/vendor/jeremeamia/SuperClosure/src/Analyzer/Visitor/MagicConstantVisitor.php index 922d4a680..d9d227db4 100644 --- a/vendor/jeremeamia/SuperClosure/src/Analyzer/Visitor/MagicConstantVisitor.php +++ b/vendor/jeremeamia/SuperClosure/src/Analyzer/Visitor/MagicConstantVisitor.php @@ -1,7 +1,7 @@ closure, func_get_args()); } + /** + * Clones the SerializableClosure with a new bound object and class scope. + * + * The method is essentially a wrapped proxy to the Closure::bindTo method. + * + * @param mixed $newthis The object to which the closure should be bound, + * or NULL for the closure to be unbound. + * @param mixed $newscope The class scope to which the closure is to be + * associated, or 'static' to keep the current one. + * If an object is given, the type of the object will + * be used instead. This determines the visibility of + * protected and private methods of the bound object. + * + * @return SerializableClosure + * @link http://www.php.net/manual/en/closure.bindto.php + */ + public function bindTo($newthis, $newscope = 'static') + { + return new self( + $this->closure->bindTo($newthis, $newscope), + $this->serializer + ); + } + /** * Serializes the code, context, and binding of the closure. * - * @see http://php.net/manual/en/serializable.serialize.php - * * @return string|null + * @link http://php.net/manual/en/serializable.serialize.php */ public function serialize() { @@ -105,25 +129,26 @@ class SerializableClosure implements \Serializable * extracted into a fresh scope prior to redefining the closure. The * closure is also rebound to its former object and scope. * - * @see http://php.net/manual/en/serializable.unserialize.php - * * @param string $serialized * * @throws ClosureUnserializationException + * @link http://php.net/manual/en/serializable.unserialize.php */ public function unserialize($serialized) { - // Unserialize the data and reconstruct the SuperClosure. + // Unserialize the closure data and reconstruct the closure object. $this->data = unserialize($serialized); - $this->reconstructClosure(); - if (!$this->closure instanceof \Closure) { + $this->closure = __reconstruct_closure($this->data); + + // Throw an exception if the closure could not be reconstructed. + if (!$this->closure instanceof Closure) { throw new ClosureUnserializationException( 'The closure is corrupted and cannot be unserialized.' ); } - // Rebind the closure to its former binding, if it's not static. - if (!$this->data['isStatic']) { + // Rebind the closure to its former binding and scope. + if ($this->data['binding'] || $this->data['isStatic']) { $this->closure = $this->closure->bindTo( $this->data['binding'], $this->data['scope'] @@ -131,29 +156,6 @@ class SerializableClosure implements \Serializable } } - /** - * Reconstruct the closure. - * - * HERE BE DRAGONS! - * - * The infamous `eval()` is used in this method, along with `extract()`, - * the error suppression operator, and variable variables (i.e., double - * dollar signs) to perform the unserialization work. I'm sorry, world! - */ - private function reconstructClosure() - { - // Simulate the original context the closure was created in. - extract($this->data['context'], EXTR_OVERWRITE); - - // Evaluate the code to recreate the closure. - if ($_fn = array_search(Serializer::RECURSION, $this->data['context'], true)) { - @eval("\${$_fn} = {$this->data['code']};"); - $this->closure = $$_fn; - } else { - @eval("\$this->closure = {$this->data['code']};"); - } - } - /** * Returns closure data for `var_dump()`. * @@ -164,3 +166,52 @@ class SerializableClosure implements \Serializable return $this->data ?: $this->serializer->getData($this->closure, true); } } + +/** + * Reconstruct a closure. + * + * HERE BE DRAGONS! + * + * The infamous `eval()` is used in this method, along with the error + * suppression operator, and variable variables (i.e., double dollar signs) to + * perform the unserialization logic. I'm sorry, world! + * + * This is also done inside a plain function instead of a method so that the + * binding and scope of the closure are null. + * + * @param array $__data Unserialized closure data. + * + * @return Closure|null + * @internal + */ +function __reconstruct_closure(array $__data) +{ + // Simulate the original context the closure was created in. + foreach ($__data['context'] as $__var_name => &$__value) { + if ($__value instanceof SerializableClosure) { + // Unbox any SerializableClosures in the context. + $__value = $__value->getClosure(); + } elseif ($__value === Serializer::RECURSION) { + // Track recursive references (there should only be one). + $__recursive_reference = $__var_name; + } + + // Import the variable into this scope. + ${$__var_name} = $__value; + } + + // Evaluate the code to recreate the closure. + try { + if (isset($__recursive_reference)) { + // Special handling for recursive closures. + @eval("\${$__recursive_reference} = {$__data['code']};"); + $__closure = ${$__recursive_reference}; + } else { + @eval("\$__closure = {$__data['code']};"); + } + } catch (\ParseError $e) { + // Discard the parse error. + } + + return isset($__closure) ? $__closure : null; +} diff --git a/vendor/jeremeamia/SuperClosure/src/Serializer.php b/vendor/jeremeamia/SuperClosure/src/Serializer.php index eb32a96e2..04b793cdd 100644 --- a/vendor/jeremeamia/SuperClosure/src/Serializer.php +++ b/vendor/jeremeamia/SuperClosure/src/Serializer.php @@ -92,8 +92,18 @@ class Serializer implements SerializerInterface $this->verifySignature($signature, $serialized); } - /** @var SerializableClosure $unserialized */ + set_error_handler(function () {}); $unserialized = unserialize($serialized); + restore_error_handler(); + if ($unserialized === false) { + throw new ClosureUnserializationException( + 'The closure could not be unserialized.' + ); + } elseif (!$unserialized instanceof SerializableClosure) { + throw new ClosureUnserializationException( + 'The closure did not unserialize to a SuperClosure.' + ); + } return $unserialized->getClosure(); } @@ -193,13 +203,6 @@ class Serializer implements SerializerInterface */ private function verifySignature($signature, $data) { - // Ensure that hash_equals() is available. - static $hashEqualsFnExists = false; - if (!$hashEqualsFnExists) { - require __DIR__ . '/hash_equals.php'; - $hashEqualsFnExists = true; - } - // Verify that the provided signature matches the calculated signature. if (!hash_equals($signature, $this->calculateSignature($data))) { throw new ClosureUnserializationException('The signature of the' diff --git a/vendor/laravel/framework/src/Illuminate/Database/Connectors/MySqlConnector.php b/vendor/laravel/framework/src/Illuminate/Database/Connectors/MySqlConnector.php index bd751ce65..6c2365e8c 100644 --- a/vendor/laravel/framework/src/Illuminate/Database/Connectors/MySqlConnector.php +++ b/vendor/laravel/framework/src/Illuminate/Database/Connectors/MySqlConnector.php @@ -53,6 +53,10 @@ class MySqlConnector extends Connector implements ConnectorInterface { { $connection->prepare("set session sql_mode='STRICT_ALL_TABLES'")->execute(); } + else + { + $connection->prepare("set session sql_mode=''")->execute(); + } return $connection; } diff --git a/vendor/laravel/framework/src/Illuminate/Foundation/Application.php b/vendor/laravel/framework/src/Illuminate/Foundation/Application.php index 7ba000cc5..502a73f8d 100644 --- a/vendor/laravel/framework/src/Illuminate/Foundation/Application.php +++ b/vendor/laravel/framework/src/Illuminate/Foundation/Application.php @@ -20,7 +20,7 @@ class Application extends Container implements ApplicationContract, HttpKernelIn * * @var string */ - const VERSION = '5.0.33'; + const VERSION = '5.0.34'; /** * The base path for the Laravel installation. diff --git a/vendor/league/flysystem/composer.json b/vendor/league/flysystem/composer.json index dab5d14c8..0b6721f17 100644 --- a/vendor/league/flysystem/composer.json +++ b/vendor/league/flysystem/composer.json @@ -18,7 +18,7 @@ }, "require-dev": { "ext-fileinfo": "*", - "phpunit/phpunit": "~4.1", + "phpunit/phpunit": "~4.8", "mockery/mockery": "~0.9", "phpspec/phpspec": "^2.2", "phpspec/prophecy-phpunit": "~1.0" diff --git a/vendor/league/flysystem/src/Adapter/AbstractAdapter.php b/vendor/league/flysystem/src/Adapter/AbstractAdapter.php index 4617c9535..e2cbebea3 100644 --- a/vendor/league/flysystem/src/Adapter/AbstractAdapter.php +++ b/vendor/league/flysystem/src/Adapter/AbstractAdapter.php @@ -27,8 +27,8 @@ abstract class AbstractAdapter implements AdapterInterface { $is_empty = empty($prefix); - if (! $is_empty) { - $prefix = rtrim($prefix, $this->pathSeparator).$this->pathSeparator; + if ( ! $is_empty) { + $prefix = rtrim($prefix, $this->pathSeparator) . $this->pathSeparator; } $this->pathPrefix = $is_empty ? null : $prefix; @@ -60,7 +60,7 @@ abstract class AbstractAdapter implements AdapterInterface } if ($prefix = $this->getPathPrefix()) { - $path = $prefix.$path; + $path = $prefix . $path; } return $path; diff --git a/vendor/league/flysystem/src/Adapter/AbstractFtpAdapter.php b/vendor/league/flysystem/src/Adapter/AbstractFtpAdapter.php index 102eab46c..4701f5f37 100644 --- a/vendor/league/flysystem/src/Adapter/AbstractFtpAdapter.php +++ b/vendor/league/flysystem/src/Adapter/AbstractFtpAdapter.php @@ -99,11 +99,11 @@ abstract class AbstractFtpAdapter extends AbstractAdapter public function setConfig(array $config) { foreach ($this->configurable as $setting) { - if (! isset($config[$setting])) { + if ( ! isset($config[$setting])) { continue; } - $method = 'set'.ucfirst($setting); + $method = 'set' . ucfirst($setting); if (method_exists($this, $method)) { $this->$method($config[$setting]); @@ -208,7 +208,7 @@ abstract class AbstractFtpAdapter extends AbstractAdapter */ public function setRoot($root) { - $this->root = rtrim($root, '\\/').$this->separator; + $this->root = rtrim($root, '\\/') . $this->separator; return $this; } @@ -397,7 +397,7 @@ abstract class AbstractFtpAdapter extends AbstractAdapter $item = preg_replace('#\s+#', ' ', trim($item), 7); list($permissions, /* $number */, /* $owner */, /* $group */, $size, /* $month */, /* $day */, /* $time*/, $name) = explode(' ', $item, 9); $type = $this->detectType($permissions); - $path = empty($base) ? $name : $base.$this->separator.$name; + $path = empty($base) ? $name : $base . $this->separator . $name; if ($type === 'dir') { return compact('type', 'path'); @@ -422,11 +422,11 @@ abstract class AbstractFtpAdapter extends AbstractAdapter { $item = preg_replace('#\s+#', ' ', trim($item), 3); list($date, $time, $size, $name) = explode(' ', $item, 4); - $path = empty($base) ? $name : $base.$this->separator.$name; + $path = empty($base) ? $name : $base . $this->separator . $name; // Check for the correct date/time format $format = strlen($date) === 8 ? 'm-d-yH:iA' : 'Y-m-dH:i'; - $timestamp = DateTime::createFromFormat($format, $date.$time)->getTimestamp(); + $timestamp = DateTime::createFromFormat($format, $date . $time)->getTimestamp(); if ($size === '') { $type = 'dir'; @@ -507,7 +507,7 @@ abstract class AbstractFtpAdapter extends AbstractAdapter public function removeDotDirectories(array $list) { $filter = function ($line) { - if (! empty($line) && !preg_match('#.* \.(\.)?$|^total#', $line)) { + if ( ! empty($line) && ! preg_match('#.* \.(\.)?$|^total#', $line)) { return true; } @@ -548,7 +548,7 @@ abstract class AbstractFtpAdapter extends AbstractAdapter */ public function ensureDirectory($dirname) { - if (! empty($dirname) && !$this->has($dirname)) { + if ( ! empty($dirname) && ! $this->has($dirname)) { $this->createDir($dirname, new Config()); } } @@ -558,7 +558,7 @@ abstract class AbstractFtpAdapter extends AbstractAdapter */ public function getConnection() { - if (! $this->isConnected()) { + if ( ! $this->isConnected()) { $this->disconnect(); $this->connect(); } diff --git a/vendor/league/flysystem/src/Adapter/Ftp.php b/vendor/league/flysystem/src/Adapter/Ftp.php index ea161bd7e..bb9e5321a 100644 --- a/vendor/league/flysystem/src/Adapter/Ftp.php +++ b/vendor/league/flysystem/src/Adapter/Ftp.php @@ -17,6 +17,11 @@ class Ftp extends AbstractFtpAdapter */ protected $transferMode = FTP_BINARY; + /** + * @var null|bool + */ + protected $ignorePassiveAddress = null; + /** * @var array */ @@ -33,6 +38,7 @@ class Ftp extends AbstractFtpAdapter 'passive', 'transferMode', 'systemType', + 'ignorePassiveAddress', ]; /** @@ -73,6 +79,14 @@ class Ftp extends AbstractFtpAdapter $this->passive = $passive; } + /** + * @param bool $ignorePassiveAddress + */ + public function setIgnorePassiveAddress($ignorePassiveAddress) + { + $this->ignorePassiveAddress = $ignorePassiveAddress; + } + /** * Connect to the FTP server. */ @@ -84,7 +98,7 @@ class Ftp extends AbstractFtpAdapter $this->connection = ftp_connect($this->getHost(), $this->getPort(), $this->getTimeout()); } - if (! $this->connection) { + if ( ! $this->connection) { throw new RuntimeException('Could not connect to host: ' . $this->getHost() . ', port:' . $this->getPort()); } @@ -100,7 +114,11 @@ class Ftp extends AbstractFtpAdapter */ protected function setConnectionPassiveMode() { - if (! ftp_pasv($this->connection, $this->passive)) { + if (is_bool($this->ignorePassiveAddress) && defined('FTP_USEPASVADDRESS')) { + ftp_set_option($this->connection, FTP_USEPASVADDRESS, ! $this->ignorePassiveAddress); + } + + if ( ! ftp_pasv($this->connection, $this->passive)) { throw new RuntimeException( 'Could not set passive mode for connection: ' . $this->getHost() . '::' . $this->getPort() ); @@ -140,7 +158,7 @@ class Ftp extends AbstractFtpAdapter $isLoggedIn = ftp_login($this->connection, $this->getUsername(), $this->getPassword()); restore_error_handler(); - if (! $isLoggedIn) { + if ( ! $isLoggedIn) { $this->disconnect(); throw new RuntimeException( 'Could not login with connection: ' . $this->getHost() . '::' . $this->getPort( @@ -189,7 +207,7 @@ class Ftp extends AbstractFtpAdapter { $this->ensureDirectory(Util::dirname($path)); - if (! ftp_fput($this->getConnection(), $path, $resource, $this->transferMode)) { + if ( ! ftp_fput($this->getConnection(), $path, $resource, $this->transferMode)) { return false; } @@ -242,10 +260,10 @@ class Ftp extends AbstractFtpAdapter foreach ($contents as $object) { if ($object['type'] === 'file') { - if (! ftp_delete($connection, $object['path'])) { + if ( ! ftp_delete($connection, $object['path'])) { return false; } - } elseif (! ftp_rmdir($connection, $object['path'])) { + } elseif ( ! ftp_rmdir($connection, $object['path'])) { return false; } } @@ -319,12 +337,16 @@ class Ftp extends AbstractFtpAdapter return ['type' => 'dir', 'path' => $path]; } - $listing = ftp_rawlist($connection, $path); + $listing = ftp_rawlist($connection, str_replace('*', '\\*', $path)); if (empty($listing)) { return false; } + if (preg_match('/.* not found/', $listing[0])) { + return false; + } + return $this->normalizeObject($listing[0], ''); } @@ -333,7 +355,7 @@ class Ftp extends AbstractFtpAdapter */ public function getMimetype($path) { - if (! $metadata = $this->read($path)) { + if ( ! $metadata = $this->read($path)) { return false; } @@ -357,7 +379,7 @@ class Ftp extends AbstractFtpAdapter */ public function read($path) { - if (! $object = $this->readStream($path)) { + if ( ! $object = $this->readStream($path)) { return false; } @@ -377,7 +399,7 @@ class Ftp extends AbstractFtpAdapter $result = ftp_fget($this->getConnection(), $stream, $path, $this->transferMode); rewind($stream); - if (! $result) { + if ( ! $result) { fclose($stream); return false; @@ -393,7 +415,7 @@ class Ftp extends AbstractFtpAdapter { $mode = $visibility === AdapterInterface::VISIBILITY_PUBLIC ? $this->getPermPublic() : $this->getPermPrivate(); - if (! ftp_chmod($this->getConnection(), $mode, $path)) { + if ( ! ftp_chmod($this->getConnection(), $mode, $path)) { return false; } @@ -407,7 +429,9 @@ class Ftp extends AbstractFtpAdapter */ protected function listDirectoryContents($directory, $recursive = true) { - $listing = ftp_rawlist($this->getConnection(), '-lna ' . $directory, $recursive); + $directory = str_replace('*', '\\*', $directory); + $options = $recursive ? '-alnR' : '-aln'; + $listing = ftp_rawlist($this->getConnection(), $options . ' ' . $directory); return $listing ? $this->normalizeListing($listing, $directory) : []; } @@ -419,6 +443,6 @@ class Ftp extends AbstractFtpAdapter */ public function isConnected() { - return ! is_null($this->connection) && ftp_systype($this->connection) !== false; + return is_resource($this->connection) && ftp_systype($this->connection) !== false; } } diff --git a/vendor/league/flysystem/src/Adapter/Ftpd.php b/vendor/league/flysystem/src/Adapter/Ftpd.php index b7ac88d2c..91d0cd8a5 100644 --- a/vendor/league/flysystem/src/Adapter/Ftpd.php +++ b/vendor/league/flysystem/src/Adapter/Ftpd.php @@ -9,7 +9,7 @@ class Ftpd extends Ftp */ public function getMetadata($path) { - if (empty($path) || !($object = ftp_raw($this->getConnection(), 'STAT '.$path)) || count($object) < 3) { + if (empty($path) || ! ($object = ftp_raw($this->getConnection(), 'STAT ' . $path)) || count($object) < 3) { return false; } @@ -27,7 +27,7 @@ class Ftpd extends Ftp { $listing = ftp_rawlist($this->getConnection(), $directory, $recursive); - if ($listing === false || (!empty($listing) && substr($listing[0], 0, 5) === "ftpd:")) { + if ($listing === false || ( ! empty($listing) && substr($listing[0], 0, 5) === "ftpd:")) { return []; } diff --git a/vendor/league/flysystem/src/Adapter/Local.php b/vendor/league/flysystem/src/Adapter/Local.php index f5ed5d434..d42b62139 100644 --- a/vendor/league/flysystem/src/Adapter/Local.php +++ b/vendor/league/flysystem/src/Adapter/Local.php @@ -4,10 +4,11 @@ namespace League\Flysystem\Adapter; use DirectoryIterator; use FilesystemIterator; -use Finfo; +use finfo as Finfo; use League\Flysystem\AdapterInterface; use League\Flysystem\Config; use League\Flysystem\NotSupportedException; +use League\Flysystem\UnreadableFileException; use League\Flysystem\Util; use RecursiveDirectoryIterator; use RecursiveIteratorIterator; @@ -72,8 +73,8 @@ class Local extends AbstractAdapter $this->permissionMap = array_replace_recursive(static::$permissions, $permissions); $realRoot = $this->ensureDirectory($root); - if (! is_dir($realRoot) || !is_readable($realRoot)) { - throw new \LogicException('The root path '.$root.' is not readable.'); + if ( ! is_dir($realRoot) || ! is_readable($realRoot)) { + throw new \LogicException('The root path ' . $root . ' is not readable.'); } $this->setPathPrefix($realRoot); @@ -90,7 +91,7 @@ class Local extends AbstractAdapter */ protected function ensureDirectory($root) { - if (! is_dir($root)) { + if ( ! is_dir($root)) { $umask = umask(0); mkdir($root, $this->permissionMap['dir']['public'], true); umask($umask); @@ -141,13 +142,13 @@ class Local extends AbstractAdapter $this->ensureDirectory(dirname($location)); $stream = fopen($location, 'w+'); - if (! $stream) { + if ( ! $stream) { return false; } stream_copy_to_stream($resource, $stream); - if (! fclose($stream)) { + if ( ! fclose($stream)) { return false; } @@ -249,9 +250,9 @@ class Local extends AbstractAdapter public function listContents($directory = '', $recursive = false) { $result = []; - $location = $this->applyPathPrefix($directory).$this->pathSeparator; + $location = $this->applyPathPrefix($directory) . $this->pathSeparator; - if (! is_dir($location)) { + if ( ! is_dir($location)) { return []; } @@ -328,7 +329,11 @@ class Local extends AbstractAdapter { $location = $this->applyPathPrefix($path); $type = is_dir($location) ? 'dir' : 'file'; - chmod($location, $this->permissionMap[$type][$visibility]); + $success = chmod($location, $this->permissionMap[$type][$visibility]); + + if ($success === false) { + return false; + } return compact('visibility'); } @@ -342,7 +347,7 @@ class Local extends AbstractAdapter $umask = umask(0); $visibility = $config->get('visibility', 'public'); - if (! is_dir($location) && !mkdir($location, $this->permissionMap['dir'][$visibility], true)) { + if ( ! is_dir($location) && ! mkdir($location, $this->permissionMap['dir'][$visibility], true)) { $return = false; } else { $return = ['path' => $dirname, 'type' => 'dir']; @@ -360,32 +365,38 @@ class Local extends AbstractAdapter { $location = $this->applyPathPrefix($dirname); - if (! is_dir($location)) { + if ( ! is_dir($location)) { return false; } - $contents = new RecursiveIteratorIterator( - new RecursiveDirectoryIterator($location, FilesystemIterator::SKIP_DOTS), - RecursiveIteratorIterator::CHILD_FIRST - ); + $contents = $this->getRecursiveDirectoryIterator($location, RecursiveIteratorIterator::CHILD_FIRST); /** @var SplFileInfo $file */ foreach ($contents as $file) { - switch ($file->getType()) { - case 'dir': - rmdir($file->getRealPath()); - break; - case 'link': - unlink($file->getPathname()); - break; - default: - unlink($file->getRealPath()); - } + $this->guardAgainstUnreadableFileInfo($file); + $this->deleteFileInfoObject($file); } return rmdir($location); } + /** + * @param $file + */ + protected function deleteFileInfoObject($file) + { + switch ($file->getType()) { + case 'dir': + rmdir($file->getRealPath()); + break; + case 'link': + unlink($file->getPathname()); + break; + default: + unlink($file->getRealPath()); + } + } + /** * Normalize the file info. * @@ -395,7 +406,7 @@ class Local extends AbstractAdapter */ protected function normalizeFileInfo(SplFileInfo $file) { - if (! $file->isLink()) { + if ( ! $file->isLink()) { return $this->mapFileInfo($file); } @@ -421,15 +432,16 @@ class Local extends AbstractAdapter /** * @param string $path + * @param int $mode * * @return RecursiveIteratorIterator */ - protected function getRecursiveDirectoryIterator($path) + protected function getRecursiveDirectoryIterator($path, $mode = RecursiveIteratorIterator::SELF_FIRST) { - $directory = new RecursiveDirectoryIterator($path, FilesystemIterator::SKIP_DOTS); - $iterator = new RecursiveIteratorIterator($directory, RecursiveIteratorIterator::SELF_FIRST); - - return $iterator; + return new RecursiveIteratorIterator( + new RecursiveDirectoryIterator($path, FilesystemIterator::SKIP_DOTS), + $mode + ); } /** @@ -474,4 +486,16 @@ class Local extends AbstractAdapter return str_replace('/', DIRECTORY_SEPARATOR, $prefixedPath); } + + /** + * @param SplFileInfo $file + * + * @throws UnreadableFileException + */ + protected function guardAgainstUnreadableFileInfo(SplFileInfo $file) + { + if ( ! $file->isReadable()) { + throw UnreadableFileException::forFileInfo($file); + } + } } diff --git a/vendor/league/flysystem/src/Adapter/Polyfill/NotSupportingVisibilityTrait.php b/vendor/league/flysystem/src/Adapter/Polyfill/NotSupportingVisibilityTrait.php index 64de4438e..fc0a747ac 100644 --- a/vendor/league/flysystem/src/Adapter/Polyfill/NotSupportingVisibilityTrait.php +++ b/vendor/league/flysystem/src/Adapter/Polyfill/NotSupportingVisibilityTrait.php @@ -15,7 +15,7 @@ trait NotSupportingVisibilityTrait */ public function getVisibility($path) { - throw new LogicException(get_class($this).' does not support visibility. Path: '.$path); + throw new LogicException(get_class($this) . ' does not support visibility. Path: ' . $path); } /** @@ -28,6 +28,6 @@ trait NotSupportingVisibilityTrait */ public function setVisibility($path, $visibility) { - throw new LogicException(get_class($this).' does not support visibility. Path: '.$path.', visibility: '.$visibility); + throw new LogicException(get_class($this) . ' does not support visibility. Path: ' . $path . ', visibility: ' . $visibility); } } diff --git a/vendor/league/flysystem/src/Adapter/Polyfill/StreamedCopyTrait.php b/vendor/league/flysystem/src/Adapter/Polyfill/StreamedCopyTrait.php index 44ed2e095..b296bced1 100644 --- a/vendor/league/flysystem/src/Adapter/Polyfill/StreamedCopyTrait.php +++ b/vendor/league/flysystem/src/Adapter/Polyfill/StreamedCopyTrait.php @@ -18,7 +18,7 @@ trait StreamedCopyTrait { $response = $this->readStream($path); - if ($response === false || !is_resource($response['stream'])) { + if ($response === false || ! is_resource($response['stream'])) { return false; } diff --git a/vendor/league/flysystem/src/Adapter/Polyfill/StreamedReadingTrait.php b/vendor/league/flysystem/src/Adapter/Polyfill/StreamedReadingTrait.php index 3cd6ab401..c85f19dc7 100644 --- a/vendor/league/flysystem/src/Adapter/Polyfill/StreamedReadingTrait.php +++ b/vendor/league/flysystem/src/Adapter/Polyfill/StreamedReadingTrait.php @@ -13,7 +13,7 @@ trait StreamedReadingTrait */ public function readStream($path) { - if (! $data = $this->read($path)) { + if ( ! $data = $this->read($path)) { return false; } diff --git a/vendor/league/flysystem/src/Config.php b/vendor/league/flysystem/src/Config.php index 00cf752a0..e50794a87 100644 --- a/vendor/league/flysystem/src/Config.php +++ b/vendor/league/flysystem/src/Config.php @@ -34,7 +34,7 @@ class Config */ public function get($key, $default = null) { - if (! array_key_exists($key, $this->settings)) { + if ( ! array_key_exists($key, $this->settings)) { return $this->getDefault($key, $default); } @@ -63,7 +63,7 @@ class Config */ protected function getDefault($key, $default) { - if (! $this->fallback) { + if ( ! $this->fallback) { return $default; } diff --git a/vendor/league/flysystem/src/FileExistsException.php b/vendor/league/flysystem/src/FileExistsException.php index c0b63daa5..b771c5480 100644 --- a/vendor/league/flysystem/src/FileExistsException.php +++ b/vendor/league/flysystem/src/FileExistsException.php @@ -22,7 +22,7 @@ class FileExistsException extends Exception { $this->path = $path; - parent::__construct('File already exists at path: '.$this->getPath(), $code, $previous); + parent::__construct('File already exists at path: ' . $this->getPath(), $code, $previous); } /** diff --git a/vendor/league/flysystem/src/FileNotFoundException.php b/vendor/league/flysystem/src/FileNotFoundException.php index b66a4cc52..989df69bb 100644 --- a/vendor/league/flysystem/src/FileNotFoundException.php +++ b/vendor/league/flysystem/src/FileNotFoundException.php @@ -22,7 +22,7 @@ class FileNotFoundException extends Exception { $this->path = $path; - parent::__construct('File not found at path: '.$this->getPath(), $code, $previous); + parent::__construct('File not found at path: ' . $this->getPath(), $code, $previous); } /** diff --git a/vendor/league/flysystem/src/Filesystem.php b/vendor/league/flysystem/src/Filesystem.php index 84e204bf1..b23104139 100644 --- a/vendor/league/flysystem/src/Filesystem.php +++ b/vendor/league/flysystem/src/Filesystem.php @@ -71,7 +71,7 @@ class Filesystem implements FilesystemInterface */ public function writeStream($path, $resource, array $config = []) { - if (! is_resource($resource)) { + if ( ! is_resource($resource)) { throw new InvalidArgumentException(__METHOD__ . ' expects argument #2 to be a valid resource.'); } @@ -104,7 +104,7 @@ class Filesystem implements FilesystemInterface */ public function putStream($path, $resource, array $config = []) { - if (! is_resource($resource)) { + if ( ! is_resource($resource)) { throw new InvalidArgumentException(__METHOD__ . ' expects argument #2 to be a valid resource.'); } @@ -155,7 +155,7 @@ class Filesystem implements FilesystemInterface */ public function updateStream($path, $resource, array $config = []) { - if (! is_resource($resource)) { + if ( ! is_resource($resource)) { throw new InvalidArgumentException(__METHOD__ . ' expects argument #2 to be a valid resource.'); } @@ -175,7 +175,7 @@ class Filesystem implements FilesystemInterface $path = Util::normalizePath($path); $this->assertPresent($path); - if (! ($object = $this->getAdapter()->read($path))) { + if ( ! ($object = $this->getAdapter()->read($path))) { return false; } @@ -190,7 +190,7 @@ class Filesystem implements FilesystemInterface $path = Util::normalizePath($path); $this->assertPresent($path); - if (! $object = $this->getAdapter()->readStream($path)) { + if ( ! $object = $this->getAdapter()->readStream($path)) { return false; } @@ -278,7 +278,7 @@ class Filesystem implements FilesystemInterface $path = Util::normalizePath($path); $this->assertPresent($path); - if (! $object = $this->getAdapter()->getMimetype($path)) { + if ( ! $object = $this->getAdapter()->getMimetype($path)) { return false; } @@ -293,7 +293,7 @@ class Filesystem implements FilesystemInterface $path = Util::normalizePath($path); $this->assertPresent($path); - if (! $object = $this->getAdapter()->getTimestamp($path)) { + if ( ! $object = $this->getAdapter()->getTimestamp($path)) { return false; } @@ -322,7 +322,7 @@ class Filesystem implements FilesystemInterface { $path = Util::normalizePath($path); - if (($object = $this->getAdapter()->getSize($path)) === false || !isset($object['size'])) { + if (($object = $this->getAdapter()->getSize($path)) === false || ! isset($object['size'])) { return false; } @@ -357,7 +357,7 @@ class Filesystem implements FilesystemInterface { $path = Util::normalizePath($path); - if (! $handler) { + if ( ! $handler) { $metadata = $this->getMetadata($path); $handler = $metadata['type'] === 'file' ? new File($this, $path) : new Directory($this, $path); } @@ -377,7 +377,7 @@ class Filesystem implements FilesystemInterface */ public function assertPresent($path) { - if (! $this->has($path)) { + if ( ! $this->has($path)) { throw new FileNotFoundException($path); } } diff --git a/vendor/league/flysystem/src/Handler.php b/vendor/league/flysystem/src/Handler.php index 8747666cf..021dd26a3 100644 --- a/vendor/league/flysystem/src/Handler.php +++ b/vendor/league/flysystem/src/Handler.php @@ -126,8 +126,8 @@ abstract class Handler } catch (BadMethodCallException $e) { throw new BadMethodCallException( 'Call to undefined method ' - .get_called_class() - .'::'.$method + . get_called_class() + . '::' . $method ); } } diff --git a/vendor/league/flysystem/src/MountManager.php b/vendor/league/flysystem/src/MountManager.php index f82c6f82d..0c9fb695b 100644 --- a/vendor/league/flysystem/src/MountManager.php +++ b/vendor/league/flysystem/src/MountManager.php @@ -88,8 +88,8 @@ class MountManager */ public function mountFilesystem($prefix, FilesystemInterface $filesystem) { - if (! is_string($prefix)) { - throw new InvalidArgumentException(__METHOD__.' expects argument #1 to be a string.'); + if ( ! is_string($prefix)) { + throw new InvalidArgumentException(__METHOD__ . ' expects argument #1 to be a string.'); } $this->filesystems[$prefix] = $filesystem; @@ -108,8 +108,8 @@ class MountManager */ public function getFilesystem($prefix) { - if (! isset($this->filesystems[$prefix])) { - throw new LogicException('No filesystem mounted with prefix '.$prefix); + if ( ! isset($this->filesystems[$prefix])) { + throw new LogicException('No filesystem mounted with prefix ' . $prefix); } return $this->filesystems[$prefix]; @@ -130,12 +130,12 @@ class MountManager $path = array_shift($arguments); - if (! is_string($path)) { + if ( ! is_string($path)) { throw new InvalidArgumentException('First argument should be a string'); } - if (! preg_match('#^.+\:\/\/.*#', $path)) { - throw new InvalidArgumentException('No prefix detected in path: '.$path); + if ( ! preg_match('#^.+\:\/\/.*#', $path)) { + throw new InvalidArgumentException('No prefix detected in path: ' . $path); } list($prefix, $path) = explode('://', $path, 2); diff --git a/vendor/league/flysystem/src/NotSupportedException.php b/vendor/league/flysystem/src/NotSupportedException.php index 5d208393f..08f47f749 100644 --- a/vendor/league/flysystem/src/NotSupportedException.php +++ b/vendor/league/flysystem/src/NotSupportedException.php @@ -18,7 +18,7 @@ class NotSupportedException extends RuntimeException { $message = 'Links are not supported, encountered link at '; - return new static($message.$file->getPathname()); + return new static($message . $file->getPathname()); } /** diff --git a/vendor/league/flysystem/src/Plugin/GetWithMetadata.php b/vendor/league/flysystem/src/Plugin/GetWithMetadata.php index b88fd68c8..781dd2461 100644 --- a/vendor/league/flysystem/src/Plugin/GetWithMetadata.php +++ b/vendor/league/flysystem/src/Plugin/GetWithMetadata.php @@ -30,15 +30,15 @@ class GetWithMetadata extends AbstractPlugin { $object = $this->filesystem->getMetadata($path); - if (! $object) { + if ( ! $object) { return false; } $keys = array_diff($metadata, array_keys($object)); foreach ($keys as $key) { - if (! method_exists($this->filesystem, $method = 'get'.ucfirst($key))) { - throw new InvalidArgumentException('Could not fetch metadata: '.$key); + if ( ! method_exists($this->filesystem, $method = 'get' . ucfirst($key))) { + throw new InvalidArgumentException('Could not fetch metadata: ' . $key); } $object[$key] = $this->filesystem->{$method}($path); diff --git a/vendor/league/flysystem/src/Plugin/ListWith.php b/vendor/league/flysystem/src/Plugin/ListWith.php index 341a219eb..7d773e6f7 100644 --- a/vendor/league/flysystem/src/Plugin/ListWith.php +++ b/vendor/league/flysystem/src/Plugin/ListWith.php @@ -47,10 +47,10 @@ class ListWith extends AbstractPlugin */ protected function getMetadataByName(array $object, $key) { - $method = 'get'.ucfirst($key); + $method = 'get' . ucfirst($key); - if (! method_exists($this->filesystem, $method)) { - throw new \InvalidArgumentException('Could not get meta-data for key: '.$key); + if ( ! method_exists($this->filesystem, $method)) { + throw new \InvalidArgumentException('Could not get meta-data for key: ' . $key); } $object[$key] = $this->filesystem->{$method}($object['path']); diff --git a/vendor/league/flysystem/src/Plugin/PluggableTrait.php b/vendor/league/flysystem/src/Plugin/PluggableTrait.php index 4f39a16fe..a63734f29 100644 --- a/vendor/league/flysystem/src/Plugin/PluggableTrait.php +++ b/vendor/league/flysystem/src/Plugin/PluggableTrait.php @@ -39,12 +39,12 @@ trait PluggableTrait */ protected function findPlugin($method) { - if (! isset($this->plugins[$method])) { - throw new PluginNotFoundException('Plugin not found for method: '.$method); + if ( ! isset($this->plugins[$method])) { + throw new PluginNotFoundException('Plugin not found for method: ' . $method); } - if (! method_exists($this->plugins[$method], 'handle')) { - throw new LogicException(get_class($this->plugins[$method]).' does not have a handle method.'); + if ( ! method_exists($this->plugins[$method], 'handle')) { + throw new LogicException(get_class($this->plugins[$method]) . ' does not have a handle method.'); } return $this->plugins[$method]; @@ -84,8 +84,8 @@ trait PluggableTrait } catch (PluginNotFoundException $e) { throw new BadMethodCallException( 'Call to undefined method ' - .get_class($this) - .'::'.$method + . get_class($this) + . '::' . $method ); } } diff --git a/vendor/league/flysystem/src/UnreadableFileException.php b/vendor/league/flysystem/src/UnreadableFileException.php new file mode 100644 index 000000000..e66803383 --- /dev/null +++ b/vendor/league/flysystem/src/UnreadableFileException.php @@ -0,0 +1,18 @@ +getRealPath() + ) + ); + } +} diff --git a/vendor/league/flysystem/src/Util.php b/vendor/league/flysystem/src/Util.php index 57348564e..28e4c0614 100644 --- a/vendor/league/flysystem/src/Util.php +++ b/vendor/league/flysystem/src/Util.php @@ -17,9 +17,7 @@ class Util public static function pathinfo($path) { $pathinfo = pathinfo($path) + compact('path'); - $pathinfo['dirname'] = array_key_exists('dirname', $pathinfo) - ? static::normalizeDirname($pathinfo['dirname']) - : ''; + $pathinfo['dirname'] = static::normalizeDirname($pathinfo['dirname']); return $pathinfo; } @@ -65,7 +63,7 @@ class Util $result = []; foreach ($map as $from => $to) { - if (! isset($object[$from])) { + if ( ! isset($object[$from])) { continue; } @@ -161,7 +159,7 @@ class Util { $mimeType = MimeType::detectByContent($content); - if (empty($mimeType) || $mimeType === 'text/plain') { + if (empty($mimeType) || in_array($mimeType, ['text/plain', 'application/x-empty'])) { $extension = pathinfo($path, PATHINFO_EXTENSION); if ($extension) { @@ -281,7 +279,7 @@ class Util $parent = $object['dirname']; - while (! empty($parent) && ! in_array($parent, $directories)) { + while ( ! empty($parent) && ! in_array($parent, $directories)) { $directories[] = $parent; $parent = static::dirname($parent); } diff --git a/vendor/league/flysystem/src/Util/MimeType.php b/vendor/league/flysystem/src/Util/MimeType.php index d44d013cf..dbaef673f 100644 --- a/vendor/league/flysystem/src/Util/MimeType.php +++ b/vendor/league/flysystem/src/Util/MimeType.php @@ -18,7 +18,7 @@ class MimeType */ public static function detectByContent($content) { - if (! class_exists('Finfo')) { + if ( ! class_exists('Finfo')) { return; } @@ -39,7 +39,7 @@ class MimeType { static $extensionToMimeTypeMap; - if (! $extensionToMimeTypeMap) { + if ( ! $extensionToMimeTypeMap) { $extensionToMimeTypeMap = static::getExtensionToMimeTypeMap(); } diff --git a/vendor/nesbot/carbon/composer.json b/vendor/nesbot/carbon/composer.json index e44aa8db0..a31043ff8 100644 --- a/vendor/nesbot/carbon/composer.json +++ b/vendor/nesbot/carbon/composer.json @@ -8,6 +8,10 @@ "DateTime" ], "homepage": "http://carbon.nesbot.com", + "support": { + "issues": "https://github.com/briannesbitt/Carbon/issues", + "source": "https://github.com/briannesbitt/Carbon" + }, "license": "MIT", "authors": [ { @@ -21,11 +25,16 @@ "symfony/translation": "~2.6|~3.0" }, "require-dev": { - "phpunit/phpunit": "~4.0" + "phpunit/phpunit": "~4.0|~5.0" }, "autoload": { - "psr-0": { - "Carbon": "src" + "psr-4": { + "Carbon\\": "src/Carbon/" + } + }, + "autoload-dev": { + "psr-4": { + "Tests\\": "tests/" } } } diff --git a/vendor/nesbot/carbon/readme.md b/vendor/nesbot/carbon/readme.md index e7059368d..545bed32c 100644 --- a/vendor/nesbot/carbon/readme.md +++ b/vendor/nesbot/carbon/readme.md @@ -1,6 +1,9 @@ # Carbon -[![Latest Stable Version](https://poser.pugx.org/nesbot/carbon/v/stable.png)](https://packagist.org/packages/nesbot/carbon) [![Total Downloads](https://poser.pugx.org/nesbot/carbon/downloads.png)](https://packagist.org/packages/nesbot/carbon) [![Build Status](https://travis-ci.org/briannesbitt/Carbon.svg?branch=master)](https://travis-ci.org/briannesbitt/Carbon) +[![Latest Stable Version](https://poser.pugx.org/nesbot/carbon/v/stable.png)](https://packagist.org/packages/nesbot/carbon) +[![Total Downloads](https://poser.pugx.org/nesbot/carbon/downloads.png)](https://packagist.org/packages/nesbot/carbon) +[![Build Status](https://travis-ci.org/briannesbitt/Carbon.svg?branch=master)](https://travis-ci.org/briannesbitt/Carbon) +[![StyleCI](https://styleci.io/repos/5724990/shield?style=flat)](https://styleci.io/repos/5724990) A simple PHP API extension for DateTime. [http://carbon.nesbot.com](http://carbon.nesbot.com) @@ -24,21 +27,21 @@ Carbon::setTestNow(Carbon::createFromDate(2000, 1, 1)); // comparisons are always done in UTC if (Carbon::now()->gte($worldWillEnd)) { - die(); + die(); } // Phew! Return to normal behaviour Carbon::setTestNow(); if (Carbon::now()->isWeekend()) { - echo 'Party!'; + echo 'Party!'; } echo Carbon::now()->subMinutes(2)->diffForHumans(); // '2 minutes ago' // ... but also does 'from now', 'after' and 'before' // rolling up to seconds, minutes, hours, days, months, years -$daysSinceEpoch = Carbon::createFromTimeStamp(0)->diffInDays(); +$daysSinceEpoch = Carbon::createFromTimestamp(0)->diffInDays(); ``` ## Installation diff --git a/vendor/nesbot/carbon/src/Carbon/Carbon.php b/vendor/nesbot/carbon/src/Carbon/Carbon.php index 4af5b4188..2d27616da 100644 --- a/vendor/nesbot/carbon/src/Carbon/Carbon.php +++ b/vendor/nesbot/carbon/src/Carbon/Carbon.php @@ -23,14 +23,14 @@ use Symfony\Component\Translation\Loader\ArrayLoader; /** * A simple API extension for DateTime * - * @property integer $year - * @property integer $yearIso - * @property integer $month - * @property integer $day - * @property integer $hour - * @property integer $minute - * @property integer $second - * @property integer $timestamp seconds since the Unix Epoch + * @property int $year + * @property int $yearIso + * @property int $month + * @property int $day + * @property int $hour + * @property int $minute + * @property int $second + * @property int $timestamp seconds since the Unix Epoch * @property DateTimeZone $timezone the current timezone * @property DateTimeZone $tz alias of timezone * @property-read integer $micro @@ -121,7 +121,6 @@ class Carbon extends DateTime */ protected static $toStringFormat = self::DEFAULT_TO_STRING_FORMAT; - /** * First day of week * @@ -162,9 +161,9 @@ class Carbon extends DateTime * * @param DateTimeZone|string|null $object * - * @return DateTimeZone - * * @throws InvalidArgumentException + * + * @return DateTimeZone */ protected static function safeCreateDateTimeZone($object) { @@ -196,8 +195,8 @@ class Carbon extends DateTime * Please see the testing aids section (specifically static::setTestNow()) * for more on the possibility of this constructor returning a test instance. * - * @param string $time - * @param DateTimeZone|string $tz + * @param string|null $time + * @param DateTimeZone|string|null $tz */ public function __construct($time = null, $tz = null) { @@ -210,7 +209,7 @@ class Carbon extends DateTime } //shift the time according to the given time zone - if ($tz !== NULL && $tz != static::getTestNow()->tz) { + if ($tz !== null && $tz !== static::getTestNow()->tz) { $testInstance->setTimezone($tz); } else { $tz = $testInstance->tz; @@ -240,8 +239,8 @@ class Carbon extends DateTime * Carbon::parse('Monday next week')->fn() rather than * (new Carbon('Monday next week'))->fn() * - * @param string $time - * @param DateTimeZone|string $tz + * @param string|null $time + * @param DateTimeZone|string|null $tz * * @return static */ @@ -253,7 +252,7 @@ class Carbon extends DateTime /** * Get a Carbon instance for the current date and time * - * @param DateTimeZone|string $tz + * @param DateTimeZone|string|null $tz * * @return static */ @@ -265,7 +264,7 @@ class Carbon extends DateTime /** * Create a Carbon instance for today * - * @param DateTimeZone|string $tz + * @param DateTimeZone|string|null $tz * * @return static */ @@ -277,7 +276,7 @@ class Carbon extends DateTime /** * Create a Carbon instance for tomorrow * - * @param DateTimeZone|string $tz + * @param DateTimeZone|string|null $tz * * @return static */ @@ -289,7 +288,7 @@ class Carbon extends DateTime /** * Create a Carbon instance for yesterday * - * @param DateTimeZone|string $tz + * @param DateTimeZone|string|null $tz * * @return static */ @@ -305,7 +304,13 @@ class Carbon extends DateTime */ public static function maxValue() { - return static::createFromTimestamp(PHP_INT_MAX); + if (PHP_INT_SIZE === 4) { + // 32 bit (and additionally Windows 64 bit) + return static::createFromTimestamp(PHP_INT_MAX); + } + + // 64 bit + return static::create(9999, 12, 31, 23, 59, 59); } /** @@ -315,7 +320,13 @@ class Carbon extends DateTime */ public static function minValue() { - return static::createFromTimestamp(~PHP_INT_MAX); + if (PHP_INT_SIZE === 4) { + // 32 bit (and additionally Windows 64 bit) + return static::createFromTimestamp(~PHP_INT_MAX); + } + + // 64 bit + return static::create(1, 1, 1, 0, 0, 0); } /** @@ -329,29 +340,29 @@ class Carbon extends DateTime * If $hour is not null then the default values for $minute and $second * will be 0. * - * @param integer $year - * @param integer $month - * @param integer $day - * @param integer $hour - * @param integer $minute - * @param integer $second - * @param DateTimeZone|string $tz + * @param int|null $year + * @param int|null $month + * @param int|null $day + * @param int|null $hour + * @param int|null $minute + * @param int|null $second + * @param DateTimeZone|string|null $tz * * @return static */ public static function create($year = null, $month = null, $day = null, $hour = null, $minute = null, $second = null, $tz = null) { - $year = ($year === null) ? date('Y') : $year; - $month = ($month === null) ? date('n') : $month; - $day = ($day === null) ? date('j') : $day; + $year = $year === null ? date('Y') : $year; + $month = $month === null ? date('n') : $month; + $day = $day === null ? date('j') : $day; if ($hour === null) { $hour = date('G'); - $minute = ($minute === null) ? date('i') : $minute; - $second = ($second === null) ? date('s') : $second; + $minute = $minute === null ? date('i') : $minute; + $second = $second === null ? date('s') : $second; } else { - $minute = ($minute === null) ? 0 : $minute; - $second = ($second === null) ? 0 : $second; + $minute = $minute === null ? 0 : $minute; + $second = $second === null ? 0 : $second; } return static::createFromFormat('Y-n-j G:i:s', sprintf('%s-%s-%s %s:%02s:%02s', $year, $month, $day, $hour, $minute, $second), $tz); @@ -360,10 +371,10 @@ class Carbon extends DateTime /** * Create a Carbon instance from just a date. The time portion is set to now. * - * @param integer $year - * @param integer $month - * @param integer $day - * @param DateTimeZone|string $tz + * @param int|null $year + * @param int|null $month + * @param int|null $day + * @param DateTimeZone|string|null $tz * * @return static */ @@ -375,10 +386,10 @@ class Carbon extends DateTime /** * Create a Carbon instance from just a time. The date portion is set to today. * - * @param integer $hour - * @param integer $minute - * @param integer $second - * @param DateTimeZone|string $tz + * @param int|null $hour + * @param int|null $minute + * @param int|null $second + * @param DateTimeZone|string|null $tz * * @return static */ @@ -390,13 +401,13 @@ class Carbon extends DateTime /** * Create a Carbon instance from a specific format * - * @param string $format - * @param string $time - * @param DateTimeZone|string $tz - * - * @return static + * @param string $format + * @param string $time + * @param DateTimeZone|string|null $tz * * @throws InvalidArgumentException + * + * @return static */ public static function createFromFormat($format, $time, $tz = null) { @@ -417,8 +428,8 @@ class Carbon extends DateTime /** * Create a Carbon instance from a timestamp * - * @param integer $timestamp - * @param DateTimeZone|string $tz + * @param int $timestamp + * @param DateTimeZone|string|null $tz * * @return static */ @@ -430,7 +441,7 @@ class Carbon extends DateTime /** * Create a Carbon instance from an UTC timestamp * - * @param integer $timestamp + * @param int $timestamp * * @return static */ @@ -460,7 +471,7 @@ class Carbon extends DateTime * * @throws InvalidArgumentException * - * @return string|integer|DateTimeZone + * @return string|int|DateTimeZone */ public function __get($name) { @@ -498,13 +509,13 @@ class Carbon extends DateTime return $this->getOffset() / static::SECONDS_PER_MINUTE / static::MINUTES_PER_HOUR; case $name === 'dst': - return $this->format('I') == '1'; + return $this->format('I') === '1'; case $name === 'local': - return $this->offset == $this->copy()->setTimezone(date_default_timezone_get())->offset; + return $this->offset === $this->copy()->setTimezone(date_default_timezone_get())->offset; case $name === 'utc': - return $this->offset == 0; + return $this->offset === 0; case $name === 'timezone' || $name === 'tz': return $this->getTimezone(); @@ -522,7 +533,7 @@ class Carbon extends DateTime * * @param string $name * - * @return boolean + * @return bool */ public function __isset($name) { @@ -538,8 +549,8 @@ class Carbon extends DateTime /** * Set a part of the Carbon object * - * @param string $name - * @param string|integer|DateTimeZone $value + * @param string $name + * @param string|int|DateTimeZone $value * * @throws InvalidArgumentException */ @@ -587,7 +598,7 @@ class Carbon extends DateTime /** * Set the instance's year * - * @param integer $value + * @param int $value * * @return static */ @@ -601,7 +612,7 @@ class Carbon extends DateTime /** * Set the instance's month * - * @param integer $value + * @param int $value * * @return static */ @@ -615,7 +626,7 @@ class Carbon extends DateTime /** * Set the instance's day * - * @param integer $value + * @param int $value * * @return static */ @@ -629,7 +640,7 @@ class Carbon extends DateTime /** * Set the instance's hour * - * @param integer $value + * @param int $value * * @return static */ @@ -643,7 +654,7 @@ class Carbon extends DateTime /** * Set the instance's minute * - * @param integer $value + * @param int $value * * @return static */ @@ -657,7 +668,7 @@ class Carbon extends DateTime /** * Set the instance's second * - * @param integer $value + * @param int $value * * @return static */ @@ -671,12 +682,12 @@ class Carbon extends DateTime /** * Set the date and time all together * - * @param integer $year - * @param integer $month - * @param integer $day - * @param integer $hour - * @param integer $minute - * @param integer $second + * @param int $year + * @param int $month + * @param int $day + * @param int $hour + * @param int $minute + * @param int $second * * @return static */ @@ -685,10 +696,28 @@ class Carbon extends DateTime return $this->setDate($year, $month, $day)->setTime($hour, $minute, $second); } + /** + * Set the time by time string + * + * @param string $time + * + * @return static + */ + public function setTimeFromTimeString($time) + { + $time = explode(":", $time); + + $hour = $time[0]; + $minute = isset($time[1]) ? $time[1] : 0; + $second = isset($time[2]) ? $time[2] : 0; + + return $this->setTime($hour, $minute, $second); + } + /** * Set the instance's timestamp * - * @param integer $value + * @param int $value * * @return static */ @@ -737,8 +766,6 @@ class Carbon extends DateTime return $this; } - - /////////////////////////////////////////////////////////////////// /////////////////////// WEEK SPECIAL DAYS ///////////////////////// /////////////////////////////////////////////////////////////////// @@ -803,7 +830,6 @@ class Carbon extends DateTime static::$weekendDays = $days; } - /////////////////////////////////////////////////////////////////// ///////////////////////// TESTING AIDS //////////////////////////// /////////////////////////////////////////////////////////////////// @@ -822,7 +848,7 @@ class Carbon extends DateTime * To clear the test instance call this method using the default * parameter of null. * - * @param Carbon $testNow + * @param Carbon|null $testNow */ public static function setTestNow(Carbon $testNow = null) { @@ -844,7 +870,7 @@ class Carbon extends DateTime * Determine if there is a valid test instance set. A valid test instance * is anything that is not null. * - * @return boolean true if there is a test instance, otherwise false + * @return bool true if there is a test instance, otherwise false */ public static function hasTestNow() { @@ -857,7 +883,7 @@ class Carbon extends DateTime * * @param string $time * - * @return boolean true if there is a keyword, otherwise false + * @return bool true if there is a keyword, otherwise false */ public static function hasRelativeKeywords($time) { @@ -884,7 +910,7 @@ class Carbon extends DateTime */ protected static function translator() { - if (static::$translator == null) { + if (static::$translator === null) { static::$translator = new Translator('en'); static::$translator->addLoader('array', new ArrayLoader()); static::setLocale('en'); @@ -952,7 +978,7 @@ class Carbon extends DateTime { // Check for Windows to find and replace the %e // modifier correctly - if (strtoupper(substr(PHP_OS, 0, 3)) == 'WIN') { + if (strtoupper(substr(PHP_OS, 0, 3)) === 'WIN') { $format = preg_replace('#(? and < comparison should be used or <= or >= + * @param Carbon $dt1 + * @param Carbon $dt2 + * @param bool $equal Indicates if a > and < comparison should be used or <= or >= * - * @return boolean + * @return bool */ public function between(Carbon $dt1, Carbon $dt2, $equal = true) { @@ -1243,21 +1268,47 @@ class Carbon extends DateTime if ($equal) { return $this->gte($dt1) && $this->lte($dt2); - } else { - return $this->gt($dt1) && $this->lt($dt2); } + + return $this->gt($dt1) && $this->lt($dt2); + } + + /** + * Get the closest date from the instance. + * + * @param Carbon $dt1 + * @param Carbon $dt2 + * + * @return static + */ + public function closest(Carbon $dt1, Carbon $dt2) + { + return $this->diffInSeconds($dt1) < $this->diffInSeconds($dt2) ? $dt1 : $dt2; + } + + /** + * Get the farthest date from the instance. + * + * @param Carbon $dt1 + * @param Carbon $dt2 + * + * @return static + */ + public function farthest(Carbon $dt1, Carbon $dt2) + { + return $this->diffInSeconds($dt1) > $this->diffInSeconds($dt2) ? $dt1 : $dt2; } /** * Get the minimum instance between a given instance (default now) and the current instance. * - * @param Carbon $dt + * @param Carbon|null $dt * * @return static */ public function min(Carbon $dt = null) { - $dt = ($dt === null) ? static::now($this->tz) : $dt; + $dt = $dt ?: static::now($this->tz); return $this->lt($dt) ? $this : $dt; } @@ -1265,13 +1316,13 @@ class Carbon extends DateTime /** * Get the maximum instance between a given instance (default now) and the current instance. * - * @param Carbon $dt + * @param Carbon|null $dt * * @return static */ public function max(Carbon $dt = null) { - $dt = ($dt === null) ? static::now($this->tz) : $dt; + $dt = $dt ?: static::now($this->tz); return $this->gt($dt) ? $this : $dt; } @@ -1279,7 +1330,7 @@ class Carbon extends DateTime /** * Determines if the instance is a weekday * - * @return boolean + * @return bool */ public function isWeekday() { @@ -1289,7 +1340,7 @@ class Carbon extends DateTime /** * Determines if the instance is a weekend day * - * @return boolean + * @return bool */ public function isWeekend() { @@ -1299,7 +1350,7 @@ class Carbon extends DateTime /** * Determines if the instance is yesterday * - * @return boolean + * @return bool */ public function isYesterday() { @@ -1309,7 +1360,7 @@ class Carbon extends DateTime /** * Determines if the instance is today * - * @return boolean + * @return bool */ public function isToday() { @@ -1319,7 +1370,7 @@ class Carbon extends DateTime /** * Determines if the instance is tomorrow * - * @return boolean + * @return bool */ public function isTomorrow() { @@ -1329,7 +1380,7 @@ class Carbon extends DateTime /** * Determines if the instance is in the future, ie. greater (after) than now * - * @return boolean + * @return bool */ public function isFuture() { @@ -1339,7 +1390,7 @@ class Carbon extends DateTime /** * Determines if the instance is in the past, ie. less (before) than now * - * @return boolean + * @return bool */ public function isPast() { @@ -1349,18 +1400,19 @@ class Carbon extends DateTime /** * Determines if the instance is a leap year * - * @return boolean + * @return bool */ public function isLeapYear() { - return $this->format('L') == '1'; + return $this->format('L') === '1'; } /** * Checks if the passed in date is the same day as the instance current day. * - * @param Carbon $dt - * @return boolean + * @param Carbon $dt + * + * @return bool */ public function isSameDay(Carbon $dt) { @@ -1369,8 +1421,8 @@ class Carbon extends DateTime /** * Checks if this day is a Sunday. - * - * @return boolean + * + * @return bool */ public function isSunday() { @@ -1379,8 +1431,8 @@ class Carbon extends DateTime /** * Checks if this day is a Monday. - * - * @return boolean + * + * @return bool */ public function isMonday() { @@ -1389,8 +1441,8 @@ class Carbon extends DateTime /** * Checks if this day is a Tuesday. - * - * @return boolean + * + * @return bool */ public function isTuesday() { @@ -1399,8 +1451,8 @@ class Carbon extends DateTime /** * Checks if this day is a Wednesday. - * - * @return boolean + * + * @return bool */ public function isWednesday() { @@ -1409,8 +1461,8 @@ class Carbon extends DateTime /** * Checks if this day is a Thursday. - * - * @return boolean + * + * @return bool */ public function isThursday() { @@ -1419,8 +1471,8 @@ class Carbon extends DateTime /** * Checks if this day is a Friday. - * - * @return boolean + * + * @return bool */ public function isFriday() { @@ -1429,14 +1481,14 @@ class Carbon extends DateTime /** * Checks if this day is a Saturday. - * - * @return boolean + * + * @return bool */ public function isSaturday() { return $this->dayOfWeek === static::SATURDAY; } - + /////////////////////////////////////////////////////////////////// /////////////////// ADDITIONS AND SUBTRACTIONS //////////////////// /////////////////////////////////////////////////////////////////// @@ -1445,7 +1497,7 @@ class Carbon extends DateTime * Add years to the instance. Positive $value travel forward while * negative $value travel into the past. * - * @param integer $value + * @param int $value * * @return static */ @@ -1457,7 +1509,7 @@ class Carbon extends DateTime /** * Add a year to the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1469,7 +1521,7 @@ class Carbon extends DateTime /** * Remove a year from the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1481,7 +1533,7 @@ class Carbon extends DateTime /** * Remove years from the instance. * - * @param integer $value + * @param int $value * * @return static */ @@ -1494,7 +1546,7 @@ class Carbon extends DateTime * Add months to the instance. Positive $value travels forward while * negative $value travels into the past. * - * @param integer $value + * @param int $value * * @return static */ @@ -1506,7 +1558,7 @@ class Carbon extends DateTime /** * Add a month to the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1518,7 +1570,7 @@ class Carbon extends DateTime /** * Remove a month from the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1530,7 +1582,7 @@ class Carbon extends DateTime /** * Remove months from the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1543,7 +1595,7 @@ class Carbon extends DateTime * Add months without overflowing to the instance. Positive $value * travels forward while negative $value travels into the past. * - * @param integer $value + * @param int $value * * @return static */ @@ -1551,7 +1603,7 @@ class Carbon extends DateTime { $date = $this->copy()->addMonths($value); - if ($date->day != $this->day) { + if ($date->day !== $this->day) { $date->day(1)->subMonth()->day($date->daysInMonth); } @@ -1561,7 +1613,7 @@ class Carbon extends DateTime /** * Add a month with no overflow to the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1573,7 +1625,7 @@ class Carbon extends DateTime /** * Remove a month with no overflow from the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1585,7 +1637,7 @@ class Carbon extends DateTime /** * Remove months with no overflow from the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1598,7 +1650,7 @@ class Carbon extends DateTime * Add days to the instance. Positive $value travels forward while * negative $value travels into the past. * - * @param integer $value + * @param int $value * * @return static */ @@ -1610,7 +1662,7 @@ class Carbon extends DateTime /** * Add a day to the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1622,7 +1674,7 @@ class Carbon extends DateTime /** * Remove a day from the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1634,7 +1686,7 @@ class Carbon extends DateTime /** * Remove days from the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1647,7 +1699,7 @@ class Carbon extends DateTime * Add weekdays to the instance. Positive $value travels forward while * negative $value travels into the past. * - * @param integer $value + * @param int $value * * @return static */ @@ -1659,7 +1711,7 @@ class Carbon extends DateTime /** * Add a weekday to the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1671,7 +1723,7 @@ class Carbon extends DateTime /** * Remove a weekday from the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1683,7 +1735,7 @@ class Carbon extends DateTime /** * Remove weekdays from the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1696,7 +1748,7 @@ class Carbon extends DateTime * Add weeks to the instance. Positive $value travels forward while * negative $value travels into the past. * - * @param integer $value + * @param int $value * * @return static */ @@ -1708,7 +1760,7 @@ class Carbon extends DateTime /** * Add a week to the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1720,7 +1772,7 @@ class Carbon extends DateTime /** * Remove a week from the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1732,7 +1784,7 @@ class Carbon extends DateTime /** * Remove weeks to the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1745,7 +1797,7 @@ class Carbon extends DateTime * Add hours to the instance. Positive $value travels forward while * negative $value travels into the past. * - * @param integer $value + * @param int $value * * @return static */ @@ -1757,7 +1809,7 @@ class Carbon extends DateTime /** * Add an hour to the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1769,7 +1821,7 @@ class Carbon extends DateTime /** * Remove an hour from the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1781,7 +1833,7 @@ class Carbon extends DateTime /** * Remove hours from the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1794,7 +1846,7 @@ class Carbon extends DateTime * Add minutes to the instance. Positive $value travels forward while * negative $value travels into the past. * - * @param integer $value + * @param int $value * * @return static */ @@ -1806,7 +1858,7 @@ class Carbon extends DateTime /** * Add a minute to the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1818,7 +1870,7 @@ class Carbon extends DateTime /** * Remove a minute from the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1830,7 +1882,7 @@ class Carbon extends DateTime /** * Remove minutes from the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1843,7 +1895,7 @@ class Carbon extends DateTime * Add seconds to the instance. Positive $value travels forward while * negative $value travels into the past. * - * @param integer $value + * @param int $value * * @return static */ @@ -1855,7 +1907,7 @@ class Carbon extends DateTime /** * Add a second to the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1867,7 +1919,7 @@ class Carbon extends DateTime /** * Remove a second from the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1879,7 +1931,7 @@ class Carbon extends DateTime /** * Remove seconds from the instance * - * @param integer $value + * @param int $value * * @return static */ @@ -1895,14 +1947,14 @@ class Carbon extends DateTime /** * Get the difference in years * - * @param Carbon $dt - * @param boolean $abs Get the absolute of the difference + * @param Carbon|null $dt + * @param bool $abs Get the absolute of the difference * - * @return integer + * @return int */ public function diffInYears(Carbon $dt = null, $abs = true) { - $dt = ($dt === null) ? static::now($this->tz) : $dt; + $dt = $dt ?: static::now($this->tz); return (int) $this->diff($dt, $abs)->format('%r%y'); } @@ -1910,14 +1962,14 @@ class Carbon extends DateTime /** * Get the difference in months * - * @param Carbon $dt - * @param boolean $abs Get the absolute of the difference + * @param Carbon|null $dt + * @param bool $abs Get the absolute of the difference * - * @return integer + * @return int */ public function diffInMonths(Carbon $dt = null, $abs = true) { - $dt = ($dt === null) ? static::now($this->tz) : $dt; + $dt = $dt ?: static::now($this->tz); return $this->diffInYears($dt, $abs) * static::MONTHS_PER_YEAR + (int) $this->diff($dt, $abs)->format('%r%m'); } @@ -1925,10 +1977,10 @@ class Carbon extends DateTime /** * Get the difference in weeks * - * @param Carbon $dt - * @param boolean $abs Get the absolute of the difference + * @param Carbon|null $dt + * @param bool $abs Get the absolute of the difference * - * @return integer + * @return int */ public function diffInWeeks(Carbon $dt = null, $abs = true) { @@ -1938,14 +1990,14 @@ class Carbon extends DateTime /** * Get the difference in days * - * @param Carbon $dt - * @param boolean $abs Get the absolute of the difference + * @param Carbon|null $dt + * @param bool $abs Get the absolute of the difference * - * @return integer + * @return int */ public function diffInDays(Carbon $dt = null, $abs = true) { - $dt = ($dt === null) ? static::now($this->tz) : $dt; + $dt = $dt ?: static::now($this->tz); return (int) $this->diff($dt, $abs)->format('%r%a'); } @@ -1953,9 +2005,9 @@ class Carbon extends DateTime /** * Get the difference in days using a filter closure * - * @param Closure $callback - * @param Carbon $dt - * @param boolean $abs Get the absolute of the difference + * @param Closure $callback + * @param Carbon|null $dt + * @param bool $abs Get the absolute of the difference * * @return int */ @@ -1967,9 +2019,9 @@ class Carbon extends DateTime /** * Get the difference in hours using a filter closure * - * @param Closure $callback - * @param Carbon $dt - * @param boolean $abs Get the absolute of the difference + * @param Closure $callback + * @param Carbon|null $dt + * @param bool $abs Get the absolute of the difference * * @return int */ @@ -1981,17 +2033,17 @@ class Carbon extends DateTime /** * Get the difference by the given interval using a filter closure * - * @param CarbonInterval $ci An interval to traverse by - * @param Closure $callback - * @param Carbon $dt - * @param boolean $abs Get the absolute of the difference + * @param CarbonInterval $ci An interval to traverse by + * @param Closure $callback + * @param Carbon|null $dt + * @param bool $abs Get the absolute of the difference * * @return int */ public function diffFiltered(CarbonInterval $ci, Closure $callback, Carbon $dt = null, $abs = true) { $start = $this; - $end = ($dt === null) ? static::now($this->tz) : $dt; + $end = $dt ?: static::now($this->tz); $inverse = false; if ($end < $start) { @@ -2013,8 +2065,8 @@ class Carbon extends DateTime /** * Get the difference in weekdays * - * @param Carbon $dt - * @param boolean $abs Get the absolute of the difference + * @param Carbon|null $dt + * @param bool $abs Get the absolute of the difference * * @return int */ @@ -2028,8 +2080,8 @@ class Carbon extends DateTime /** * Get the difference in weekend days using a filter * - * @param Carbon $dt - * @param boolean $abs Get the absolute of the difference + * @param Carbon|null $dt + * @param bool $abs Get the absolute of the difference * * @return int */ @@ -2043,10 +2095,10 @@ class Carbon extends DateTime /** * Get the difference in hours * - * @param Carbon $dt - * @param boolean $abs Get the absolute of the difference + * @param Carbon|null $dt + * @param bool $abs Get the absolute of the difference * - * @return integer + * @return int */ public function diffInHours(Carbon $dt = null, $abs = true) { @@ -2056,10 +2108,10 @@ class Carbon extends DateTime /** * Get the difference in minutes * - * @param Carbon $dt - * @param boolean $abs Get the absolute of the difference + * @param Carbon|null $dt + * @param bool $abs Get the absolute of the difference * - * @return integer + * @return int */ public function diffInMinutes(Carbon $dt = null, $abs = true) { @@ -2069,14 +2121,14 @@ class Carbon extends DateTime /** * Get the difference in seconds * - * @param Carbon $dt - * @param boolean $abs Get the absolute of the difference + * @param Carbon|null $dt + * @param bool $abs Get the absolute of the difference * - * @return integer + * @return int */ public function diffInSeconds(Carbon $dt = null, $abs = true) { - $dt = ($dt === null) ? static::now($this->tz) : $dt; + $dt = $dt ?: static::now($this->tz); $value = $dt->getTimestamp() - $this->getTimestamp(); return $abs ? abs($value) : $value; @@ -2085,7 +2137,7 @@ class Carbon extends DateTime /** * The number of seconds since midnight. * - * @return integer + * @return int */ public function secondsSinceMidnight() { @@ -2095,7 +2147,7 @@ class Carbon extends DateTime /** * The number of seconds until 23:23:59. * - * @return integer + * @return int */ public function secondsUntilEndOfDay() { @@ -2121,8 +2173,8 @@ class Carbon extends DateTime * 1 hour after * 5 months after * - * @param Carbon $other - * @param bool $absolute removes time difference modifiers ago, after, etc + * @param Carbon|null $other + * @param bool $absolute removes time difference modifiers ago, after, etc * * @return string */ @@ -2172,7 +2224,7 @@ class Carbon extends DateTime break; } - if ($count == 0) { + if ($count === 0) { $count = 1; } @@ -2306,7 +2358,7 @@ class Carbon extends DateTime */ public function startOfWeek() { - if ($this->dayOfWeek != static::$weekStartsAt) { + if ($this->dayOfWeek !== static::$weekStartsAt) { $this->previous(static::$weekStartsAt); } @@ -2320,7 +2372,7 @@ class Carbon extends DateTime */ public function endOfWeek() { - if ($this->dayOfWeek != static::$weekEndsAt) { + if ($this->dayOfWeek !== static::$weekEndsAt) { $this->next(static::$weekEndsAt); } @@ -2328,14 +2380,14 @@ class Carbon extends DateTime } /** - * Modify to the next occurence of a given day of the week. - * If no dayOfWeek is provided, modify to the next occurence + * Modify to the next occurrence of a given day of the week. + * If no dayOfWeek is provided, modify to the next occurrence * of the current day of the week. Use the supplied consts * to indicate the desired dayOfWeek, ex. static::MONDAY. * - * @param int $dayOfWeek + * @param int|null $dayOfWeek * - * @return mixed + * @return static */ public function next($dayOfWeek = null) { @@ -2347,14 +2399,14 @@ class Carbon extends DateTime } /** - * Modify to the previous occurence of a given day of the week. - * If no dayOfWeek is provided, modify to the previous occurence + * Modify to the previous occurrence of a given day of the week. + * If no dayOfWeek is provided, modify to the previous occurrence * of the current day of the week. Use the supplied consts * to indicate the desired dayOfWeek, ex. static::MONDAY. * - * @param int $dayOfWeek + * @param int|null $dayOfWeek * - * @return mixed + * @return static */ public function previous($dayOfWeek = null) { @@ -2366,14 +2418,14 @@ class Carbon extends DateTime } /** - * Modify to the first occurence of a given day of the week + * Modify to the first occurrence of a given day of the week * in the current month. If no dayOfWeek is provided, modify to the * first day of the current month. Use the supplied consts * to indicate the desired dayOfWeek, ex. static::MONDAY. * - * @param int $dayOfWeek + * @param int|null $dayOfWeek * - * @return mixed + * @return static */ public function firstOfMonth($dayOfWeek = null) { @@ -2387,14 +2439,14 @@ class Carbon extends DateTime } /** - * Modify to the last occurence of a given day of the week + * Modify to the last occurrence of a given day of the week * in the current month. If no dayOfWeek is provided, modify to the * last day of the current month. Use the supplied consts * to indicate the desired dayOfWeek, ex. static::MONDAY. * - * @param int $dayOfWeek + * @param int|null $dayOfWeek * - * @return mixed + * @return static */ public function lastOfMonth($dayOfWeek = null) { @@ -2408,8 +2460,8 @@ class Carbon extends DateTime } /** - * Modify to the given occurence of a given day of the week - * in the current month. If the calculated occurence is outside the scope + * Modify to the given occurrence of a given day of the week + * in the current month. If the calculated occurrence is outside the scope * of the current month, then return false and no modifications are made. * Use the supplied consts to indicate the desired dayOfWeek, ex. static::MONDAY. * @@ -2424,18 +2476,18 @@ class Carbon extends DateTime $check = $dt->format('Y-m'); $dt->modify('+'.$nth.' '.static::$days[$dayOfWeek]); - return ($dt->format('Y-m') === $check) ? $this->modify($dt) : false; + return $dt->format('Y-m') === $check ? $this->modify($dt) : false; } /** - * Modify to the first occurence of a given day of the week + * Modify to the first occurrence of a given day of the week * in the current quarter. If no dayOfWeek is provided, modify to the * first day of the current quarter. Use the supplied consts * to indicate the desired dayOfWeek, ex. static::MONDAY. * - * @param int $dayOfWeek + * @param int|null $dayOfWeek * - * @return mixed + * @return static */ public function firstOfQuarter($dayOfWeek = null) { @@ -2443,14 +2495,14 @@ class Carbon extends DateTime } /** - * Modify to the last occurence of a given day of the week + * Modify to the last occurrence of a given day of the week * in the current quarter. If no dayOfWeek is provided, modify to the * last day of the current quarter. Use the supplied consts * to indicate the desired dayOfWeek, ex. static::MONDAY. * - * @param int $dayOfWeek + * @param int|null $dayOfWeek * - * @return mixed + * @return static */ public function lastOfQuarter($dayOfWeek = null) { @@ -2458,8 +2510,8 @@ class Carbon extends DateTime } /** - * Modify to the given occurence of a given day of the week - * in the current quarter. If the calculated occurence is outside the scope + * Modify to the given occurrence of a given day of the week + * in the current quarter. If the calculated occurrence is outside the scope * of the current quarter, then return false and no modifications are made. * Use the supplied consts to indicate the desired dayOfWeek, ex. static::MONDAY. * @@ -2471,22 +2523,22 @@ class Carbon extends DateTime public function nthOfQuarter($nth, $dayOfWeek) { $dt = $this->copy()->day(1)->month($this->quarter * 3); - $last_month = $dt->month; + $lastMonth = $dt->month; $year = $dt->year; $dt->firstOfQuarter()->modify('+'.$nth.' '.static::$days[$dayOfWeek]); - return ($last_month < $dt->month || $year !== $dt->year) ? false : $this->modify($dt); + return ($lastMonth < $dt->month || $year !== $dt->year) ? false : $this->modify($dt); } /** - * Modify to the first occurence of a given day of the week + * Modify to the first occurrence of a given day of the week * in the current year. If no dayOfWeek is provided, modify to the * first day of the current year. Use the supplied consts * to indicate the desired dayOfWeek, ex. static::MONDAY. * - * @param int $dayOfWeek + * @param int|null $dayOfWeek * - * @return mixed + * @return static */ public function firstOfYear($dayOfWeek = null) { @@ -2494,14 +2546,14 @@ class Carbon extends DateTime } /** - * Modify to the last occurence of a given day of the week + * Modify to the last occurrence of a given day of the week * in the current year. If no dayOfWeek is provided, modify to the * last day of the current year. Use the supplied consts * to indicate the desired dayOfWeek, ex. static::MONDAY. * - * @param int $dayOfWeek + * @param int|null $dayOfWeek * - * @return mixed + * @return static */ public function lastOfYear($dayOfWeek = null) { @@ -2509,8 +2561,8 @@ class Carbon extends DateTime } /** - * Modify to the given occurence of a given day of the week - * in the current year. If the calculated occurence is outside the scope + * Modify to the given occurrence of a given day of the week + * in the current year. If the calculated occurrence is outside the scope * of the current year, then return false and no modifications are made. * Use the supplied consts to indicate the desired dayOfWeek, ex. static::MONDAY. * @@ -2523,19 +2575,19 @@ class Carbon extends DateTime { $dt = $this->copy()->firstOfYear()->modify('+'.$nth.' '.static::$days[$dayOfWeek]); - return $this->year == $dt->year ? $this->modify($dt) : false; + return $this->year === $dt->year ? $this->modify($dt) : false; } /** * Modify the current instance to the average of a given instance (default now) and the current instance. * - * @param Carbon $dt + * @param Carbon|null $dt * * @return static */ public function average(Carbon $dt = null) { - $dt = ($dt === null) ? static::now($this->tz) : $dt; + $dt = $dt ?: static::now($this->tz); return $this->addSeconds((int) ($this->diffInSeconds($dt, false) / 2)); } @@ -2543,12 +2595,14 @@ class Carbon extends DateTime /** * Check if its the birthday. Compares the date/month values of the two dates. * - * @param Carbon $dt + * @param Carbon|null $dt The instance to compare with or null to use current day. * - * @return boolean + * @return bool */ - public function isBirthday(Carbon $dt) + public function isBirthday(Carbon $dt = null) { + $dt = $dt ?: static::now($this->tz); + return $this->format('md') === $dt->format('md'); } } diff --git a/vendor/nesbot/carbon/src/Carbon/CarbonInterval.php b/vendor/nesbot/carbon/src/Carbon/CarbonInterval.php index 27f86275d..05f00a4b5 100644 --- a/vendor/nesbot/carbon/src/Carbon/CarbonInterval.php +++ b/vendor/nesbot/carbon/src/Carbon/CarbonInterval.php @@ -22,13 +22,13 @@ use Symfony\Component\Translation\Loader\ArrayLoader; * The implemenation provides helpers to handle weeks but only days are saved. * Weeks are calculated based on the total days of the current instance. * - * @property integer $years Total years of the current interval. - * @property integer $months Total months of the current interval. - * @property integer $weeks Total weeks of the current interval calculated from the days. - * @property integer $dayz Total days of the current interval (weeks * 7 + days). - * @property integer $hours Total hours of the current interval. - * @property integer $minutes Total minutes of the current interval. - * @property integer $seconds Total seconds of the current interval. + * @property int $years Total years of the current interval. + * @property int $months Total months of the current interval. + * @property int $weeks Total weeks of the current interval calculated from the days. + * @property int $dayz Total days of the current interval (weeks * 7 + days). + * @property int $hours Total hours of the current interval. + * @property int $minutes Total minutes of the current interval. + * @property int $seconds Total seconds of the current interval. * * @property-read integer $dayzExcludeWeeks Total days remaining in the final week of the current instance (days % 7). * @property-read integer $daysExcludeWeeks alias of dayzExcludeWeeks @@ -48,7 +48,6 @@ use Symfony\Component\Translation\Loader\ArrayLoader; * @method static CarbonInterval minute($minutes = 1) Alias for minutes() * @method static CarbonInterval seconds($seconds = 1) Create instance specifying a number of seconds. * @method static CarbonInterval second($seconds = 1) Alias for seconds() - * * @method CarbonInterval years() years($years = 1) Set the years portion of the current interval. * @method CarbonInterval year() year($years = 1) Alias for years(). * @method CarbonInterval months() months($months = 1) Set the months portion of the current interval. @@ -97,11 +96,11 @@ class CarbonInterval extends DateInterval * * @param DateInterval $interval * - * @return boolean + * @return bool */ private static function wasCreatedFromDiff(DateInterval $interval) { - return ($interval->days !== false && $interval->days !== static::PHP_DAYS_FALSE); + return $interval->days !== false && $interval->days !== static::PHP_DAYS_FALSE; } /////////////////////////////////////////////////////////////////// @@ -111,13 +110,13 @@ class CarbonInterval extends DateInterval /** * Create a new CarbonInterval instance. * - * @param integer $years - * @param integer $months - * @param integer $weeks - * @param integer $days - * @param integer $hours - * @param integer $minutes - * @param integer $seconds + * @param int $years + * @param int $months + * @param int $weeks + * @param int $days + * @param int $hours + * @param int $minutes + * @param int $seconds */ public function __construct($years = 1, $months = null, $weeks = null, $days = null, $hours = null, $minutes = null, $seconds = null) { @@ -130,7 +129,7 @@ class CarbonInterval extends DateInterval $specDays += $weeks > 0 ? $weeks * Carbon::DAYS_PER_WEEK : 0; $specDays += $days > 0 ? $days : 0; - $spec .= ($specDays > 0) ? $specDays.static::PERIOD_DAYS : ''; + $spec .= $specDays > 0 ? $specDays.static::PERIOD_DAYS : ''; if ($hours > 0 || $minutes > 0 || $seconds > 0) { $spec .= static::PERIOD_TIME_PREFIX; @@ -139,6 +138,11 @@ class CarbonInterval extends DateInterval $spec .= $seconds > 0 ? $seconds.static::PERIOD_SECONDS : ''; } + if ($spec === static::PERIOD_PREFIX) { + // Allow the zero interval. + $spec .= '0'.static::PERIOD_YEARS; + } + parent::__construct($spec); } @@ -148,13 +152,13 @@ class CarbonInterval extends DateInterval * syntax as it allows you to do CarbonInterval::create(1)->fn() rather than * (new CarbonInterval(1))->fn(). * - * @param integer $years - * @param integer $months - * @param integer $weeks - * @param integer $days - * @param integer $hours - * @param integer $minutes - * @param integer $seconds + * @param int $years + * @param int $months + * @param int $weeks + * @param int $days + * @param int $hours + * @param int $minutes + * @param int $seconds * * @return static */ @@ -170,13 +174,13 @@ class CarbonInterval extends DateInterval * have the same names. * * @param string $name - * @param array $args + * @param array $args * * @return static */ public static function __callStatic($name, $args) { - $arg = count($args) == 0 ? 1 : $args[0]; + $arg = count($args) === 0 ? 1 : $args[0]; switch ($name) { case 'years': @@ -230,6 +234,7 @@ class CarbonInterval extends DateInterval $instance = new static($di->y, $di->m, 0, $di->d, $di->h, $di->i, $di->s); $instance->invert = $di->invert; $instance->days = $di->days; + return $instance; } @@ -244,7 +249,7 @@ class CarbonInterval extends DateInterval */ protected static function translator() { - if (static::$translator == null) { + if (static::$translator === null) { static::$translator = new Translator('en'); static::$translator->addLoader('array', new ArrayLoader()); static::setLocale('en'); @@ -307,7 +312,7 @@ class CarbonInterval extends DateInterval * * @throws InvalidArgumentException * - * @return integer + * @return int */ public function __get($name) { @@ -346,7 +351,7 @@ class CarbonInterval extends DateInterval * Set a part of the CarbonInterval object * * @param string $name - * @param integer $val + * @param int $val * * @throws InvalidArgumentException */ @@ -387,13 +392,14 @@ class CarbonInterval extends DateInterval * Allow setting of weeks and days to be cumulative. * * @param int $weeks Number of weeks to set - * @param int $days Number of days to set + * @param int $days Number of days to set * * @return static */ public function weeksAndDays($weeks, $days) { $this->dayz = ($weeks * Carbon::DAYS_PER_WEEK) + $days; + return $this; } @@ -404,13 +410,13 @@ class CarbonInterval extends DateInterval * have the same names. * * @param string $name - * @param array $args + * @param array $args * * @return static */ public function __call($name, $args) { - $arg = count($args) == 0 ? 1 : $args[0]; + $arg = count($args) === 0 ? 1 : $args[0]; switch ($name) { case 'years': @@ -491,25 +497,25 @@ class CarbonInterval extends DateInterval } /** - * Add the passed interval to the current instance - * - * @param DateInterval $interval - * - * @return static - */ + * Add the passed interval to the current instance + * + * @param DateInterval $interval + * + * @return static + */ public function add(DateInterval $interval) { - $sign = ($interval->invert === 1) ? -1 : 1; + $sign = $interval->invert === 1 ? -1 : 1; if (static::wasCreatedFromDiff($interval)) { - $this->dayz = $this->dayz + ($interval->days * $sign); + $this->dayz = $this->dayz + $interval->days * $sign; } else { - $this->years = $this->years + ($interval->y * $sign); - $this->months = $this->months + ($interval->m * $sign); - $this->dayz = $this->dayz + ($interval->d * $sign); - $this->hours = $this->hours + ($interval->h * $sign); - $this->minutes = $this->minutes + ($interval->i * $sign); - $this->seconds = $this->seconds + ($interval->s * $sign); + $this->years = $this->years + $interval->y * $sign; + $this->months = $this->months + $interval->m * $sign; + $this->dayz = $this->dayz + $interval->d * $sign; + $this->hours = $this->hours + $interval->h * $sign; + $this->minutes = $this->minutes + $interval->i * $sign; + $this->seconds = $this->seconds + $interval->s * $sign; } return $this; diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/af.php b/vendor/nesbot/carbon/src/Carbon/Lang/af.php new file mode 100644 index 000000000..86ab541c1 --- /dev/null +++ b/vendor/nesbot/carbon/src/Carbon/Lang/af.php @@ -0,0 +1,28 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +/** + * Translation messages. See http://symfony.com/doc/current/book/translation.html + * for possible formats. + */ +return array( + 'year' => '1 jaar|:count jare', + 'month' => '1 maand|:count maande', + 'week' => '1 week|:count weke', + 'day' => '1 dag|:count dae', + 'hour' => '1 uur|:count ure', + 'minute' => '1 minuut|:count minute', + 'second' => '1 sekond|:count sekondes', + 'ago' => ':time terug', + 'from_now' => ':time van nou af', + 'after' => ':time na', + 'before' => ':time voor', +); diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/ar.php b/vendor/nesbot/carbon/src/Carbon/Lang/ar.php index 610e06434..76b277219 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/ar.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/ar.php @@ -11,20 +11,19 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/ar/date.php */ return array( - 'year' => '{0}سنة|{1}سنة|{2}سنتين|[3,10]:count سنوات|[11,Inf] سنة', - 'month' => '{0}شهر|{1}شهر|{2}شهرين|[3,10]:count أشهر|[11,Inf] شهر', - 'week' => '{0}أسبوع|{1}أسبوع|{2}أسبوعين|[3,10]:count أسابيع|[11,Inf] أسبوع', + 'year' => '{0}سنة|{1}سنة|{2}سنتين|[3,10]:count سنوات|[11,Inf]:count سنة', + 'month' => '{0}شهر|{1} شهر|{2}شهرين|[3,10]:count أشهر|[11,Inf]:count شهر', + 'week' => '{0}إسبوع|{1}إسبوع|{2}إسبوعين|[3,10]:count أسابيع|[11,Inf]:count إسبوع', 'day' => '{0}يوم|{1}يوم|{2}يومين|[3,10]:count أيام|[11,Inf] يوم', - 'hour' => '{0}ساعة|{1}ساعة|{2}ساعتين|[3,10]:count ساعات|[11,Inf] ساعة', + 'hour' => '{0}ساعة|{1}ساعة|{2}ساعتين|[3,10]:count ساعات|[11,Inf]:count ساعة', 'minute' => '{0}دقيقة|{1}دقيقة|{2}دقيقتين|[3,10]:count دقائق|[11,Inf]:count دقيقة', - 'second' => '{0}ثانية|{1}ثانية|{2}ثانيتين|[3,10]:count ثوان|[11,Inf] ثانية', + 'second' => '{0}ثانية|{1}ثانية|{2}ثانيتين|[3,10]:count ثوان|[11,Inf]:count ثانية', 'ago' => 'منذ :time', 'from_now' => 'من الآن :time', 'after' => 'بعد :time', diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/az.php b/vendor/nesbot/carbon/src/Carbon/Lang/az.php index 6202be91f..455d26200 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/az.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/az.php @@ -10,9 +10,8 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ - /** +/** * Extracted from https://github.com/The-Hasanov/laravel-date/blob/1006f37c431178b5c7219d02c93579c9690ae546/src/Lang/az.php */ return array( diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/bg.php b/vendor/nesbot/carbon/src/Carbon/Lang/bg.php index 7a262a73c..d70d7804a 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/bg.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/bg.php @@ -11,7 +11,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/bg/date.php diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/bn.php b/vendor/nesbot/carbon/src/Carbon/Lang/bn.php index 6a31e532e..41357cd35 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/bn.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/bn.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/eu/date.php diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/ca.php b/vendor/nesbot/carbon/src/Carbon/Lang/ca.php index 95e04e47e..81451611c 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/ca.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/ca.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/ca/date.php diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/cs.php b/vendor/nesbot/carbon/src/Carbon/Lang/cs.php index d8890c4f1..26a78b326 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/cs.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/cs.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/cs/date.php diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/da.php b/vendor/nesbot/carbon/src/Carbon/Lang/da.php index 4586fad2c..d5c6a0ab1 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/da.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/da.php @@ -12,7 +12,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ return array( 'year' => '1 år|:count år', diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/de.php b/vendor/nesbot/carbon/src/Carbon/Lang/de.php index 7586b3235..bf0af71c5 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/de.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/de.php @@ -13,7 +13,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ return array( 'year' => '1 Jahr|:count Jahre', diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/el.php b/vendor/nesbot/carbon/src/Carbon/Lang/el.php index 0cc34e62d..1ecb27126 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/el.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/el.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/el/date.php diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/en.php b/vendor/nesbot/carbon/src/Carbon/Lang/en.php index 6b682b5d2..e0ad273f1 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/en.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/en.php @@ -12,7 +12,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ return array( 'year' => '1 year|:count years', diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/eo.php b/vendor/nesbot/carbon/src/Carbon/Lang/eo.php index 34cd0ee7c..3175a2776 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/eo.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/eo.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/eo/date.php diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/es.php b/vendor/nesbot/carbon/src/Carbon/Lang/es.php index b4573ecff..2da39a0b8 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/es.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/es.php @@ -12,7 +12,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ return array( 'year' => '1 año|:count años', @@ -24,6 +23,6 @@ return array( 'second' => '1 segundo|:count segundos', 'ago' => 'hace :time', 'from_now' => 'dentro de :time', - 'after' => ':time antes', - 'before' => ':time después', + 'after' => ':time después', + 'before' => ':time antes', ); diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/et.php b/vendor/nesbot/carbon/src/Carbon/Lang/et.php new file mode 100644 index 000000000..68dfae62d --- /dev/null +++ b/vendor/nesbot/carbon/src/Carbon/Lang/et.php @@ -0,0 +1,30 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + * + */ +return array( + 'year' => '1 aasta|:count aastat', + 'month' => '1 kuu|:count kuud', + 'week' => '1 nädal|:count nädalat', + 'day' => '1 päev|:count päeva', + 'hour' => '1 tund|:count tundi', + 'minute' => '1 minut|:count minutit', + 'second' => '1 sekund|:count sekundit', + 'ago' => ':time tagasi', + 'from_now' => ':time pärast', + 'after' => ':time pärast', + 'before' => ':time enne', + 'year_from_now' => ':count aasta', + 'month_from_now' => ':count kuu', + 'week_from_now' => ':count nädala', + 'day_from_now' => ':count päeva', + 'hour_from_now' => ':count tunni', + 'minute_from_now' => ':count minuti', + 'second_from_now' => ':count sekundi', +); diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/eu.php b/vendor/nesbot/carbon/src/Carbon/Lang/eu.php index 91f1d2a60..79c4d1229 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/eu.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/eu.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/eu/date.php diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/fa.php b/vendor/nesbot/carbon/src/Carbon/Lang/fa.php index e77e2f5de..8b671da65 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/fa.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/fa.php @@ -12,7 +12,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ return array( diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/fi.php b/vendor/nesbot/carbon/src/Carbon/Lang/fi.php index 7930c6b72..6198f99d1 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/fi.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/fi.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/fi/date.php diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/fo.php b/vendor/nesbot/carbon/src/Carbon/Lang/fo.php index caa8080e0..740f03bf5 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/fo.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/fo.php @@ -12,7 +12,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ return array( 'year' => '1 ár|:count ár', diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/fr.php b/vendor/nesbot/carbon/src/Carbon/Lang/fr.php index b10ac4046..298131a6b 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/fr.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/fr.php @@ -12,7 +12,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ return array( 'year' => '1 an|:count ans', diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/he.php b/vendor/nesbot/carbon/src/Carbon/Lang/he.php index 9ed00f1e8..681915b55 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/he.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/he.php @@ -12,7 +12,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ return array( 'year' => 'שנה|{2}שנתיים|:count שנים', diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/hr.php b/vendor/nesbot/carbon/src/Carbon/Lang/hr.php index 7ab1c267e..ea21cedd8 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/hr.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/hr.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/hr/date.php diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/hu.php b/vendor/nesbot/carbon/src/Carbon/Lang/hu.php index a866039d2..f30c0c83c 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/hu.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/hu.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/hu/date.php diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/id.php b/vendor/nesbot/carbon/src/Carbon/Lang/id.php index 4b168f63b..56757a5da 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/id.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/id.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/id/date.php diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/it.php b/vendor/nesbot/carbon/src/Carbon/Lang/it.php index ef1b55db7..680e0f551 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/it.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/it.php @@ -12,7 +12,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ return array( 'year' => '1 anno|:count anni', diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/ja.php b/vendor/nesbot/carbon/src/Carbon/Lang/ja.php index 4b5e77dab..66cbf90bd 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/ja.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/ja.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/ja/date.php diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/ko.php b/vendor/nesbot/carbon/src/Carbon/Lang/ko.php index f3ed1c449..fa863d9be 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/ko.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/ko.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/cs/date.php diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/lt.php b/vendor/nesbot/carbon/src/Carbon/Lang/lt.php index 4a6446b76..af8ddcbdc 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/lt.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/lt.php @@ -12,7 +12,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ return array( @@ -27,4 +26,4 @@ return array( 'from_now' => 'už :time', 'after' => 'po :time', 'before' => ':time nuo dabar', -); \ No newline at end of file +); diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/lv.php b/vendor/nesbot/carbon/src/Carbon/Lang/lv.php index 07b5a026e..fb66c2269 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/lv.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/lv.php @@ -11,7 +11,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ return array( 'year' => '0 gadiem|:count gada|:count gadiem', diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/ms.php b/vendor/nesbot/carbon/src/Carbon/Lang/ms.php index 078b9d2da..90304f5b9 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/ms.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/ms.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ return array( 'year' => ':count tahun', diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/nl.php b/vendor/nesbot/carbon/src/Carbon/Lang/nl.php index 8104b7177..00cd194c4 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/nl.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/nl.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ return array( 'year' => '1 jaar|:count jaren', diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/no.php b/vendor/nesbot/carbon/src/Carbon/Lang/no.php index 0cfd3d334..32a08c806 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/no.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/no.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/no/date.php diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/pl.php b/vendor/nesbot/carbon/src/Carbon/Lang/pl.php index 05fea6061..1381d90de 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/pl.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/pl.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/pl/date.php diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/pt.php b/vendor/nesbot/carbon/src/Carbon/Lang/pt.php index 28aab4d3d..4ee091ff8 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/pt.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/pt.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/pt/date.php diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/pt_BR.php b/vendor/nesbot/carbon/src/Carbon/Lang/pt_BR.php index 70435eef3..cd9a90e75 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/pt_BR.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/pt_BR.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ return array( 'year' => '1 ano|:count anos', @@ -22,6 +21,6 @@ return array( 'second' => '1 segundo|:count segundos', 'ago' => 'há :time', 'from_now' => 'dentro de :time', - 'after' => ':time depois', - 'before' => ':time antes', + 'after' => 'após :time', + 'before' => ':time atrás', ); diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/ro.php b/vendor/nesbot/carbon/src/Carbon/Lang/ro.php index efc847d20..bd812f0df 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/ro.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/ro.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/ro/date.php diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/ru.php b/vendor/nesbot/carbon/src/Carbon/Lang/ru.php index e4a1cb56a..c843c355e 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/ru.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/ru.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/ru/date.php diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/sk.php b/vendor/nesbot/carbon/src/Carbon/Lang/sk.php index 8087afe0a..8729e4545 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/sk.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/sk.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/sk/date.php diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/sl.php b/vendor/nesbot/carbon/src/Carbon/Lang/sl.php index 53f810b60..8149a5dd2 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/sl.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/sl.php @@ -10,28 +10,27 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/sl/date.php */ return array( - 'year' => ':count leto|:count leti|:count leta|:count let', - 'month' => ':count mesec|:count meseca|:count mesece|:count mesecev', - 'week' => ':count teden|:count tedna|:count tedne|:count tednov', - 'day' => ':count dan|:count dni|:count dni|:count dni', - 'hour' => ':count uro|:count uri|:count ure|:count ur', - 'minute' => ':count minuto|:count minuti|:count minute|:count minut', - 'second' => ':count sekundo|:count sekundi|:count sekunde|:count sekund', - 'year_ago' => ':count letom|:count leti|:count leti|:count leti', - 'month_ago' => ':count mesecem|:count meseci|:count meseci|:count meseci', - 'week_ago' => ':count tednom|:count tednoma|:count tedni|:count tedni', - 'day_ago' => ':count dnem|:count dnevoma|:count dnevi|:count dnevi', - 'hour_ago' => ':count uro|:count urama|:count urami|:count urami', - 'minute_ago'=> ':count minuto|:count minutama|:count minutami|:count minutami', - 'second_ago'=> ':count sekundo|:count sekundama|:count sekundami|:count sekundami', - 'ago' => 'pred :time', - 'from_now' => 'čez :time', - 'after' => 'čez :time', - 'before' => 'pred :time' + 'year' => ':count leto|:count leti|:count leta|:count let', + 'month' => ':count mesec|:count meseca|:count mesece|:count mesecev', + 'week' => ':count teden|:count tedna|:count tedne|:count tednov', + 'day' => ':count dan|:count dni|:count dni|:count dni', + 'hour' => ':count uro|:count uri|:count ure|:count ur', + 'minute' => ':count minuto|:count minuti|:count minute|:count minut', + 'second' => ':count sekundo|:count sekundi|:count sekunde|:count sekund', + 'year_ago' => ':count letom|:count leti|:count leti|:count leti', + 'month_ago' => ':count mesecem|:count meseci|:count meseci|:count meseci', + 'week_ago' => ':count tednom|:count tednoma|:count tedni|:count tedni', + 'day_ago' => ':count dnem|:count dnevoma|:count dnevi|:count dnevi', + 'hour_ago' => ':count uro|:count urama|:count urami|:count urami', + 'minute_ago'=> ':count minuto|:count minutama|:count minutami|:count minutami', + 'second_ago'=> ':count sekundo|:count sekundama|:count sekundami|:count sekundami', + 'ago' => 'pred :time', + 'from_now' => 'čez :time', + 'after' => 'čez :time', + 'before' => 'pred :time' ); diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/sq.php b/vendor/nesbot/carbon/src/Carbon/Lang/sq.php new file mode 100644 index 000000000..477826040 --- /dev/null +++ b/vendor/nesbot/carbon/src/Carbon/Lang/sq.php @@ -0,0 +1,28 @@ + + * + * For the full copyright and license information, please view the LICENSE + * file that was distributed with this source code. + */ + +/** + * Translation messages. See http://symfony.com/doc/current/book/translation.html + * for possible formats. + */ +return array( + 'year' => '1 vit|:count vjet', + 'month' => '1 muaj|:count muaj', + 'week' => '1 javë|:count javë', + 'day' => '1 ditë|:count ditë', + 'hour' => '1 orë|:count orë', + 'minute' => '1 minutë|:count minuta', + 'second' => '1 sekondë|:count sekonda', + 'ago' => ':time më parë', + 'from_now' => ':time nga tani', + 'after' => ':time pas', + 'before' => ':time para', +); diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/sr.php b/vendor/nesbot/carbon/src/Carbon/Lang/sr.php index c19087f33..af060fa53 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/sr.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/sr.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/sr/date.php diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/sv.php b/vendor/nesbot/carbon/src/Carbon/Lang/sv.php index 2ed23491e..54f61fcbc 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/sv.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/sv.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/sv/date.php diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/th.php b/vendor/nesbot/carbon/src/Carbon/Lang/th.php index aad56c260..13459bc90 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/th.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/th.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/th/date.php @@ -23,7 +22,6 @@ return array( 'hour' => '1 ชั่วโมง|:count ชั่วโมง', 'minute' => '1 นาที|:count นาที', 'second' => '1 วินาที|:count วินาที', - 'ago' => ':time sitten', 'ago' => ':time ที่แล้ว', 'from_now' => ':time จากนี้', 'after' => 'หลัง:time', diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/tr.php b/vendor/nesbot/carbon/src/Carbon/Lang/tr.php index 52561db82..d7f5134fd 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/tr.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/tr.php @@ -12,7 +12,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ return array( 'year' => ':count yıl', diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/uk.php b/vendor/nesbot/carbon/src/Carbon/Lang/uk.php index 8e5738671..6a23d2771 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/uk.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/uk.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/uk/date.php diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/uz.php b/vendor/nesbot/carbon/src/Carbon/Lang/uz.php index 14f40787c..d9a5efa47 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/uz.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/uz.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ return array( diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/vi.php b/vendor/nesbot/carbon/src/Carbon/Lang/vi.php index 7c70ff9e9..e0e8dfcd4 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/vi.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/vi.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/vi/date.php diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/zh-TW.php b/vendor/nesbot/carbon/src/Carbon/Lang/zh-TW.php index 0ffdc7f6a..30f082506 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/zh-TW.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/zh-TW.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/zh-TW/date.php diff --git a/vendor/nesbot/carbon/src/Carbon/Lang/zh.php b/vendor/nesbot/carbon/src/Carbon/Lang/zh.php index 9a74f39a8..58ea74f27 100644 --- a/vendor/nesbot/carbon/src/Carbon/Lang/zh.php +++ b/vendor/nesbot/carbon/src/Carbon/Lang/zh.php @@ -10,7 +10,6 @@ /** * Translation messages. See http://symfony.com/doc/current/book/translation.html * for possible formats. - * */ /** * Extracted from https://github.com/jenssegers/laravel-date/blob/master/src/lang/zh/date.php diff --git a/vendor/nicolaslopezj/searchable/src/SearchableTrait.php b/vendor/nicolaslopezj/searchable/src/SearchableTrait.php index 3645f36f9..ead4c3786 100644 --- a/vendor/nicolaslopezj/searchable/src/SearchableTrait.php +++ b/vendor/nicolaslopezj/searchable/src/SearchableTrait.php @@ -23,6 +23,7 @@ trait SearchableTrait * @param \Illuminate\Database\Eloquent\Builder $q * @param string $search * @param float|null $threshold + * @param boolean $entireText * @return \Illuminate\Database\Eloquent\Builder */ public function scopeSearch(Builder $q, $search, $threshold = null, $entireText = false) @@ -110,6 +111,20 @@ trait SearchableTrait } } + /** + * Returns whether or not to keep duplicates. + * + * @return array + */ + protected function getGroupBy() + { + if (array_key_exists('groupBy', $this->searchable)) { + return $this->searchable['groupBy']; + } + + return false; + } + /** * Returns the table columns. * @@ -154,26 +169,29 @@ trait SearchableTrait */ protected function makeGroupBy(Builder $query) { - $driver = $this->getDatabaseDriver(); - if ($driver == 'sqlsrv') { - $columns = $this->getTableColumns(); + if ($groupBy = $this->getGroupBy()) { + $query->groupBy($groupBy); } else { - $id = $this->getTable() . '.' .$this->primaryKey; + $driver = $this->getDatabaseDriver(); + + if ($driver == 'sqlsrv') { + $columns = $this->getTableColumns(); + } else { + $columns = $this->getTable() . '.' .$this->primaryKey; + } + + $query->groupBy($columns); + $joins = array_keys(($this->getJoins())); foreach ($this->getColumns() as $column => $relevance) { - - array_map(function($join) use ($column, $query){ - - if(Str::contains($column, $join)){ - $query->groupBy("$column"); + array_map(function ($join) use ($column, $query) { + if (Str::contains($column, $join)) { + $query->groupBy($column); } - }, $joins); - } } - $query->groupBy($id); } /** @@ -184,7 +202,7 @@ trait SearchableTrait */ protected function addSelectsToQuery(Builder $query, array $selects) { - $selects = new Expression(implode(' + ', $selects) . ' as relevance'); + $selects = new Expression('avg(' . implode(' + ', $selects) . ') as relevance'); $query->addSelect($selects); } diff --git a/vendor/php-imap/php-imap/README.md b/vendor/php-imap/php-imap/README.md index 6ee45ce34..486b58659 100644 --- a/vendor/php-imap/php-imap/README.md +++ b/vendor/php-imap/php-imap/README.md @@ -29,7 +29,7 @@ Just add following code in the head of your script: use PhpImap\IncomingMail; use PhpImap\IncomingMailAttachment; -### [Usage example](https://github.com/barbushin/php-imap/blob/master/example/index.php) +### Usage example ```php $mailbox = new PhpImap\Mailbox('{imap.gmail.com:993/imap/ssl}INBOX', 'some@gmail.com', '*********', __DIR__); diff --git a/vendor/php-imap/php-imap/composer.json b/vendor/php-imap/php-imap/composer.json index dfbec7be4..ee25f3e6a 100644 --- a/vendor/php-imap/php-imap/composer.json +++ b/vendor/php-imap/php-imap/composer.json @@ -17,11 +17,12 @@ } ], "require": { - "php": ">=5.3.0" + "php": ">=5.3.0", + "ext-imap": "*" }, "autoload": { - "psr-0": { - "PhpImap": "src/" + "psr-4": { + "PhpImap\\": "src/PhpImap/" } }, "minimum-stability": "stable" diff --git a/vendor/php-imap/php-imap/src/PhpImap/IncomingMail.php b/vendor/php-imap/php-imap/src/PhpImap/IncomingMail.php index 7512eee02..17ea0d1fa 100644 --- a/vendor/php-imap/php-imap/src/PhpImap/IncomingMail.php +++ b/vendor/php-imap/php-imap/src/PhpImap/IncomingMail.php @@ -62,4 +62,5 @@ class IncomingMailAttachment { public $id; public $name; public $filePath; + public $disposition; } diff --git a/vendor/phpspec/phpspec/.scrutinizer.yml b/vendor/phpspec/phpspec/.scrutinizer.yml index 98fe8e081..2884b6782 100644 --- a/vendor/phpspec/phpspec/.scrutinizer.yml +++ b/vendor/phpspec/phpspec/.scrutinizer.yml @@ -5,7 +5,7 @@ imports: tools: php_code_sniffer: filter: - excluded-paths: [ spec/*, integration/*, features/* ] + excluded-paths: [ spec/*, integration/*, features/*, src/PhpSpec/Loader/StreamWrapper.php ] config: standard: PSR2 diff --git a/vendor/phpspec/phpspec/.travis.yml b/vendor/phpspec/phpspec/.travis.yml index 62544718a..2feaaa2d3 100644 --- a/vendor/phpspec/phpspec/.travis.yml +++ b/vendor/phpspec/phpspec/.travis.yml @@ -19,7 +19,6 @@ matrix: - php: hhvm - php: 7.0 allow_failures: - - php: 7.0 - env: DEPENDENCIES='dev' fast_finish: true @@ -33,7 +32,7 @@ install: - if [ "$DEPENDENCIES" == "low" ]; then composer update --prefer-lowest; fi; before_script: - - echo "= 50400) echo ',@php5.4';" > php_version_tags.php + - echo "= 50400) echo ',@php5.4'; if (PHP_VERSION_ID >= 70000) echo ',@php7'; }" > php_version_tags.php script: - bin/phpspec run --format=pretty diff --git a/vendor/phpspec/phpspec/CHANGES.md b/vendor/phpspec/phpspec/CHANGES.md index 4d0c1aeaf..d38ee3ddc 100644 --- a/vendor/phpspec/phpspec/CHANGES.md +++ b/vendor/phpspec/phpspec/CHANGES.md @@ -1,3 +1,40 @@ +2.4.0 / 2015/11/28 +================== + +* Improved docblock for beConstructedThrough() + +2.4.0-rc1 / 2015/11/20 +====================== + +* No changes from RC1 + +2.4.0-beta / 2015-11-13 +======================= + +* Handle and present fatal errors + +2.4.0-alpha2 / 2015-11-03 +========================= + +* Fixed edge case with partial use statements + +2.4.0-alpha1 / 2015-11-01 +========================= + +* Initial support for typehinted doubles in PHP7 +* Specs can now be run by specifying a fully qualified class name +* New shouldContain matcher for strings +* Warning added when trying to typehint scalars or callable in spec +* No longer truncates strings when diffing arrays in verbose mode +* New %resource_name% placeholder for generated specs +* Fixed case error in class name that triggered strictness warnings on some platforms +* Fixed undefined index error in some versions of Windows +* Clarified in composer that ext-tokenizer is required +* Supported installation with Symfony 3.0 +* Fixed error when spec and src paths are the same +* New event is fired when phpspec creates a file +* Internal refactoring of Presenter objects + 2.3.0 / 2015-09-07 ================== diff --git a/vendor/phpspec/phpspec/appveyor.yml b/vendor/phpspec/phpspec/appveyor.yml new file mode 100644 index 000000000..b3eb1906e --- /dev/null +++ b/vendor/phpspec/phpspec/appveyor.yml @@ -0,0 +1,50 @@ +build: false +shallow_clone: true +platform: x86 +clone_folder: c:\projects\phpspec + +environment: + matrix: + - PHP_DOWNLOAD_FILE: php-5.6.14-nts-Win32-VC11-x86.zip + +matrix: + allow_failures: + - PHP_DOWNLOAD_FILE: php-5.6.14-nts-Win32-VC11-x86.zip + +skip_commits: + message: /\[ci skip\]/ + +cache: + - c:\php -> appveyor.yml + - '%LOCALAPPDATA%\Composer' + - vendor + +init: + - SET PATH=c:\php;%PATH% + - SET COMPOSER_NO_INTERACTION=1 + - SET PHP=1 + - SET ANSICON=121x90 (121x90) + +install: + - IF EXIST c:\php (SET PHP=0) ELSE (mkdir c:\php) + - cd c:\php + - IF %PHP%==1 appveyor DownloadFile http://windows.php.net/downloads/releases/archives/%PHP_DOWNLOAD_FILE% + - IF %PHP%==1 7z x %PHP_DOWNLOAD_FILE% -y > 7z.log + - IF %PHP%==1 echo @php %%~dp0composer.phar %%* > composer.bat + - appveyor DownloadFile https://getcomposer.org/composer.phar + - copy php.ini-production php.ini /Y + - echo date.timezone="UTC" >> php.ini + - echo extension_dir=ext >> php.ini + - echo extension=php_openssl.dll >> php.ini + - echo extension=php_curl.dll >> php.ini + - echo extension=php_mbstring.dll >> php.ini + - echo extension=php_fileinfo.dll >> php.ini + - cd c:\projects\phpspec + - SET COMPOSER_ROOT_VERSION=dev-master + - composer update --no-progress --ansi + +test_script: + - cd c:\projects\phpspec + - php bin\phpspec run --format=pretty + - php vendor\phpunit\phpunit\phpunit --testdox + - php vendor\behat\behat\bin\behat --format=pretty --tags="~@php-version,@php5.4" diff --git a/vendor/phpspec/phpspec/behat.yml.dist b/vendor/phpspec/phpspec/behat.yml.dist index de745eca2..0219a19d8 100644 --- a/vendor/phpspec/phpspec/behat.yml.dist +++ b/vendor/phpspec/phpspec/behat.yml.dist @@ -9,8 +9,6 @@ default: smoke: contexts: [ IsolatedProcessContext, FilesystemContext ] filters: { tags: @smoke && ~@isolated } - formatters: - progress: ~ no-smoke: suites: diff --git a/vendor/phpspec/phpspec/bin/phpspec b/vendor/phpspec/phpspec/bin/phpspec index b7c16e49f..826d8d00f 100644 --- a/vendor/phpspec/phpspec/bin/phpspec +++ b/vendor/phpspec/phpspec/bin/phpspec @@ -1,7 +1,7 @@ #!/usr/bin/env php application = new Application('2.1-dev'); $this->application->setAutoExit(false); @@ -89,14 +90,16 @@ class ApplicationContext implements Context, MatchersProviderInterface * @When I run phpspec (non interactively) * @When I run phpspec using the :formatter format * @When I run phpspec with the :option option + * @When I run phpspec with :spec specs to run * @When /I run phpspec with option (?P