From ffa012202157003e3b6bbccee334eb1fa3604d69 Mon Sep 17 00:00:00 2001 From: Renwick Young Date: Mon, 31 Jul 2017 17:15:42 -0700 Subject: [PATCH 01/16] first commit test exercises --- testing_exercise/testing.js | 80 +++++++++++++++++++++++++++++++++ testing_exercise/testingSpec.js | 43 +++++++++++++++++- 2 files changed, 122 insertions(+), 1 deletion(-) diff --git a/testing_exercise/testing.js b/testing_exercise/testing.js index e69de29b..461a5799 100644 --- a/testing_exercise/testing.js +++ b/testing_exercise/testing.js @@ -0,0 +1,80 @@ +function replaceWith(str, oldChar, newChar){ + return str.replace(RegExp(oldChar,"g"), newChar) +} + +// console.log( +// replaceWith("awesome", "e", "z") +// ) + +function expand(arr, num){ + let result = []; + + for(let i = 0; i < num; i++){ + result = result.concat(arr); + } + + return result; +} + +// console.log( +// expand([1,2,3],4), //[1,2,3,1,2,3,1,2,3] +// expand(["foo", "test"],1) //["foo","test"] +// ) + +function acceptNumbersOnly(){ + + for(let i =0; i < arguments.length; i++){ + if(typeof arguments[i] !== 'number' || isNaN(arguments[i])){ + return false; + } + } + return true; +} + + +// console.log( +// acceptNumbersOnly(1,"foo"), // false +// acceptNumbersOnly(1,2,3,4,5,6,7), // true +// acceptNumbersOnly(1,2,3,4,5,6,NaN) // false +// ) + + + +function mergeArrays(arr1, arr2){ + return arr1.concat(arr2) + .sort((a,b) => a - b); +} +// console.log( +// mergeArrays([2,1],[3,4]) // [1,2,3,4] +// ) + +var obj1= { + name: "Foo", + num: 33 +} + +var obj2 = { + test: "thing", + num: 55 +} + + +function mergeObjects(obj1, obj2){ + return Object.assign(obj1, obj2); +} + + +// console.log( +// mergeObjects(obj1, obj2) +// ) + + + + + + + + + + + diff --git a/testing_exercise/testingSpec.js b/testing_exercise/testingSpec.js index aef56b1d..cc05e54b 100644 --- a/testing_exercise/testingSpec.js +++ b/testing_exercise/testingSpec.js @@ -1,3 +1,44 @@ var expect = chai.expect; -// WRITE YOUR TESTS HERE! \ No newline at end of file + +describe("replaceWith", function() { + it("takes in a string, a character to replace and a character to replace it with and returns the string with the replacements.", function() { + expect(replaceWith("awesome", "e", "z")).to.equal("awzsomz"); + expect(replaceWith("Foo", "F", "B")).to.equal("Boo"); + }); +}) + + +describe("expand", function() { + it("takes an array and a number and returns a copy of the array with as many numbers as specified", function() { + expect(expand([1,2,3],3)).to.deep.equal([1,2,3,1,2,3,1,2,3]); + expect(expand(["foo", "test"],1)).to.deep.equal(["foo","test"]); + }); +}) + + +describe("acceptNumbersOnly", function() { + it("takes in any number of arguments and returns `true` if all of them are numbers.", function() { + expect(acceptNumbersOnly(1,"foo")).to.equal(false); + expect(acceptNumbersOnly(1,2,3,4,5,6,7)).to.equal(true); + expect(acceptNumbersOnly(1,2,3,4,5,6,NaN)).to.equal(false); + }); +}) + +describe("mergeArrays", function() { + it("takes in two arrays and returns one array with the values sorted", function() { + expect(mergeArrays([2,1],[3,4])).to.deep.equal([1,2,3,4]); + + }); +}) + +describe("mergeObjects", function() { + it("takes in two objects and return an object with the keys and values combined. If the second parameter has the same key - it should override first one.", function() { + expect(mergeObjects(obj1, obj2)).to.deep.equal( + { + name: "Foo", + test: "thing", + num: 55 + }); + }); +}) \ No newline at end of file From fde390aef9b043b0c3a63a4cd979fab48aa32788 Mon Sep 17 00:00:00 2001 From: Renwick Young Date: Mon, 31 Jul 2017 17:35:25 -0700 Subject: [PATCH 02/16] refactor testing.js --- testing_exercise/testing.js | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/testing_exercise/testing.js b/testing_exercise/testing.js index 461a5799..f40caf63 100644 --- a/testing_exercise/testing.js +++ b/testing_exercise/testing.js @@ -24,7 +24,7 @@ function expand(arr, num){ function acceptNumbersOnly(){ for(let i =0; i < arguments.length; i++){ - if(typeof arguments[i] !== 'number' || isNaN(arguments[i])){ + if(isNaN(arguments[i])){ return false; } } @@ -32,11 +32,11 @@ function acceptNumbersOnly(){ } -// console.log( -// acceptNumbersOnly(1,"foo"), // false -// acceptNumbersOnly(1,2,3,4,5,6,7), // true -// acceptNumbersOnly(1,2,3,4,5,6,NaN) // false -// ) +console.log( +acceptNumbersOnly(1,"foo"), // false +acceptNumbersOnly(1,2,3,4,5,6,7), // true +acceptNumbersOnly(1,2,3,4,5,6,NaN) // false +) From b0ea9a4218301f903b8db71e5e2c91e66db6d47c Mon Sep 17 00:00:00 2001 From: Renwick Young Date: Mon, 31 Jul 2017 17:46:45 -0700 Subject: [PATCH 03/16] add a condition to check for number represented as string '1' --- testing_exercise/testing.js | 2 +- testing_exercise/testingSpec.js | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/testing_exercise/testing.js b/testing_exercise/testing.js index f40caf63..714a76ab 100644 --- a/testing_exercise/testing.js +++ b/testing_exercise/testing.js @@ -24,7 +24,7 @@ function expand(arr, num){ function acceptNumbersOnly(){ for(let i =0; i < arguments.length; i++){ - if(isNaN(arguments[i])){ + if(isNaN(arguments[i]) || typeof arguments[i] !== 'number'){ return false; } } diff --git a/testing_exercise/testingSpec.js b/testing_exercise/testingSpec.js index cc05e54b..337a3d8a 100644 --- a/testing_exercise/testingSpec.js +++ b/testing_exercise/testingSpec.js @@ -21,6 +21,7 @@ describe("acceptNumbersOnly", function() { it("takes in any number of arguments and returns `true` if all of them are numbers.", function() { expect(acceptNumbersOnly(1,"foo")).to.equal(false); expect(acceptNumbersOnly(1,2,3,4,5,6,7)).to.equal(true); + expect(acceptNumbersOnly('1',2,3,4,5,6,7)).to.equal(false); expect(acceptNumbersOnly(1,2,3,4,5,6,NaN)).to.equal(false); }); }) From c9b67b99c228ca98d75d460a75d080e1b655f81a Mon Sep 17 00:00:00 2001 From: Renwick Young Date: Tue, 1 Aug 2017 23:45:25 -0700 Subject: [PATCH 04/16] complete up to binarySearch --- recursion_exercise/recursion.js | 137 ++++++++++++++++++++++++++++ recursion_exercise/recursionSpec.js | 4 +- testing_exercise/testing.js | 10 +- 3 files changed, 144 insertions(+), 7 deletions(-) diff --git a/recursion_exercise/recursion.js b/recursion_exercise/recursion.js index e69de29b..a90b6837 100644 --- a/recursion_exercise/recursion.js +++ b/recursion_exercise/recursion.js @@ -0,0 +1,137 @@ +function productOfArray(arr){ + if(arr.length === 0) return 1; + return productOfArray(arr.slice(1)) * arr[0]; +} + +function collectStrings(obj){ + let arr = []; + + function helper(o){ + for(let prop in o){ + if(typeof o[prop] === 'string'){ + arr.push(o[prop]) + } else { + helper(o[prop]) + } + } + } + + helper(obj) + return arr; +} + + +function contains(obj, val){ + for(let prop in obj){ + if(obj[prop] === val){ + return true; + } + + if(typeof obj[prop] === 'object'){ + if(contains(obj[prop], val)){ + return true + } + } + } + return false; +} + + +// https://www.codewars.com/kata/the-real-size-of-a-multi-dimensional-array/train/javascript +function realSize(arr) { + let count = 0; + + function helper(a){ + for(let i = 0; i < a.length; i++){ + if(typeof a[i] === 'number'){ + count++ + } + + if(Array.isArray(a[i])){ + helper(a[i]) + } + } + } + helper(arr) + return count; +} + + +function SumSquares(l, sum=0){ + + for(let i = 0; i < l.length; i++){ + if(Array.isArray(l[i])) { + sum = SumSquares(l[i], sum); + } else { + sum += l[i]*l[i]; + } + } + + return sum; +} + + +function replicate(times, number) { + let arr = []; + + + function helper(t, n) { + if(t === 0){ + return; + } + + arr.push(n); + helper(t-1, n) + } + + helper(times, number) + return arr; +} + +function replicate2(times, number) { + if(times === 0){ + return []; + } + + times-- + + return replicate2(times, number).concat(number); + + // return replicate2(times--, number).concat(number); + //I get a stack overflow when using 'times--'' in the recursion. Why is that? +} + +function search(arr, num, i=0){ + + if(arr[0] === num) return i; + if(arr.length === 0) return -1; + + i++ + + return search(arr.slice(1), num, i) +} + +//Bineary search mush be sorted. +function binarySearch(arr, num){ + //assume sorted array with postive integers and no repeating numbers + newArr = arr.slice(0,num) + let index = 0; + + function helper(a){ + + if(a.length === 0){ + return -1; + } + //Check if index value equals num, return index + //Divide arr in half. + //If the element in the middile of array is greater than num + //divide the upper array by half + //else divide the lower array by half. + } + + helper(newArr) + +} + +binarySearch([1,2,4,6,10,20,22,25,28,30],6) + diff --git a/recursion_exercise/recursionSpec.js b/recursion_exercise/recursionSpec.js index 5bc841fe..2306ee0a 100644 --- a/recursion_exercise/recursionSpec.js +++ b/recursion_exercise/recursionSpec.js @@ -78,8 +78,8 @@ describe("#search", function(){ expect(search([1,2,3,4,5,6,7],6)).to.equal(5) }); it("should return -1 if the value is not found", function(){ - expect(search([1,2,3,4]),0).to.equal(-1) - expect(search([1,2]),11).to.equal(-1) + expect(search([1,2,3,4],0)).to.equal(-1) + expect(search([1,2],11)).to.equal(-1) }); }); diff --git a/testing_exercise/testing.js b/testing_exercise/testing.js index 714a76ab..92f6a96f 100644 --- a/testing_exercise/testing.js +++ b/testing_exercise/testing.js @@ -32,11 +32,11 @@ function acceptNumbersOnly(){ } -console.log( -acceptNumbersOnly(1,"foo"), // false -acceptNumbersOnly(1,2,3,4,5,6,7), // true -acceptNumbersOnly(1,2,3,4,5,6,NaN) // false -) +// console.log( +// acceptNumbersOnly(1,"foo"), // false +// acceptNumbersOnly(1,2,3,4,5,6,7), // true +// acceptNumbersOnly(1,2,3,4,5,6,NaN) // false +// ) From 825f7bf3ecef973ca902a92a0c0ee8b7b4c7a92e Mon Sep 17 00:00:00 2001 From: Renwick Young Date: Sat, 5 Aug 2017 22:31:03 -0700 Subject: [PATCH 05/16] add lodash - completed --- lodash_exercise/lodash.js | 300 ++++++++++++++++++++++++++++++++++---- 1 file changed, 273 insertions(+), 27 deletions(-) diff --git a/lodash_exercise/lodash.js b/lodash_exercise/lodash.js index 483d734a..b6316ff1 100644 --- a/lodash_exercise/lodash.js +++ b/lodash_exercise/lodash.js @@ -1,99 +1,345 @@ -function drop(){ +function drop(arr, num=1){ + let result = []; + for(let i =num; i < arr.length; i++){ + result.push(arr[i]); + } + + return result; } -function fromPairs(){ +function fromPairs(arr){ + return arr.reduce((acc, el) => { + acc[el[0]] = el[1]; -} + return acc; + }, {}) -function head(){ + // let result = {}; + // for(let i = 0; i < arr.length; i++){ + // result[arr[i][0]] = arr[i][1]; + // } + // return result; } -function take(){ +function head(arr){ + return arr[0]; +} +function take(arr, num=1){ + arr = arr.slice(); + arr.length = num; + return arr; } -function takeRight(){ +function takeRight(arr, num=1){ + let result = []; + if(num > arr.length) return arr; + for(let i = arr.length-num; i < arr.length; i++){ + result.push(arr[i]); + } + + return result; } -function union(){ +function union(...a){ + + return a.reduce((acc, el)=>{ + return acc.concat(el); + },[]) + .reduce((acc, el)=>{ + if(!acc.includes(el)){ + acc.push(el) + } + return acc; + },[]) + // let result = []; + + // let argC = []; + // let arg = arguments; + + // for(let i = 0; i < arg.length; i++){ + // argC = argC.concat(arg[i]) + // } + + // for(let i = 0; i < argC.length; i++){ + // if(result.indexOf(argC[i]) === -1) + // result.push(argC[i]) + // } + + // return result; } -function zipObject(){ +function zipObject(arr1, arr2){ + + return arr1.reduce((acc, el, i) =>{ + acc[el] = arr2[i] + return acc; + },{}) + // let result = {}; + // for(let i = 0; i 2) return false -function sample(){ + if(item instanceof Object){ + for(let prop in item){ + if(item[prop] === num) return true + } + } + if(item.indexOf(num) > -1){ + return true + } + return false +} + +function sample(arr){ + return arr[Math.floor(Math.random() * arr.length)] } -function cloneDeep(){ +function cloneDeep(obj){ + if(Array.isArray(obj)){ + var arr = []; + for(let val of obj){ + arr.push(cloneDeep(val)) + } + } else if (typeof obj === 'object'){ + var newObj = {}; + for(let prop in obj){ + newObj[prop] = cloneDeep(obj[prop]) + return newObj; + } + } else { + return obj + } + + return newObj || arr; } -function sumBy(){ +function sumBy(arr, fnStr ){ + let sum =0; + for(let el of arr){ + sum += el[fnStr] || fnStr(el); + } + return sum; } -function inRange(){ +function inRange(num, start, end=0){ + let min = Math.min(start, end), + max = Math.max(start, end); + return num > min && num < max; } -function has(){ +function has(obj, search){ + searchArr = typeof search === 'string' ? search.split('.'): search; + let index = -1, + result = true; + + + function iterator(o){ + index++ + + if(searchArr.length-1 === index && o[searchArr[index]]) return; + + if(typeof o[searchArr[index]] === 'object'){ + iterator(o[searchArr[index]]) + } else { + result = false; + return + } + } + + iterator(obj) + return result; } -function omit(){ +function omit(obj, arr){ + let result = {}; + for(let prop in obj){ + if(arr.indexOf(prop) === -1){ + result[prop] = obj[prop]; + } + } + return result; } -function pick(){ +function pick(obj, arr){ + let result = {}; + + for(let prop in obj){ + if(arr.includes(prop)){ + result[prop] = obj[prop]; + } + } + return result; } -function pickBy(){ +function pickBy(obj, callBack){ + let result = {}; + + for(let prop in obj){ + if(callBack(obj[prop])){ + result[prop] = obj[prop]; + } + } + return result; } -function omitBy(){ +function omitBy(obj, callBack){ + let result = {}; + + for(let prop in obj){ + if(!callBack(obj[prop])){ + result[prop] = obj[prop]; + } + } + return result; } -function padEnd(){ +function padEnd(str, num, repeatChars = ' '){ + let strLng = str.length, + result = str; + + if(strLng-1 < num){ + for(let i= 0; i < num-strLng; i++){ + result += repeatChars[i % repeatChars.length] + } + } + + // if(strLng-1 >= num) return str; + // let xRepeat = Math.ceil((num-strLng)/repeatChars.length); + + // return (str+repeatChars + // .repeat(xRepeat)) + // .substring(0, num); + // return (str+Array(xRepeat+1) + // .join(repeatChars)) + // .substring(0, num); + + return result; } -function repeat(){ +function repeat(str, num){ + let strLng = str.length, + result = ''; + + if(num > 0){ + for(let i= 0; i < num; i++){ + result += str; + } + } + return result; } function upperFirst(str){ - + return str[0].toUpperCase()+str.slice(1); } -function flatten(){ + +function flatten(arr){ + return arr.reduce((acc, el) =>{ + return acc.concat(el) + }, []) } -function zip(){ + +function zip(...arr){ + let result = [], + longestArrayLength = -1; + + function helper(a, counter){ + let currentArr =[]; + if(longestArrayLength === counter) return + + for(let i = 0; i < a.length; i++){ + if(counter === 0 && a[i].length > longestArrayLength) + longestArrayLength = a[i].length; + + currentArr.push(a[i][counter]) + } + result.push(currentArr) + helper(a, ++counter) + } + + helper(arr,0) + return result; } -function unzip(){ + +function unzip(arr){ + let result = []; + + function helper(a, counter){ + if(counter === arr.length) return + + for(let i = 0; i < a[counter].length; i++){ + if(a[counter].length > result.length) + result.push(Array(a.length)) + + result[i][counter] = a[counter][i]; + } + helper(a, ++counter) + } + + helper(arr, 0) + return result; } -function flip(){ + +function flip(fn){ + let reverseElements =[]; + + return function (...a){ + for(let i = a.length-1; i >= 0 ; i--){ + reverseElements.push(a[i]) + } + + return fn(...reverseElements) + } } -function flattenDeep(){ +function flattenDeep(a, result=[]) { + if(Array.isArray(a)){ + for(let val of a){ + flattenDeep(val, result) + } + } else { + result.push(a) + } + return result; } + + + + + + + + + + From 41299c1f570cee4dc964d505fcfafc9d3bae2ef1 Mon Sep 17 00:00:00 2001 From: Renwick Young Date: Sat, 5 Aug 2017 22:46:47 -0700 Subject: [PATCH 06/16] fix tab issues in lodash exercise --- lodash_exercise/lodash.js | 20 ++++++++++---------- 1 file changed, 10 insertions(+), 10 deletions(-) diff --git a/lodash_exercise/lodash.js b/lodash_exercise/lodash.js index b6316ff1..58311557 100644 --- a/lodash_exercise/lodash.js +++ b/lodash_exercise/lodash.js @@ -12,7 +12,7 @@ function fromPairs(arr){ return arr.reduce((acc, el) => { acc[el[0]] = el[1]; - return acc; + return acc; }, {}) // let result = {}; @@ -46,7 +46,7 @@ function takeRight(arr, num=1){ function union(...a){ - + return a.reduce((acc, el)=>{ return acc.concat(el); },[]) @@ -113,7 +113,7 @@ function cloneDeep(obj){ var arr = []; for(let val of obj){ arr.push(cloneDeep(val)) - } + } } else if (typeof obj === 'object'){ var newObj = {}; for(let prop in obj){ @@ -154,7 +154,7 @@ function has(obj, search){ index++ if(searchArr.length-1 === index && o[searchArr[index]]) return; - + if(typeof o[searchArr[index]] === 'object'){ iterator(o[searchArr[index]]) } else { @@ -198,7 +198,7 @@ function pickBy(obj, callBack){ result[prop] = obj[prop]; } } - return result; + return result; } @@ -221,7 +221,7 @@ function padEnd(str, num, repeatChars = ' '){ if(strLng-1 < num){ for(let i= 0; i < num-strLng; i++){ result += repeatChars[i % repeatChars.length] - } + } } @@ -245,7 +245,7 @@ function repeat(str, num){ if(num > 0){ for(let i= 0; i < num; i++){ result += str; - } + } } return result; @@ -274,9 +274,9 @@ function zip(...arr){ if(longestArrayLength === counter) return for(let i = 0; i < a.length; i++){ - if(counter === 0 && a[i].length > longestArrayLength) + if(counter === 0 && a[i].length > longestArrayLength) longestArrayLength = a[i].length; - + currentArr.push(a[i][counter]) } result.push(currentArr) @@ -316,7 +316,7 @@ function flip(fn){ for(let i = a.length-1; i >= 0 ; i--){ reverseElements.push(a[i]) } - + return fn(...reverseElements) } From 8d3a05b2b604bbaa5db2224f7c7027314a4eb3a8 Mon Sep 17 00:00:00 2001 From: Renwick Young Date: Sat, 5 Aug 2017 22:49:41 -0700 Subject: [PATCH 07/16] trying to fix tab space issues --- lodash_exercise/lodash.js | 380 +++++++++++++++++++------------------- 1 file changed, 190 insertions(+), 190 deletions(-) diff --git a/lodash_exercise/lodash.js b/lodash_exercise/lodash.js index 58311557..e0a1144f 100644 --- a/lodash_exercise/lodash.js +++ b/lodash_exercise/lodash.js @@ -2,7 +2,7 @@ function drop(arr, num=1){ let result = []; for(let i =num; i < arr.length; i++){ - result.push(arr[i]); + result.push(arr[i]); } return result; @@ -10,27 +10,27 @@ function drop(arr, num=1){ function fromPairs(arr){ return arr.reduce((acc, el) => { - acc[el[0]] = el[1]; + acc[el[0]] = el[1]; - return acc; + return acc; }, {}) // let result = {}; // for(let i = 0; i < arr.length; i++){ - // result[arr[i][0]] = arr[i][1]; + // result[arr[i][0]] = arr[i][1]; // } // return result; } function head(arr){ - return arr[0]; + return arr[0]; } function take(arr, num=1){ - arr = arr.slice(); - arr.length = num; - return arr; + arr = arr.slice(); + arr.length = num; + return arr; } function takeRight(arr, num=1){ @@ -38,7 +38,7 @@ function takeRight(arr, num=1){ if(num > arr.length) return arr; for(let i = arr.length-num; i < arr.length; i++){ - result.push(arr[i]); + result.push(arr[i]); } return result; @@ -47,291 +47,291 @@ function takeRight(arr, num=1){ function union(...a){ - return a.reduce((acc, el)=>{ - return acc.concat(el); - },[]) - .reduce((acc, el)=>{ - if(!acc.includes(el)){ - acc.push(el) - } - return acc; - },[]) - // let result = []; - - // let argC = []; - // let arg = arguments; - - // for(let i = 0; i < arg.length; i++){ - // argC = argC.concat(arg[i]) - // } - - // for(let i = 0; i < argC.length; i++){ - // if(result.indexOf(argC[i]) === -1) - // result.push(argC[i]) - // } - - // return result; + return a.reduce((acc, el)=>{ + return acc.concat(el); + },[]) + .reduce((acc, el)=>{ + if(!acc.includes(el)){ + acc.push(el) + } + return acc; + },[]) + // let result = []; + + // let argC = []; + // let arg = arguments; + + // for(let i = 0; i < arg.length; i++){ + // argC = argC.concat(arg[i]) + // } + + // for(let i = 0; i < argC.length; i++){ + // if(result.indexOf(argC[i]) === -1) + // result.push(argC[i]) + // } + + // return result; } function zipObject(arr1, arr2){ - return arr1.reduce((acc, el, i) =>{ - acc[el] = arr2[i] - return acc; - },{}) + return arr1.reduce((acc, el, i) =>{ + acc[el] = arr2[i] + return acc; + },{}) - // let result = {}; - // for(let i = 0; i 2) return false + if(arguments.length > 2) return false - if(item instanceof Object){ - for(let prop in item){ - if(item[prop] === num) return true - } - } + if(item instanceof Object){ + for(let prop in item){ + if(item[prop] === num) return true + } + } - if(item.indexOf(num) > -1){ - return true - } - return false + if(item.indexOf(num) > -1){ + return true + } + return false } function sample(arr){ - return arr[Math.floor(Math.random() * arr.length)] + return arr[Math.floor(Math.random() * arr.length)] } function cloneDeep(obj){ - if(Array.isArray(obj)){ - var arr = []; + if(Array.isArray(obj)){ + var arr = []; for(let val of obj){ - arr.push(cloneDeep(val)) + arr.push(cloneDeep(val)) } - } else if (typeof obj === 'object'){ - var newObj = {}; - for(let prop in obj){ - newObj[prop] = cloneDeep(obj[prop]) - return newObj; - } - } else { - return obj - } - - return newObj || arr; + } else if (typeof obj === 'object'){ + var newObj = {}; + for(let prop in obj){ + newObj[prop] = cloneDeep(obj[prop]) + return newObj; + } + } else { + return obj + } + + return newObj || arr; } function sumBy(arr, fnStr ){ - let sum =0; + let sum =0; - for(let el of arr){ - sum += el[fnStr] || fnStr(el); - } - return sum; + for(let el of arr){ + sum += el[fnStr] || fnStr(el); + } + return sum; } function inRange(num, start, end=0){ - let min = Math.min(start, end), - max = Math.max(start, end); + let min = Math.min(start, end), + max = Math.max(start, end); - return num > min && num < max; + return num > min && num < max; } function has(obj, search){ - searchArr = typeof search === 'string' ? search.split('.'): search; - let index = -1, - result = true; + searchArr = typeof search === 'string' ? search.split('.'): search; + let index = -1, + result = true; - function iterator(o){ - index++ + function iterator(o){ + index++ - if(searchArr.length-1 === index && o[searchArr[index]]) return; + if(searchArr.length-1 === index && o[searchArr[index]]) return; - if(typeof o[searchArr[index]] === 'object'){ - iterator(o[searchArr[index]]) - } else { - result = false; - return - } - } + if(typeof o[searchArr[index]] === 'object'){ + iterator(o[searchArr[index]]) + } else { + result = false; + return + } + } - iterator(obj) - return result; + iterator(obj) + return result; } function omit(obj, arr){ - let result = {}; - - for(let prop in obj){ - if(arr.indexOf(prop) === -1){ - result[prop] = obj[prop]; - } - } - return result; + let result = {}; + + for(let prop in obj){ + if(arr.indexOf(prop) === -1){ + result[prop] = obj[prop]; + } + } + return result; } function pick(obj, arr){ - let result = {}; - - for(let prop in obj){ - if(arr.includes(prop)){ - result[prop] = obj[prop]; - } - } - return result; + let result = {}; + + for(let prop in obj){ + if(arr.includes(prop)){ + result[prop] = obj[prop]; + } + } + return result; } function pickBy(obj, callBack){ - let result = {}; + let result = {}; - for(let prop in obj){ - if(callBack(obj[prop])){ - result[prop] = obj[prop]; - } - } - return result; + for(let prop in obj){ + if(callBack(obj[prop])){ + result[prop] = obj[prop]; + } + } + return result; } function omitBy(obj, callBack){ - let result = {}; + let result = {}; - for(let prop in obj){ - if(!callBack(obj[prop])){ - result[prop] = obj[prop]; - } - } - return result; + for(let prop in obj){ + if(!callBack(obj[prop])){ + result[prop] = obj[prop]; + } + } + return result; } function padEnd(str, num, repeatChars = ' '){ - let strLng = str.length, - result = str; + let strLng = str.length, + result = str; - if(strLng-1 < num){ - for(let i= 0; i < num-strLng; i++){ - result += repeatChars[i % repeatChars.length] - } - } + if(strLng-1 < num){ + for(let i= 0; i < num-strLng; i++){ + result += repeatChars[i % repeatChars.length] + } + } - // if(strLng-1 >= num) return str; - // let xRepeat = Math.ceil((num-strLng)/repeatChars.length); + // if(strLng-1 >= num) return str; + // let xRepeat = Math.ceil((num-strLng)/repeatChars.length); - // return (str+repeatChars - // .repeat(xRepeat)) - // .substring(0, num); - // return (str+Array(xRepeat+1) - // .join(repeatChars)) - // .substring(0, num); + // return (str+repeatChars + // .repeat(xRepeat)) + // .substring(0, num); + // return (str+Array(xRepeat+1) + // .join(repeatChars)) + // .substring(0, num); - return result; + return result; } function repeat(str, num){ - let strLng = str.length, - result = ''; + let strLng = str.length, + result = ''; - if(num > 0){ - for(let i= 0; i < num; i++){ - result += str; - } - } + if(num > 0){ + for(let i= 0; i < num; i++){ + result += str; + } + } - return result; + return result; } function upperFirst(str){ - return str[0].toUpperCase()+str.slice(1); + return str[0].toUpperCase()+str.slice(1); } function flatten(arr){ - return arr.reduce((acc, el) =>{ - return acc.concat(el) - }, []) + return arr.reduce((acc, el) =>{ + return acc.concat(el) + }, []) } function zip(...arr){ - let result = [], - longestArrayLength = -1; + let result = [], + longestArrayLength = -1; - function helper(a, counter){ - let currentArr =[]; - if(longestArrayLength === counter) return + function helper(a, counter){ + let currentArr =[]; + if(longestArrayLength === counter) return - for(let i = 0; i < a.length; i++){ - if(counter === 0 && a[i].length > longestArrayLength) - longestArrayLength = a[i].length; + for(let i = 0; i < a.length; i++){ + if(counter === 0 && a[i].length > longestArrayLength) + longestArrayLength = a[i].length; - currentArr.push(a[i][counter]) - } - result.push(currentArr) - helper(a, ++counter) - } + currentArr.push(a[i][counter]) + } + result.push(currentArr) + helper(a, ++counter) + } - helper(arr,0) - return result; + helper(arr,0) + return result; } function unzip(arr){ - let result = []; + let result = []; - function helper(a, counter){ - if(counter === arr.length) return + function helper(a, counter){ + if(counter === arr.length) return - for(let i = 0; i < a[counter].length; i++){ - if(a[counter].length > result.length) - result.push(Array(a.length)) + for(let i = 0; i < a[counter].length; i++){ + if(a[counter].length > result.length) + result.push(Array(a.length)) - result[i][counter] = a[counter][i]; - } - helper(a, ++counter) - } + result[i][counter] = a[counter][i]; + } + helper(a, ++counter) + } - helper(arr, 0) - return result; + helper(arr, 0) + return result; } function flip(fn){ - let reverseElements =[]; + let reverseElements =[]; - return function (...a){ - for(let i = a.length-1; i >= 0 ; i--){ - reverseElements.push(a[i]) - } + return function (...a){ + for(let i = a.length-1; i >= 0 ; i--){ + reverseElements.push(a[i]) + } - return fn(...reverseElements) - } + return fn(...reverseElements) + } } function flattenDeep(a, result=[]) { - if(Array.isArray(a)){ - for(let val of a){ - flattenDeep(val, result) - } - } else { - result.push(a) - } - return result; + if(Array.isArray(a)){ + for(let val of a){ + flattenDeep(val, result) + } + } else { + result.push(a) + } + return result; } From 3992eaa924162410cdb933b02f5815fc9c503719 Mon Sep 17 00:00:00 2001 From: Renwick Young Date: Sat, 5 Aug 2017 23:43:22 -0700 Subject: [PATCH 08/16] fix lodash - CloneDeep removed return --- lodash_exercise/lodash.js | 1 - 1 file changed, 1 deletion(-) diff --git a/lodash_exercise/lodash.js b/lodash_exercise/lodash.js index e0a1144f..c1b53ef5 100644 --- a/lodash_exercise/lodash.js +++ b/lodash_exercise/lodash.js @@ -118,7 +118,6 @@ function cloneDeep(obj){ var newObj = {}; for(let prop in obj){ newObj[prop] = cloneDeep(obj[prop]) - return newObj; } } else { return obj From 706e9057f0dfdb14e11db8212ac8c80c3d1f19c0 Mon Sep 17 00:00:00 2001 From: Renwick Young Date: Sat, 5 Aug 2017 23:44:57 -0700 Subject: [PATCH 09/16] recursion exercise ready for review --- recursion_exercise/recursion.js | 185 ++++++++++++++++++++++---------- 1 file changed, 128 insertions(+), 57 deletions(-) diff --git a/recursion_exercise/recursion.js b/recursion_exercise/recursion.js index a90b6837..21d556b0 100644 --- a/recursion_exercise/recursion.js +++ b/recursion_exercise/recursion.js @@ -1,39 +1,40 @@ function productOfArray(arr){ - if(arr.length === 0) return 1; - return productOfArray(arr.slice(1)) * arr[0]; + if(arr.length === 0) return 1; + return productOfArray(arr.slice(1)) * arr[0]; + // return arr.shift() * productOfArray(arr[0]); } function collectStrings(obj){ - let arr = []; - - function helper(o){ - for(let prop in o){ - if(typeof o[prop] === 'string'){ - arr.push(o[prop]) - } else { - helper(o[prop]) - } - } - } - - helper(obj) - return arr; + let arr = []; + + function helper(o){ + for(let prop in o){ + if(typeof o[prop] === 'string'){ + arr.push(o[prop]) + } else { + helper(o[prop]) + } + } + } + + helper(obj) + return arr; } function contains(obj, val){ for(let prop in obj){ - if(obj[prop] === val){ - return true; - } - - if(typeof obj[prop] === 'object'){ - if(contains(obj[prop], val)){ - return true - } - } - } - return false; + if(obj[prop] === val){ + return true; + } + + if(typeof obj[prop] === 'object'){ + if(contains(obj[prop], val)){ + return true + } + } + } + return false; } @@ -65,21 +66,21 @@ function SumSquares(l, sum=0){ } else { sum += l[i]*l[i]; } - } + } return sum; } -function replicate(times, number) { +function replicate1(times, number) { let arr = []; - - - function helper(t, n) { + + + function helper(t, n) { if(t === 0){ return; } - + arr.push(n); helper(t-1, n) } @@ -88,50 +89,120 @@ function replicate(times, number) { return arr; } -function replicate2(times, number) { +function replicate(times, number) { if(times === 0){ return []; } - - times-- - return replicate2(times, number).concat(number); - - // return replicate2(times--, number).concat(number); - //I get a stack overflow when using 'times--'' in the recursion. Why is that? + return replicate2(times--, number).concat(number); } function search(arr, num, i=0){ - if(arr[0] === num) return i; + if(arr[0] === num) return i; if(arr.length === 0) return -1; - - i++ - - return search(arr.slice(1), num, i) + + + return search(arr.slice(1), num, ++i) +} + + +function search2(arr, num, i=0){ + + if(arr[i] === num) return i; + if(i === 0) return -1; + + return search(arr, num, ++i) } //Bineary search mush be sorted. function binarySearch(arr, num){ //assume sorted array with postive integers and no repeating numbers - newArr = arr.slice(0,num) + // newArr = arr.slice(0,num+1) + var newArr = arr.slice(); let index = 0; + + if(newArr[0] === num) return 0; + function helper(a){ + let arrHalf = Math.floor(a.length/2) + + if(a.length ===1 ){ + index = -1; + return; + } + + if(a[arrHalf] === num){ + index += arrHalf; + return; + } + if(a[arrHalf+1] === num){ + index += arrHalf+1; + return; + } + if(a[arrHalf] > num){ + a = a.slice(0, arrHalf); + } + + if(a[arrHalf] < num){ + index += arrHalf; + a = a.slice(arrHalf); + } + + helper(a) + } + helper(newArr) + return index +} - if(a.length === 0){ - return -1; - } - //Check if index value equals num, return index - //Divide arr in half. - //If the element in the middile of array is greater than num - //divide the upper array by half - //else divide the lower array by half. - } - helper(newArr) +var obj = { + num: 1, + test: [], + data: { + val: 4, + info: { + isRight: true, + random: 66 + } + } +} +var answer = { + num: "1", + test: [], + data: { + val: "4", + info: { + isRight: true, + random: "66" + } + } +} +function stringifyNumbers(obj){ + if(Array.isArray(obj)){ + var arr = []; + for(let val of obj){ + arr.push(stringifyNumbers(val)) + } + } else if (typeof obj === 'object'){ + var newObj = {}; + for(let prop in obj){ + newObj[prop] = stringifyNumbers(obj[prop]) + newObj; + } + } else if (Number.isFinite(obj)){ + return obj.toString() + } else { + return obj + } + + return newObj || arr; } -binarySearch([1,2,4,6,10,20,22,25,28,30],6) +//Mutual Recursion +function F(n) { } + +function M(n) { } From e9c5eff9fef89c9e66f4584b37d5bf3a4346d727 Mon Sep 17 00:00:00 2001 From: Renwick Young Date: Sun, 6 Aug 2017 10:30:36 -0700 Subject: [PATCH 10/16] es2015.js ready for review --- es2015_exercise/es2015.js | 75 +++++++++++++++++++++++++++++++++++++++ 1 file changed, 75 insertions(+) create mode 100644 es2015_exercise/es2015.js diff --git a/es2015_exercise/es2015.js b/es2015_exercise/es2015.js new file mode 100644 index 00000000..082eae1f --- /dev/null +++ b/es2015_exercise/es2015.js @@ -0,0 +1,75 @@ +// ## ES2015 Exercise + +// Convert the following es5 code blocks into es2015 code: + +// javascript +var person = { + fullName: "Harry Potter", + sayHi: function (){ + setTimeout(()=>{ + console.log(`Your name is ${this.fullName}`) + },1000) + } +} + + +// javascript +var name = "Josie" +// console.log(`When ${name} comes home, so good`) + + +// javascript +// const DO_NOT_CHANGE = 42; +// DO_NOT_CHANGE = 50; // stop me from doing this! + + +// javascript +var arr = [1,2] +// var temp = arr[0] +// arr[0] = arr[1] +// arr[1] = temp +var [a,b] = arr, + arr = [b,a]; + +console.log(arr) + + +// javascript +function double(arr){ + return arr.map(val => val*2); +} + +// javascript +var obj = { + numbers: { + a: 1, + b: 2 + } +} + +// var a = obj.numbers.a; +// var b = obj.numbers.b; + +var {a, b} = obj.numbers; + +// javascript +function add(a=10,b=10){ + return a+b +} + + +// Research the following functions - what do they do? + +// `Array.from` - + // creates a new Array instance from an array-like or iterable object + // for strings, split('') is similar to this. What is the difference? + +// `Object.assign` - + //merge and/or clone objects + +// `Array.includes` - + //Checks to see if an element is in an array. + +// `String.startsWith` - + //Checks to see if the beginning characters starts with a specific string. + From 2224ccc338b55d8b4cc89834944d89d79f638cb3 Mon Sep 17 00:00:00 2001 From: Renwick Young Date: Sun, 6 Aug 2017 22:29:03 -0700 Subject: [PATCH 11/16] add index.js canvas project. Ready for review --- .../shapes_game/canvasShapesGame.gif | Bin 130471 -> 0 bytes canvas_exercise/shapes_game/index.html | 42 -------- canvas_exercise/shapes_game/index.js | 100 ++++++++++++++---- canvas_exercise/shapes_game/readme.md | 20 ---- canvas_exercise/shapes_game/styles.css | 87 --------------- .../shapes_game/vendor/bootstrap.min.css | 6 -- .../shapes_game/vendor/bootstrap.min.js | 7 -- .../shapes_game/vendor/jquery-1.12.4.min.js | 5 - 8 files changed, 79 insertions(+), 188 deletions(-) delete mode 100644 canvas_exercise/shapes_game/canvasShapesGame.gif delete mode 100644 canvas_exercise/shapes_game/index.html delete mode 100644 canvas_exercise/shapes_game/readme.md delete mode 100644 canvas_exercise/shapes_game/styles.css delete mode 100644 canvas_exercise/shapes_game/vendor/bootstrap.min.css delete mode 100644 canvas_exercise/shapes_game/vendor/bootstrap.min.js delete mode 100644 canvas_exercise/shapes_game/vendor/jquery-1.12.4.min.js diff --git a/canvas_exercise/shapes_game/canvasShapesGame.gif b/canvas_exercise/shapes_game/canvasShapesGame.gif deleted file mode 100644 index 26c169b42fa7cdeea90d9227e5beb9af315c2428..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 130471 zcmaI;cT`hB|Mm;-oeF`3&^v}AO+}QBAfY25M4DL8h%{*;QUxKQi=a`e2p9zEU=$U^ z7CItT5D+P$gMb9-QgXQO=Xu}r{MK3Ld^7(fvodS1H8WTCzUKPG^o)t7)-?vG0B(ZH zz(KJ95C9Jf3PNBo7#s>mB9LeRz@RZaJUoK@f}$d#xI;J@X&Jf0a&oeA3UUfZ6ptt! zQ#zr1Lgl228UU!PscUIy>73Hh)78VD#v9-bOpHuSO-#)I(A>=2(!!EpML1`D?x1W4 zHgxUXEka`oy}B9VCQ>NRJg^FdvAzU~SDZZ2+au5KOx;OXJ%dBfA! z$M+@_ef#$9kf4yTurN{tDLN`TE;cS6C6t(un4FaS@Zm$s14_!Hlyrn(dRlshfNYkC z!c$Sjr&&+4MHF+hbD!lrdzSl*Dt?UmjGF&Ezo@XN41krDmQ@_pt|+UhEU&DrsH7R6 zdu3+-%KqAG+Uqx`&%Sy6=51B&JB(QM+v=KkH8s^WwE*xzTH|Bw$1k70&_hD&=yeCx z2!M?ZjV;YB-`c*lQxZEKXLP1N>s-$20x(@2UEQf!z2AHL`+f}k=pXzsFgQ5)^Wl@B z!J%OQI{a&R1b~eEni>V*qa$OZqyKHp(lG!S8yOoLWBlg@pco@#|7oL)gLmWQ72{*$ z6LLC}hfhrb;M8HAsrT=uCZ?tVU>X4b(+upVr>AECU}k1y7J$qG(Ak;k*_qin0GyLh zn>(a2C#^k)KR*uu^ZE|I0qF1f--}D{mjKAp!qOiN%Rh^M{wysl1CV6^%LD-C+yZl% z$=u&x0iY|3V=I4J{xVnoGXJi&b*;^%ugyPM`@6dKcYSSte;okU+q&0RH`dqJH@4ZEb9AZEkN5jc)J!`*%Iy-`2l>|Mqv%pY81Y+c~Jc zz1`GjyJ^pN|NYzjx4XNux4XN$x4E^qvwP69cToEWZGRsC_9fK!W%c)cNc(Ad`v*hp z?*FIfKYa(qVoB++q)xMlp{$!Rtb|Nf>rYnOAnV&t*0*1*fhpGL9BXZZwX?_C-DT~u z4oZ^6VP$M*Yp72!KB=S(1rN4^UceJ;O(%#LeFn_vD+UC?;=J&VO-F&jlM|kDRZxcete{y-_CAaGrQyL2ReJOGulZ z$bY-JU-*11+mAoyPlJxWy7+|@_~TN!Lzx5d(ztk;qTRIyj{CY^u0<>2r^1JMdSf|` zyfjZ+sz+flZV+i}kHA)VWrA<&((N@8I(5WeB+s?|uieM&CaWe^j_MP(Gmc zBS$pf$d|QW5uM2^b#}%g-{P6or`o{ZoqKP0syQB4xsBytVEs~Gdg|ot^;4jCVf*JP z?;D?T_PcV-2x7%QX(2@Ol5jA-qSXwL`6UZ6NI!eegM_dRJ1@6ZdD2 z3MFrJ#(Za!!Nti>B;X<(rS8cW7C%prt(=>R5@bu~o+th;u{idyf4f*I z)j`|+MS9x}g~Dt%&!QrV@0}Y(+2-b+#~w7F`CU-@TWYe5*342|D1Z4t^E#zwrgWk5 zV1z>Cu%&KI`y~CL#Com1eQv#g!IZ{L#OyG8x`~zseVt|7|;39sWv#^Uh>vyXt`V zYKLlyVQ2f&o7+{L+MBzpo$3phtGYF%byd2JxRz8q%uGixy&BR!0i8w`pH#I5*B90Y zi1EiZ23<0I-ud^fmv0O$SvI~K;$9aE{0Y@#lO6nLdzKon^l#2?7&a1ETvYk*x2dFHELx=% zx3lejgfUNm4 zkDEm)0VIfED;=TDBx94PFgde2)J0~LP&*Z&(OQSO!;HqkNT4S!ZsyE#jJ##uIm}=b zww4*IoRr7uZq^_&)J>M=jAplQZIIZY#A@(B$5#7bO6IPA>Nyb@Hq+L@w1ec>ZKJ}5bM#t^qH*6IvHNIZLXs^E>0T;x7k{oyvfwk#|Vnx$f5)?*UaO3h!r)4TZV*Mrhrg?d<@D6$JJN^z~rfr z;~oIigj5H4j_Y}v75JD%i?Rx9>wh=1Ql!7qqE}3Suq!h_Ia-6BHULR1jVcKslDHll zB9U`+Vew+X{4N8qNVR|q;}BMzSqA>*Jr$W9-Xg!geu+%A5qrSafEFP_%m`HEA9)iS z(eAjSU1^w{JOc4|n@f~sNrKA}$p|S1GPp)1kG?c!AXxHqLL@lBZ=GFpR6mKg7|{4i z2H`^_P@-ls%ZCQz7ox;Pwom0Z(&^|ndnn3m{9|%ilZ(Q)QR?5nHO%B?PHFbkh7uBJ zBb0&D_5A(BAwPcTx*rfNM*{VB^N}2Eb(~@}(0&&JIbvoduiZ@&i6Md}AxOgU_A5C5 ztyZ%_YJ8-BjR~v{agqUwO8n*0Si~cAJ!1T68PTGglJrI)2>-_&E_+xWLQ6B+|FVJ0 zT=FEV!|y>=_AIA+$QAXkA)Tv`>S9B$ZmrIB%M1<3U8S2z($uf_;@&rpKOhVI>!Lh( zQy_PC-u%*?P7bHCT#ZlThmUAT|9m5>sXub|%*Cpw-($>F10SFDB~^78bt)9OkIakA z`L)tI)ljZy7p@!{=&i+U5RTqAxhg7Jm5r`^ol!xUXZ{=P{-Z#PJ-hTn_tem!@7$ZR z4xfd~r+zUoZvG$6`rdTc9G=^se)p}zw;=q~2s3D^Hf@5(^WCX|)^lDTH_>M3F{96woOoXo6T&Q)OYb{+c5t#>yIH+yF#j8C>($ zH>El{tTwp{Kgz3yCS0Bz9eqErw=B{a8bI{#NM^O%`4M5ZV%}(;Hz6MLmK18#DDJ%L8A^7)yP)=YwsH6aUf+%q;; zzEH#(DNs2Rm^KwA20+dd5x8zpgMpovfrxfPG*)aJ=umO0tE5n9*7>M3)4K$iwF(|A zU*oF4g35$ToOp;i15}iSY0-fG!*EUjYDoimDMz_+VAV91+dU#KCc?}tG&q=>)g5C! zh?-dE(!hZcOw2VpV9CUMA%I#;E)hS-*K6!t-Oy4zD8|5klZ+Z*T_gE;+?Ffmy=4Yg zP{b+-pa$WR5cP_8Hy~-uDNKbvX$2J-eq0O)1prSoF8?kDgrU^ zFd7u_C6nu!rduZ+B)6WQevXpG!Ao&q4_g3D=x)Db@LP}jEI$aE8S@ecsxUCeao}VK zf?e6RivZdRAr#%9Jf!$^8gL4i+$(hXhvP%H_~hICurJ+wjd<8)f|U{OLIeXE1e`Tt zK4RgKIt1uxfZY`VbE5=xnLZS_5VV=_u$onHAGU5ibJDCj#^awIf%nX#>qTa2XM$f= zW6ET?%ig8-H;Vn_ zpfZ?&Ni>%CNla)avHH&a&|87Re4y!>=_oOQTOr~1w7s7^>3;Xba)av&1uE$WtzdBJ zbZ7mZ4$r@5mg1hpwwbP_e@=%6J_R5~ScIS-5{G^G_KEh3drv>dWwoty-M}N$2@pFf zRF{dd!6#6HvuA>ywh5_+ex%jqh1|P~7=4mOODHd;dPDDPdLaL3zR z`-Snj7f$A0j-@Z$YAqay&##+%DWD1!0t&oDu3r6JXdqd5tJK}qv+%<2{9tXb+vY`G zDtUKH-6K)O{pk*#+QlIb#c`~}>O;?`(U|*^WD6y>zmUA4IvQwB<=zL#a<;tyugd1dERma#QM@ z)Ip?h&-$O8pU_dt5>ugoy{ais@3@cDUdugiuBHqsmFO|2*z8E~y&-c?EIf#c@})(w zsK|D4L?mNFTT>?tvwGG6td?y z(hUgVK~XHIp$|i|2q2dqXd49O#X%g@z>z=%AEio|21+RN4qbdYtoV8k<{f|iwGw-L zIu2B)VLAaQFO9>52ADH3-V~6}kBzM6m`(%5nOvvnK#x2EO?1KmZvcTCNsJB7g@YUhE*&8v6tNH%?t)=A@RR}NQie!jA&OK; z1Rct+{NN=X)Mg+tSeM6vP!ZbY=Uy2FmugS1SA46hw$2n|FFbHy;1%>LZ8j)|MPoN& z09|Wb;Usu3722@F^%j31PAFbx^80f(W)?4rshQt7t~vzYSHT?&3e}~ayF&rRx)DJD z1lx_eP6ecKaCHX2ugn(C0Az_sPXZ{!C7#jT%+-s|Q{vAg+ws?8 z_TQF@rsG_nZ zQcz?9@;8ygtfRZqv*_y583&Di*9x|J9H%V_!@_cok~)_N-)=fI*?+9RwP$gAgv(pJ zuL{SR$Yg&;L6wl$1DR;ioG!fWx2O(pZKuKBQ)LT&?f4wn{XO>NJ@)%K17Yai+mk() zmw3Ol|1?Rxd|G@ce~&$v!Cpi`l`FG*cJwdMxyna|Dwq0bdtb-2`|FwPDSp4Q>FmLG zf7H>rc5%Z-D??4mms^qtp~r^mmD%61j-eP!gC&H%)a1UpkpjQFBkTj2D$uT>ioub+ z5ystLT@?fGi0$9oG3Qf$zJK%6NCsd?AKV%NUNA<#{4eLd-d|3?o&lp6%+C_~ujz^( zeNI%a4hKjj9zipKQN~54#)V)LJbk*^0zXg@To$y!Yz8~#52MZLM`#D8M|XtZcYOGa zu@)U>M1`Hh!uXg5!V!QP5pfs*q^=l2PJC&ej2Pmd@sLq~7XW(L4nCju z|AW8fJ3D%v0pMo?SrK!$M|E)$?`)?V>dNOUwvT3H#Fx0CeCj6@_FNxGO^;41hs}6p!kE!04Oi&Y56Q z61jh(Fn}xrftvcm3wJ1=11`LUXoWsFosdy<`ppG&C?}lC)0Jl#AF03ZR zjy75!54-O77odE!qd}3x6^;Uk4Hm9J1!QnAbvpby7J^cRwrfIB0e~(ZP9T9O7}SOV z6QzL;xa5hiqCy$agiy2ed~YB8WTR6w8$YyvpUaUej15&*a~dfD(9lpULL-OtLT z32qAm4=qEj=sKQ$P?XDxrx)CYIf?%Q9O;J2kq*XR0&r{R7$87}p2NkMQ(+o@zzO*c z;NZgWFh?v*lC&&Lg=Xd!S78Ofd9V;iDlC2Mfen4_q)VW-?YA~O1~z%@>#MQd z9D?NiDWDrB%mt7=5c<@ta3Z^IH$vDiSB?%evH*w}76o)e!|}isDon~{YD@?&qzpFF z*!6)%Gz|#AL1md-=O}Z+Ob$KSn~nah>~Gnk!v~2Ash6%b|?ft5IS%WD~#v z!hyYNzW*Zc?=prY$&%RGs;0J_at}x_1^{A|xP>ww_Eo`nv!2umEvw=e!@9&wxPouI;3( z9UlU2_tl3OZ-sey{p2q6B))Oji(h~QD3kJ|BjpgV(GxhySc$GXYa!DWAPEBSjLK7$ zc!nXQ=*Vy;F$rSj7azl0c?JNul4|g2%Kr3;Ly}vQY$zuw*u*oeuO9>u-+vE~2+aVA zoS8Kl#RVvCwZvr_n7`8F+8-waJTgYyB$0A}9v2zm9oqzhl$CwS%fovT36t|di&iae8w|jmw$3dz;O#1 zt-MG89Whz==K+=d6+HH^BambEu(1YdY-$MtB++J} zh8#|SWUSO)FW-v@wo15x2(~Lu`obxx-xU+7op2-e#77SvEW4gplq+oS2H5PS9dcIlAgg9Wf!P3H>+<&Og1dN^0< z9+n>$|Mj#_FOwd9g3TxN;hcFz!WphakbLoARbv|+<)z7>NT<#iwEB)8RVN#*RY|c_MC+z)bR89+rXw*Y|G2j*z8u^*7S6G0F;N zi+HvOCcs6cLY#ID#WZ5vb*2x@m+va^r=|*#=c$R2F?o`^T8|FPSCO4}^M&$A^e0h3 z%vpIl`xi&DXeK3hMwu!wsc9J3u1uzAl0l!Xc$Hi*y3NlB{%4TP!}J3X@AGh{0l+-q zQJlL@G)!WG;ZW5lUNsLsIgxK~ui@ZIIPlc1LP&iY{f;jV zictihCu{W6#293;7@P|Kf!QmCC!=(z5Z)U4z5^v1Nj)CP(TYdAQ2~&$fY2T!IT&Ff z5F!csxlA9cWkVLr#vKuNnMObVRl(a>4HcvU!3qE|-I)`>GRRz8efqO)R76k*o}>5% z1nx_M@@CR+X&HcmM;AUG$)tnche_qQ<8{0YB}-XKG`|r32&@=CFVd~E2I3*^A;Z6X0IHG`WCjRYZ26*Usce?vxf4jTM z?X1=QOJBf&jwi2@W|VAQ={*;2f4_7Xoa1D$I)$}vrSp@(r8?bjsBZgrx7&v(dO~=z zS9pZV!3Rft}N zw^7$z^ceM)&nRoOwjiKW4dA20bL|u&-^`rY)%Nh}P~K^t4^z88o~?HY`n11lgWWXs z*n-pbnf}iY0^fw`&bjVrAs0NF#J5PXn>`o1Ceq)P=ZyS5@`a-MQZnxF7V%!>R3100 zI97#zjh*HGF<-63B&42S;;DW0&^Xt5JD9KXC{9*nLa?Q#TnZO0z$|I$>)i7HefBBe zK2$7a=+~+K6|Tsw>*L4cLrZ^(`DYCb&uFxSR-CxLl5L?K^9Dp}#7G3#q=<<1GUD_u zuV!UxjLa)%hjzW_d`q+*`7Qi%h$LOOHzM=s>6=7eGdM-ntrp~EsO!z3#q?dq2f$k`^4%&9WJQjd>9`-B|TUvG?Np(6^H1-s($Tx8IQZ(gv$Z)3 zzWhCPwe^hq}RsrWaVvg`NoUp`zFpRVgo^TG2 zD6e421vF?RrOGdgo-An4hLMKK>Ub9ozSH$4R_pb|&{I_n`kV$wvp@5->+8W9^}_WH z0*p9Rjrcz5@!K^T59{lPH(JIRi6kZW^y=n8n+Tl7VpGxlZ;S-Ijn3K`GaDML8b7IO z>h@abit893w`{U+Y?@B_l4c7(>=CUBG!ywu)UhTS1js$CWJZ~>U26U10F%vM#(qqs z1rw@|h3V0oy&Ido%A37nVg`h2UA^lrg*W>zessuAcGS^zoY#~`@ zTe1C&IEN5qq_TE~*ZcHKW?V8Y@v2{Q4NV7elD|=8l>~^Ma!r#LDg_#K5kLy2tCDQFv|7}8h2mK&X!RWas4 zfrscMbp|L!BVQ$eiX>1!6I7`I?>WX(Tw1c*Ph0l2)t0|^>U%B0;64mQNfHu8sZlwt zWc3=*URm?~F8$LhNco#@&5bpwGH4#fRAonb4F)JKL_WeG2eMU(cU#07wND&5(<0L$ zk!2d08F%t2!kK}vuK}g~K)r<1?)VO;gm2w_r)!UPjKGvy3zE}$*;z;BjeF+IVqj;7 zT|V_pbxhmwk?o9L_SOvynob$je7KP2&?7n1XXPtWPrHS@$&9np7p1-G{HxlvYSgu+ zla@2wxd9WS?k1Z)NmVaz`}d|x)8$KWK-ZqPl~qh~ifyd8veoZ$*_r(dWVlcvS+*)oLtTFW>pSIyNTQuN$MQrraop4LrB+ z!6$pP93B%^Q@lU@)(T4YqpzY4Ft(zW#pF6rJ(T{IE;sNE; zwRvo5b2x_}`$?xif#ZSXTLt?sTyMWO!)%6mZRUqX4^xtq)@@jm&|c+=Zzm3)o9MNX zR=z)fxwqZcvN@o4sqs5&SX2tne(F>2h;x_jwDr~^TDn}~7S;L|n_MydoOoK_uUd1% zY3rl*t)GOWL^4xv)O6_I)gF0cH`>@|u2Y-um-BbWjxdsJApT>?$S#=Bhe+b{+KR_9 zfC-PZGt)mp6Ag~c^_)L!&$9b?*2AV-=Le1sM9ZrXT=}J%%@hJ|Dt>O;I@iZ>ZI;txTRe%6X# z^sIP;qo&E@Ah?7wUS-P?_^+Ru7aG*gq#b^6f(ghmNh$#3OJHWC&~Q)k;I6mXH{Ic9 z7A>#kb;a2r3bdGp?8`+Q7yHy&3i*>CS3!baH2u7Lo~8TNDP*eF{2DR{hxE_v^2$WK ze2TbLlWNYLJh7B){>pqzx2hC<*1taG49Mpw|0F*{i>Q0PL zjIzW1frG?LY;j>BQ5Udrc3Uxa*a=C232U|qJ2sdx5pj!j4V6AF+}11dpyf!_7xSMC z%*?nW79lMVtF$qpv;ng=i?yAL#uE{K9uq9NIA^~!=fY3pVjBz@=D70y#Bt2z38m|9 z3?$%iRV_|i-S@hv#6Vy-5%XYDYa>Rx^12QN<}!HQHDP?cViZbs6>Z`Wuevd*ciPETz{UKCi})4S zL;WsR0&vH4*Ng9_FO8!2ez*#8>T2#!J6KJf7nro&axtBm45D9s<>Y3s+Hj?LikR+Z zjhL2|aJ9)D_qozE?h|hj;pXSy;;eMt%OUQx$;@!EQ-G{tpqslx&~$L_j3>rbuF^dW z;S%0|g=IO7iI|C)nR0wEOOo&yA-J)k3-PVP?nVM`Ar7$6!r27%4~j45q8*%i{M;OZ zX5-vq<3GDSw9*ej&+B`;*}J()7tUuD-jGzf?osS&Cg3raGnFA>Xrb;B9ujp4i@1QB zC=i&qWCk}Tz&zOI{Nn~~5S}OAc-ZfQmX6m1W`0-B{MK`f7Kpf(+vyhex309Z!FOYf z%_`2cHLlt!-m^8%le$n_xDb%A;Mxrjq#vvi*OD1~3F8Ir;iiKn^Y7UEiFJfp|4f}g zgJT-eD>Ke#5Yb0n{MNkKUU-GB?rsmg(Nb6+x`xsFEXDq?_!prTr7}VdP3x)W(ufcf}_7L=0*(mHB zh@nE|9lJvy#w{G);i6uJ0aIDRcq@ku3wYe zaMswkZo1)ee#6y$BU)vI2oJiveEXt%fXBm)!KZ;LHy6F0eS#*Oi??6%i>JSz-k3HF zxFr~DeSGtFd!Xmbbq}ZD%ZFTo^=3mf0xgO*&p!(Yi*F6;3dRlxM+gRlvo@#uZp@?It{H!{07I(9es?;b;Ne_U>VLSui@bbspn{?oA&e`QD6coi?V(()Q&SrP}?(O1u#?hC1S7Ru3fHv3KUb*-_z24qBx`oim~6 z?(OEK{D#!d$8Njp_Zez2s!;j+C2z|wkmEZ`oxZ(0X7IW(vB@>_@rw@N$ff=A`x!5; ze$stkD{fgs8*hjS6t=re6PReBNL%Du3g2pN%T)0iZGT@i+eJ0JFLAc^&3tdMZP}HM z+P4b>wCmq;&whBf^sDCf!f3~b>g6$dG{+&Uk2Nckttm&Yc7A-nI@|rfvZLz@gH>K* zou58zE;9ndSRB@$cbg;y)H1Jj<;uluFeeWM5T)oJ;?NMCl&;86AClB}2gXPv+lCA> z8_$}R5xe>vBN}Vciq*6@<1rp92y zRQo;tM|KpUFhwyExH0v}Otxg|v8DR_R0_dFVLH{$;l^~D<6paL>2?uK)2Yik`J)-O zD1YP=57|ag|9nA-3<9En1)_arOJF&m3t=`zaPhy{(IMiI<#C1oogGb5|2>yaF;Sc^ zNOka>f05}{s*r&2{XJjQ_LG~$MNRkoebal&uQc&ad7Bhx+{cbw|yQ|^MiveSC>YI86)d-)d24tC zRI+jEL<}ti)^q>e2P#bm%cT})Pu&Tf#x^* zDKe+O9)rW1R0keG$xIX8=(~l3v=tXoesXhJ*7N9mYN4hXrQa z@#XU42oZcwfYZ<2sYO_#aNQ90FQkNF^$e~+Z4l<6v2ihjvG&_8mIAj7f#vHIo|@7y z*KzXoLgdqhvxP`D{V_c5Jhu>*DFq9$6gnzYyosK-{PBw)DePaFpw`G)PtG%WeG-e@ zy$4UzN?|`;oaMx9pFF(W9E7T$oTlV0;+0oXP)Bjc;k~j-+ z$TO`5B7Z3fmIYFRU;mpOr6d)|$esCW9+hxAoiACj|5l4-oUAv&d>@tEF32LP@(@ zt(!yVWeY1yp|cg1(riCe@1F|E?C`zAt3CEl)`o`bEZ71BK%#-xz}L>8+SMFul$egj zcXV$@ikz11knV}cRh(geRHWs$i;Nxf*vKC(say)h%UJVAcx686u&`nyIrE;xi)+t? zI*Ls++Ik+`S<5%Qb8wEQi1nv6h=7OZzq@TvqVJ@NDlN&Y*q5G@n8N{5-MBLyeo+#A zq(ZmdIh$q@C2uR*Aal*b@0kqal?%I99@n??%iCGHBHc;1|{oB$6o{mU?mWEgzTK2ufL@l^Bn z@8JU-?|ODz618W~>Dc28!jie?EU&2$746mSgz$OxX&qPQJ>yb;H#mR>+;(%Ei#gaZn=4Fr+VsY<54)rWx*<( zak>Eb|JQM^ef6`eRjuQE&prDu z1JLKhOUj>6)+SIPkFG0dLCz`87iI??=s5LpuuUegFr7l)=3!K8g>2vT}dOPS=w)Ac|=syfV+>t*uQ|Vs+Zw$cw zat*f7d^08#qbJ{R zBm^nzPsr#TFaV+-8t`^HMy7^h*whQ(G-umyU~Gh3>hU(a4c>sEW`I7RL?~bVZn<#b z0>GVmxgIaEb^(jzE6^g`J{!EW9s_b+ret6)l-FNW*;VOAL0oZ^p{p&&szdyE0|N9N z#8gLy!#7zu)S-TM)%px@5ZHv^VI;C)(e~2TBvtKQ4GgJ9Q0Ze+z|!@s4G$Oq=&fA> z1Nsw7QcNZvFaYTHlk!(4b=I^O-b7+fUJ>BnOPPaAU-=&lfZWU7zwH{!y9W%w@x8Ua z^Eda_2i;kkUp#lq_cphksWB6c1(^NqWnUcS-`sy0favCC^T3vytQw(>q`Jt>&9P%G zIOa3pgRyW_fG>$H$-yKfu)}iE zO{x8wVW%_ut3g6MKA<&{wf`C_ttoR8bBb*~s@TxJPZ>~?|JlH1^ZFnh1?4d_0%WkD z?41={c=0nkEKedTfN}k*<#qk7^WX-Y4l2_cp?zkid4xJU*ehr8FPR1}gd5|-`Xs9y znUohq27=5f#mW9UBf91qE?xPm)Mm)*GbbOB;VU_ZHU7&0q)<6u$eW&Nv&s6KT5S13 z@sRt8uf^#2vI8A|D~RIa^GV0)MC<>K|Au~Dks-n9c!-_79rKQgyMJT``J*2cT{L*y z_6EmUck6@4Y06b+4&cj2@>wrmf;5QD(`Y%<>7TWl{T~M4f9p6isYqw`OxK;E)!eQ2 zqSKpSSzQtTR-XarV*F;P0QMrq?1{q7kDL@d)34OQ@lhmd{i$(+t8BC- z0~gFe5^q0GRyTX>k2vFO^1-A$dXOkC&`><#?LsNlHS)pC4Vpjc{~py&!?86L7&d2? z82<^lp(}32D~64#gX7^4ZhifuJ<)RN1rW#+$zgvi;48FVd=zS--wvom%b+Et+Ut%G z?mPmb(r$2vT+r_`jmJ)Npagliw(>q}w@vcV79}idlHc`V`Dg=j6&~yz5Hp%k6bahvtSP+zP zImSuw&Ck7IU5GLVnc3jRKp&rC-l9YlpATFlBJ~H4P^@<)F_3d{_z17zwa=SgYdNtb zmZ;7@1fBPpnK3ZoH%i`3r!R=J$ts_qgt9e$B8$YwT}O_;7tXAIjx|22bd7>U;y#Q2 z`4uB~H0kd}P2kUZ%01h~8e42Z?ShAL@`X)v)*naT=LA})&&r8Itjrs{mCRG6q5%5P z6W3qHY;s0*iE=j)0Hj9n5tI@`_N&L`;$Gf|KgVn~t9Ut@*`@QR$2hWGXYpii#bnQl zk*wLK_~MGA@tI;yTql8Z(M|WOL{83il?yw@SElGb@S6qfp5Pt|Bq+Dyu--=7VI~Rk zft~7Un7HDgqE!MYiXI!^p3#s&dVFV;B?@*ma2W!DB| zNt*%sKG>t0*KqBLQRW=4`Jx&ZaU9t7QKmma7ZsBU8;^R6jEZ&Vh5dqQ=>r9RCh^Lo zLAGlU2`+4u1e*-XTGd(quVJaz?W&6mCE6O%`*&xris&ekc(RzU`=LUQBX?8^Get*54d&@HG7XT{wDstpN8>4wBF$jDshIA<&Uwufp=1=QC9_EeJAA}az}PR--RwK zg&u+u;S-;PW6*s=?_h1BQc~}CM5KbQQU>A9_BwSCTcew}mX(ulfYhTNNQF7PQ6$Ca zS3fNDP(m46YMmUzCwUFWR>b|d_k+wk$+^>P;*KE{he1j72YoNY_U?Hf=|)D7XFaC< zfLE~$BE3Dt*2VSRJEkBPr?J&C#qF=kO(JEi?gX;d*=UXup)qfBpviz<&1Wh^t6StJvxaFQ1vy$9#R7@Y}lf3!CUTFzV1*M8AK3)e78tw zojs-wRAbzN3r}uja!w$A?R7JQhaSWRHitgZc)vyU=TaDhyv}UDTeC5=;TBrfgEB zc^~;zsc@CDc9O)yemtC_J?r>rc!DeWRpO0Dmqpl>q+F6DFFckNcBF?qR($`M{DZBt zu!#2YD z#6a`;)RvPc^a+pw)3h!rj7mw`FvMbKF0JeFsfferKTrC&Z66bUlHT^5) zM7sZljN8(wK_y4Mo@C@Y2Zi4|<~R#;+{|d3@I8&s?0=k=Ft5PEXWV}xFH@5Fa9%a# z-qDq5`LKDXv=TW!ZgdDYx(5h;dP8!F^7!s+%w6>?p4aeVEKuB?6)btR^oHD~A52}H zJ&yDgq&}^=_w=d&;02)5W-_au;DR==C0I5PKx;c>3p|ERr@3(DW!KMV2b{dpub>d4 z?}A9rd0L+X9cRBbHItKlgPUzil8F#X zguRLj@(43TMYFx)1Sx2c^!y8ucL*iIAfXe;f}Ve$kG(>JG_AayoT{BDdYqz=km0%a*fE9eEbC~h1b3h9Aa$%kDv z7kBRQj(Q~Aug@7yOmS}$lyW((FH(ddXGrp5|BnYBkply(`QR@B{_h7L{pfv2`Q$s_ zq1tGyw4#hz=OxnlrcwRNY*x?lehb=nQs-VywWi41mR|n)`o*^lS6p!xncdCUydpHE65efA#q?}UHeok2H%=ip}zt8`p_<7RL5>A zglx4s;G-~Da{oBj<_cRrbqceBbt;Zl_*XGYTYc_w74Q{MI9W@#rg~_IgU6mv5%S}zA*3WW3 zYgszg!X^fujqTI-_Tlmj(*6&PZY3)?K-CBOCx~{SrhIoa*2-)=T7KMgJnFVV!7kghG4)wpj z|DMf^ee8S2zJ^lPmKpmV5(;HY2-#DqX6$>YY$3AmOGGHUNJSDQWl3czA(cw}-ZNUX zcRuHH&i9=2>u=Z9)iu}qdEL+R-1l?e%tGe8%}fCqxaGwcqbmz637Nb6D#i+$d$pLI zCmzLH2C>B`Zm&^(jI&E3k4f5gVXvK;bsKp6Y#lZ~w(Dq7mQX6}*+rpbPtx%-yI>%f z7gPQ?R_0nMX@TXCX?jhnAv3{FR1ioa4L(7llewAT0xR!lgAaK8Tw$2*Pa~BgA6?cU zSm2b#A&%ES+o>j2l=%?r8L85bIpPf5(*p+|iJ+KqtZ~{Ye=HlLN^AA-g((-e-EgT! zYNJdQ6@XSeNK!@L{>^kfz+tD<0B0Grj)$$oM%N=^yqXR}G%ROY7&C0sundfF8V*>B z0a}X12t0nK+w2L&$*6g1z{tF8Va)CC1w@0cgabxr{(e*N<@`aw;TGjE&WMfxNtHNOw2-Q`UIx8JuG>>NgdB}Y7dT-7 z9zQ#+8C23}qEDJ39zRoc*}_mCYzIGlo!D+3iQ+6S&1VqS`( zSPb2R33VCks-I?wBl$uAeM?N2QFetbR{nGYz-zLwa|5M&L%Jq|X^UtG4d{JAh~NSE zy4eu)bXtS}s-5q7G!zlMG~~xTj2RR52Eu!mgQNx43(Qgh%j`be_Nb~V!4h-S=PWDR z0s=74?Xztdl{)<1IwpAEG~J~`4;)u<$B?sSs@A_ep|PbRW64xo)3AmnN@;&)l{Hdv z_h?Si03$zdU|zw(hN%4&0yzpPre=dJYrO%{TwcXVZ2QROg8)+=)A>Mb5Cv;)Pa!wV zAb&?=)@^<`p2;kdeLG@3O>W?6JL%2)TLW-tS0kgM2fO^RTX@jQs1_Ml>I8G-dP*BI zOwsYZNcpy;{@rB`m?JL(grE(fMmm0&^{4Z&G-h`$UQ*468$7jsw@cS6x0!3lQOCUp z0`CGXyg(RJpySrr(5>i9Zc{Gj5|y`b!g40~Lo}!Wa_?yNHW**%Q7Ez&@G}|K+Fy;v z1)l`=4_ch=yAZxML>L+!=1+B@G`Z=t{Y!dTz74^Egx2stg#!A%R%VTHI0rWh`ashF zv-hqA4bFfUV7@IYFzamP2bYFHHZ_F#Up!z57pH^Pwlw%FxhC_Uys${qq5whpF_6(; z1F8)%aACZ*>Ejpi| z^K*?xh2Vp!DlKs#gw6BhV=eGQyW3(-(T?mY!3?hJa2Vg{b0QTP$PxbLkYIYm;1oYO zUK{X!bs~bilpLZjrMzwZ5Dj=0i6ILKfj!{Nai)qo33cn!O0bK5I)|w@J!wf}_!bhb_)^e0dR8Sm$LcqD7@>^=-Y%w90{P|^!LE^8I+tsU=@W#vg3`o+-ma_ zc%7xrVI?^62=pK(dwH>Z4GnZA#MBJK32Vje-i@|V~sT=BdSb=FMR0{eY~*$CfS?7jT`j!`WS7` z(lxdpL#z)8aT;bC1#rmrv50(14HS~CIeuf67olO840aITN~@&1{e~=nL@D^CY>IY0 zY`c%IW8+i8(dc)NSsG`ly(WwA$4E}zN*{;g_4Tv#zU>hDRae5SO|=!1ZE!sYXX72n!tI7ux5dPVfEvc z^W!)56ZG*DPVm!r$BW+a3vKp0J?3{FYPmjFB;Lqh?v6s5!A9N@7K(Hs`8y(y_z}Ko z0-HS)<+AWNQ(;^KLW7r%P!*8Yvl-fW41z(e=L<|NhvoO_?$Qv|LIbn(bnLSDJ*>jC zjho0{8tw}bkzkUxAJKIV5#1mc?Cle*KJV!xEE<=le6lJy)!phaD&%aBTYyi9TQjv? zNJ#h`bL8@4bVP`V7i(zP9P>$y(1e6gOs~(Y%+QnWp{cBbX{=$^JwBP$!e|XVvP|Xu z!7$#~FcBQiaXd^sHY`vjyjpnuw%42VyTdPQ9Jsi^ThE7n(nBxB8quB*akV<)8f)0P zz6dKrD+mC4(-+#kz`w;c(z5*Uz_`E}W66D@vj7vsdPZhTCT8?BgI4A(?V03=qpECwPK%P+zzc#*zaKU$2971Oa(WHxr4 z12=o~&KQwHC)X#^3zJi4w4YpaGnPRFEh=(K5_f82=&7Z~7#(s3`b2ty>#1!Q>9yqP z^>&^PO5fG&MZuDHx)WloNFFD`vqP|he9bKKxTOgcXKL$U;c^IlTMB(QjoLepdO`{< zHybD1NZZ>$@7WmdC!bK{9ueSx79AEA_f8-fP~Lwi=>YI}qk*CJ1o1|g?!H9HbqASV z(Mk>DHe$sUXJ|IgXeNcyuZu&k@sMmjm_*M*hH&#|d6-mjh;@gD|1|xFzMe!(mxF!1 zFk}Sy+}AhyebVVs)fnH@kwYKr(m!K0GX@Qxx5 z)2H#O)-9GqLStW-HObUy-ljQOEEJMK-kWW3RzE{4B}qSCBFOms?yReo1^p#^ION%< za$`)(?XM(R)H27IsYFr9xEH+2yj$kdIC;Obs${4h5AzpLFHRY04xy&xzm||Z3=-4t zj5sl6kGy05Sz@{?8{>Lq>%?bbnn-ADyIl9?#rUm)JzbYCy?Z_Lu=DJ;`pfU%Exec- z>Z-2?EoI2Sz8=nO4-(UYxx;=`E5tO3(D+vn({_1};>^8CeZ9!z1lu@=$BFjYc_c#P z@flZQUqAcu7Hx`;;l>+shZJo0ou#%=?^ck8Xz7cRmD!A+6A)=0&!9UrN-mUK3Mzu4 z?eaeo8bLK_qL59n@Z8mXy$)zNhpJ?NU{imCR4!QjFRQG;6pmlqL$dfB-qU`o`n*QYGw%88F3*vG+9J9^4G>YCT= z-Oe+RV~sT$I<`eo`A|4@_vDzQIoI8BF_BrW&f|KjS}mHD`L_#9&pTeCn6|oN2dRGc z?o|<6skMFR%lQzQ{r7;DRQXPM_v!Z3mSi`|ojO)SuJ56M^j-S`@B?EI+kNd0Us46vT3A@PHLFI$Bj*s%`jofke z*6O>Dw&1k+G-5_WrP?%lDAtpd4~K#4Dg$QhE9 z58wa5vekzRC%_NvaIPBBHA@KZG?@3q(eCMlkR!*U$ZFTDZy% z+S#I#Q7Vn9)WZCP^ZRzk(3jnLD`H)Ba1C7iXN(!>nxz+2N?yOK1`Um*aC21#u0soF zny6%-&NQ#MW|=t6{?Ik6F2C5E&qbnModEBzf#a^d(*yMEG4)Q4E08nn^;PPg7)#6IJ>>Fr6NQ8hUF;5vU^PY#MgULV5CcZt3SvpeG;VL&{_ zd0u^E)ulDjO4rw(zQ6Q-8Ag-O;wD|JLs7&hH#D0CVUQbih3V-qww}8AknLGk_rs6_ z>eX6E=dm|W5)bt2DRPxH-xyDStu7}I@lifJnSbIP-DGLMi{jHWLu=C3LIxS|QY;fi zM||s!^j?`+n4Ny7dfuFoYVPIzlkoXP&5~~Zlc-z1z_PIN`y;K}xB!tfKpxG=xCJV3Y5@a~q40F<8kr{=($>M# zthAiwVi0f)BgIZ`?PZNzdcH!*{h>T((jGI$o?QnvDAgDZrChY=WjGA84nluO+V6xu zj^AtQy4V&|dRZTSzr(wDG?VcRsdP{I3>Vuuil8lLu7r|X)kmkYeVUv8@d527Q;hSK6vuSwU4Xb zlFgt z7R0t~{*zpZ^tTlyv&IZ6VZB){`*QU_ZcHVnH(UEw0M+c?9wt0(hSv6+jtd^QOjl1yc%CV5Pjm1{f z^eMKSU8*h`Z85d|TS^2vs?jn|W_3VX7y2aj0MHx0dw#bP&rxh!RE1(J$UU>wu9ei% zbK5jFd4hlOlH^fczahxU%my-Maz6&DScLQ)KAK}Qs=VS>5EIrWmNwTQq2v*xw_xa6E_ zFtfB{K>IgPr#UyOVJ&WxH2AXgv`&!dP$le*UiJrrNF!mrs9TpeQ|dpB-=5tnw`Hv( zeRlgENcQOf6=E-C*&K%8s1z?dzwb(%XBg9HFW}5kzC*jJ__gg72J_( zIc!_vuh3VWDqOZPC@js-XICl%4I&FG*6jVZm+}tOJioe^GUEaUjxnG1lpJSP1<&Uxn*l&T~(@I9Bq2XkO z-&F~p?Ah2I(}Z8e;H-X~h>f_uB_0^=W12q*O4ovxS^dsvl#M8av98-f{5`*H#5pe( zKWg76W)oNVNFRKimikf_Ur+NXCw}}r(}xw@@4a4&m9}gRLtxaLYUQ$h=`Qm?#D zT-x4Ky?F+=;Tc0Gtz9zA)*$bQD$?6gH75v zqWWL-dxDdmFZACr>AiZr4YaQnzAw3j9krdN1}>6j44Jp($4jlfm?oh2_(_!d0~K*I*NG%S{ygbDiDGeU)>UFjPjb}O3>9UMV{2VzFDUqC(yQ&^Z~9V#+^wd~ z%#ax>HI6u_iAmyUv!3aqOwViZs~FoN6r#MZLXOO>Bp?%+{#bJ#_Tp_i>__|BS5wdH z0i^g0$ly55G@^t)HR31Yf|Q;03v64~ycxNId!kU`2C&t&pJbx3VJ_7I2k$pCQOJ9BM%U&asAH7c5?phdo zzH3@QSxeJ}uA}f7WY_Jnlq#1Gh)vpl+yIM+9DsvG#0nPCH6eY>I>Ivw(cUbnh7zEX zy)TS)7W}4wD2*7-Mb7L)c)|dN1K1kUeV{hKWLV| z<+b(+Skozg3G7nN4q!9WU2YvMUVF`xuP#1}k=1{Nys>S^zp7Yr((G~{st&rI>{iV= zH(+R(9^}1Ot+Z)rVDg*2qWcETuMb|j$y(tKyzs+~7W5&H$;wz4Untp&mZG0kUnd{! zW)q9T4T|wh@QlN6v0){=;MYExrT++R4rYz$bKDXncT+#M;1+$6#(@*t#uA)tVq(G7 zlHdNpEd3W~<5^}P=QjWAV!05JmrUP&7jd2*D_&N3-GdvlnC`LB=V6fK>gJNZ-QEXn{BnCwJndv}0|%H*D+5eW#fJf=`&sSHRRauUBK9U5P~rt&6#I5R zMv8a(L{wiU4lqN89kZkXrj90&6WhU8C2k51FaZUfqW4KRZ=MV{aUL-5=PTF`!+U`Tkv53b~sh~qx-`nix23nrlXEz!`=KRJ-n z9E?Vi0r672xKIl6%P^z_pIihRodngJsk@5d2;7=6=9MFWRV#V6p2Qn_))LqvH0G_8 z0#(;uX0VUpx#j(g(=i~)&7w7)m4ghg<&{}~&@%qAPVVWPm6iOxa+}6|@T14xwOx2D zY3URG$V-zdI}M10eptx|TPP^NS;3WjAUQiTzcAg{>Xkgwo3Z==-rDPXE*7bg_A(P~ zk)9L}bbsYy@mB{G*-!&CEe@@M0JR*bGZZ|!86&~aE&9-q6&DM;4Fo0UJD%w*B5k>6 zMXe#sSnBnUHHNoRyk}xS(u@n+9&5bl^$=%Fl{a>*--iJ(CA)Zj?9?=y=5KAl6e=}{ z*UuoqwO)-5OSWz97g`RHWEK~85g1OX8>%CEh$4p@g33Z`BX>IFpJ9BuY>j3>5&%^- zlRAYQQOGq{@aphcbc{f#3WiW@XPBl{xz>vvPg7|r zW*4F7U$R`gPfm)723t^fsOXT|rXy8!)R1@LhKh?1D zOt3U@h5S%HuUl>t^3ntxn|PY6O6e?8MNdO$^Vx0Efm8Fx{7Mxo{S5b5>_+Sq>&59> z?7x(sN*W~%33(F~>(ZMjkd@^M=M5hOZNe?j<4=-pY@DGDwp%C3(aj%d zFi|Aap}zsfpzrp^SrnKtL{xT-9rN5G3a6Q9=&=nxr^mYC5^h$J=G6_Qnh5>|*cQI_ zjqBYD{p&_|6|?y(Vd>}}iVPozlXzWhcIBDKf8!e{|feME-GOn*b zvyhLG=#GTt%bmpR&4fa#u}lUgXLwGDg!SQU4prMn53{vwQ!sd#d8|MCWuU|+vAHNN zkt=PAzjU$KH5Z$3EmKgITx5r5CSTU5t+TnnRl_#q4!D($ux>{j1(ymE!Nx0gb5tvE z+$FAV8o;#gO>|VSUe7b%{YIXau&!?eubCp=G zb_XfUr=ufRTr6rltRO|LY*eD+es%_kO{I<4mzt@o896@iIo%1VBQcyG%_L9^6kyQ6 zJ%vD`_VS}C5Q&is4c=ns%ZktZ;-+fVb4oIk_{hi+110}q`b zpx2#34JFUw>M56d)5o|M`l2zKA+8VH13^#j>RtEWk*;Q%I->-a}A z3F%*IFYjE0#9&$<%E-_-q2S&toV&u5A1-B; zI?Jb>lsVuk)J@n!d-#zSi76ME9uUws8TiPQD{J_~kKV6k88N&R{gi@uoA>Wx%Ks)} zO2dLir|#hh5tgkj1VcS}eQr6WDX$d^x`G3iTNYBJW%5}}qxx>=c5mEt_=>I;?rU=? z2ToZ-C8W~n8xHtiX?TCyxgOerYPoVQ*&>ZMGeK8tB5N_!9xXeF_otUjB^#!dJLfVW zk{v)TFPd9eE-IS0l(`HS{f3xImDel{vr=-hZd-H2wEQY_o6~v!&6GtJ@j5G}Bt>4> zZjA@1cRSEVpnPqIImaYK|EA<~OSc5kD=9NgKDxFQSio>WI01kONHwJCM2`m_*T>qD zne{3w|8)2==I3K`Btc*OZSIXQ0#7RE5|0c?5U zv|&eP?BUOy>(7|omD{|}x)b7U-V>7UL}<0{~V3$1@Z7Swhg#(_qjHjr}oZF`v)pzlHwCpBtq~5nx^~tjB zuQFJornJxrtK7Xz6_vTRQCmbsjxNKoXx*u_3Ii=pw}6REcWUw*YMHS~J-Lu>TM=B^ zH&#FF7{MC)$C@Sn?s8@~^f)D|K$_4VKvkd4+$UQL{k%33>dN$w(dWp}?E;2a?=PZS@X@kBQ z3C7N`Z*T{A{R_*r)z~V3rI+|(9{hP#c`FmAz=4@^B8^pdiAZC`cx?220eAjbGC$m) zkZS46ikbgm#e9K7d@aAmA?(j^$nP@_aeaY95=#H=I7Bizw2#;14XwVvfn!`hJao_v z^i&dee4-Qa2%%=tY&xOfQ3@Jj; zE!48ZX>h%)7(a%*%u@;q@h6td!5i^JwWOY`)K%tKOQe2ga)|!|eUN6c|Ff$F7MGW_ zOiG)ssydaqTKIi1Ikb<`--8GtV$Q<*IU45RJoiCz$=)guZpJ{kK?q0z74vTh+>Gc% z2!}WgQ$Gqyc@8_!>L?5$?-5TAo~*z z5d*S+xk341#ds?d;pOhrY!bZqy%-4UO^%fD`3x^Vtd;*i(B(G`LH}NKF^va-g@4qW z1S~@CL}01NO;KMTyH7K+hX^ckb|A29{<~|1j07w^L}2mCwGES)6!u*WEGiQj?(b1I z)YANtdU7D${35vIZ)#pen|QL!Ic&B+`qS0{@}|07_NM$2m2qKTK?e5r-9`Uu8;bm`ZLIU*pU6t4l?fvW=|wPo-`8O<5v@Y$)J0@ ziZzF_nlBSRK{J|;GVG&?;#JRT7p`UpNGd}3Rl$=R))Yr?IK2@AZUB+7qPmmq1{vuq zCykCx)(!Z$O`$!L&8bSXLAt2E0+N0ruzG(y&SL+^lST@j3FrK(1A78>-zYU{|F;n} zf_*!JpB?IMQ8LB1r;@Y>p|?ZJqRA)?8mzsXuL-Xae_l$5XHs(p$s3u&2N6ok@HZ*a z6!%Nd#SFheHz?}tGT~S5SDE0FmHFWb9<(}&!kIT1vBphMNNGhs;roh|0zz_+cl==r z2zY{bZX?bh`Df=ve$1>-(@-fUQwWInPwn3_gIbHn}lN+IQMZrblX%URKG5-6J zoEQ8ch#^(%%29;w0p5*2KEW%Q@QLQog6ppzpa3^+ z7-?M=jF8-VH-p1g9S9Rm6b~Ym9w$rMYCb_a(|{(5NX%iPiDJ!|eoNg)6UBa)ch9Py z6u+CUdp-S?dwg90aXmM;dxiaJdh;U4JT+2gaKHZ-t85~3Dh28K$iP=eaa0k$!|_Nv z4z|;c)STe@;C}ScoQCLX`fp|6|N2Sa_Tz0gmtuXS-t6SkqW8m>&xCngBGK(foe~1s zn2ndmx5Qn?T0{55Ya@Ir%}uu05d%EAnwF<- zVeEA&Wwku5z9vY#7NgTjERXBXQSmP>_J1$V!8H&sdFG5c=uiWuU?0$0eSP{hZ|}z;9(&xuqcNe2QM3)A{g(rMlnwn|V3ewvNCCM8nP8 z(zfMa=syZmcu_u$Vb?DjSgxCPbu$&d0p4LB*0lxGos7o7^)E~Wz^3V#U+D1iV;qO8 z*fhKfQ;tfK#~F=nQA~t%{+ur%Do&%aaQYk*Vd1mbV+%a`weV0*Y&&<(;3)&OJQ82B zm{_sC|0z9MMsZB%>x=AvfMFzh>Vmv|Ocr>X?Mh3!%~pEdeH2bHquzZRzNXq?wVew1 zHUqq=yBGVM}r@89#yw&X^SGr(py0TPvp|6|^qv zZ!|5qEf!Ggn5U3iz)-ZOhD?-7HQuG5!hG$jzqSvV_q1#ExTeVsUu#}*~(4L7>mP@0TaePy`BBdhF@Ai|rQ z?L4H+G+r`Sls?9q{~SjALP!XPzfIUCVpB>;Z=~E~lI65UZ?I7LKC87<(+AUoO6)K2 zD9!RPrs2tW$OLd9ty$V87Ic~X_N7jti4sKtB9Fyv<3NA9y-9~2C)pN*&S5Uupf#Om zerWbiFXH3;Rkw7^J5V^qZTirYa~?A6g6aEW$J?_Kc7-`)OJ~b5hHeR>xS1vSOyGm% z^k$2i{%kOHkx7gn;&j!7FLMi{m~vH87#(lO*kO^es}I?5aV6tR{c z%-YH4E3xi02`&7TwX=EY0Pu^y_s64;S_ zRK8}wSTvujB9*{3bfXeo9cVc%9U&!;Mn2{<-uSv=rW1?2G|vIsKDv={s3FCGTGi9(?}(^>DD{(!yB$fu%R&IVDSPpOUh6u1GE~&i5bpt$p>R zWO-@v^>ff1ktz*9YBWIEXYeSUG$>2^PqKC}ROu-7A6ZVb56lF~T}uZor<>Qjoe9QL zokQ;p)@b2npAFH_IY%Gg-Xf?l8>%01jxk50Rdm;EnCZ21%vJ5J62E0ReJx|n>yMdf z{8TuecBLRt0F(HBKO znLf3JBFB8=%d@ltD_OlA*-j1@1F{F&2IXfSYsa(6Ugmgva#TM~oWakWec0wE$$Cb# zlxs&qWjRHmycbKE!!4?}oEkJ{Wq^6f(k4dyGmR=gIKtjDq?oVDam9LO&&e7nW%k?s z{gQ+dbQJZQ{IZ9}(R_->IN99s9SM7~vJ&oQ?!9(=C9SdZYFwW8Ks0A(%t8P8)-R-%uT{8)THzt-MBkUGyC*o%*`hgD zYBGAj$;riJCe;%xhOQ@(!V9}wjR5dmX81!QbGfl(M+oQ-S_&EmJ z(_}muS6NGSL7<>_5)AAt7=Zl5e3)5 z#iDztPnJn@BW+$x+WF>*t}LB_66AdpQXbizXJGp-8%>mqws~U@%J|Ag=QepkqUkq_ zkR*U-!ou@i<8LRdOYeKz8hHk1Vbo0T#E5^YemCen@|Jiropsx)$T8xyP zW}4sVeoF9c;rf;iUIdMtutR_$VMBf4@Kr@M$`_iOOyC}XP;Zst@*3vOLsc0w=()lbO^HO1?n^nj!JG$Lsn`H*%*jM|S zeZ|Ckm#;gJnjQyqFBwBq@r_jOV<@;Bt`do@1>b>*(&hj)O)3`T$jP7OhU??4JE%~L;Z>+#_ST=OPh?_9C_?e%-Nbifz$kDCjNRv)R0+y66ztbom zYuqKsbdJAT4BHteY(wLe*khv_^IWaZ{EmxdR|@HW+?%$Qur)m2T;7w^hx8cjn%4&k zSj#Br8Pjg^lth&pelW$OTiR6{H(p{<55KIW;gR2L;`8FdK&NcU?#oAD3tWp~A}UQB zFxq0xZ%px=b~+SPAm}JlIq(M@8nTt2IJeZiOz$r>tGY~aFQ4yjl>3y6r-97=Zfduw zHK}J_x((SuU_K}c=G&|VL|WhH*FS?MdeLd$+?&CUJ(ZCsGA?YiSsXym7> zZS)C{6}#>`!z#~IgslQJ1Rf3l{W;SA)XE@#{4aGT-^q~{rRQTQtJXVDpb6s97DGZ7 z9~Ktf&=D)t>nj#rtJH66CMG-O^Yi>sa98yUiRI_c2bK_UssGpXUXeQg76kvn7ivm16W5WaK=A9s8}B$VGtz4tii# zTo$W7jXlZGvIDrn^4#}~8pr#^kNKm2u`~JMOmr;AvXxt+y)hz_7pSrf!j+#<|o2t8aXM$iM#lMIiPlw5wl)DJA1Y@C|FUAifBupI?NG`Y@h*6NMc!_pxU; z`BQLdRpd5$L0j1@21@%RT?VNpt!pX_h%dq#1x9Rie~HnGP3F$>TF;_Phv>&fAw{EC zkE&J`4_@?|Agk`Ix-AxQRCe-_+4+*MkAL3G_SEk~l0CSmWqBVs^n$&vwsM|FJ$L(= z2ke-QlR$xuMP{;PXWr;|>VBn5|2^uY z`cwcXxa8CiW?f&e_`PNPxdH&uQ1VTIL&rK%y`r_-8+QUeZ>uj z@#k;o@*?yt32XUIyPxQ)5x2xMUF5`euD|E|n?1_=3e@awGK?^|ZHLjns7IOm(4$Cy>`~HI zdK6bukK(p^R{3G!|L_k#e-ZxK9zoQiI{Z$B1DS(_z+qwRjtCP3IYsxlzKOa?&IjXM zo8!;k3d}GmB^h#EPSUPAeZSUo>Omz3rew%OZ0*wh_WlFc>q&_Vt9yiYEwgk1x$2U8 zz(L$|Y740Y8Mkt2^L9tFSKhw8gR9b8rPezmylC42JGt5m2L^JEK3Svp)s?=`kfs@C zMy($)xkj6V?i_ebnzC&C>}WS;F2sm~YTCZ)t4NQbXioWq)2wjJ@s&uANm&C$Dw%eS zp{BrJv!Q-9{_yWV!&pTt{PR6RzTi6NH=pF1Wy{J>EslU;7Q|_p=9anT8{6e zyEOQoNq5sD8l-Rj!szuwk8q)%Z^o?gm>b>QwtC_+<5)ib;GrhUMdCK&b{}b*F>|5# z*dk@1vRym4%n&Ql#YH2^wN8FpHk(L?a;fjP^1;4+mlR(fs$s2ZdI;s3OuwL+VQhJNB)y}*#%dn%FTMnSdV@c`!JppX zS9{F=(B9yO%I1H=n&3|hkUJU%ruB}7OSK6Kbp?ex2_ZG(8AeTfKaFCEw3?Yocu$0h+ksf0Dug zP3sF1>rwmzMfqDYa5SE?Nt0kk(wRx=w!XL9%F~EDf@|j}XtZt`uXuxiu6Cb96k~Dw zr!S6Y|C8$hl4VygaYukTuoGu4U>53rRotY`X*+R8pe*#V_mtl{+1usOx32o85!gF8 zvDajtJI()=h+_L%rAsV#;>Ds}hRq@r&3jqGqD4#fC1DVKgWe->s_skx*xMzFx~!+O zp)D*$M8*9M!?-fif3BAp9$Rsn}o`IQt;F>jhXCi$L~{3=HF(p>e>YzVP4Gb z6u)z#HC3K+=7u%?f(>0Cd)S;l(7cvI#AQrakT*M+S3A|$r`&eyG4XGVq*P_;=db3N zpTcv{GcUMZ7!Is-NBU%SzPf2rMBt{9;N)=~y|M>sTz$&2;BhBODRsEB&oYqv_>K36 zfakU0^~;lbsf!I+*V8Fg4xl$J_zm`-;jZ>6YkV6lj-J@!X+%>QRCj0>AeJZx$O}g3|?J#v(Dq z^Y7gO{z6Fj;h21N@YL_gSQj4ubmFJ1vumMcI8P_XsGbaC*tRY}wGHE8tI12JfnMLp zlB?3#Azqa{OQsN(zjB2`1 zF$LG7nfNY?65gdz%?c92*ErqQBIRW1fnjr^JN%M6QcT722~`$jFCBqBj|7iOtO7k|Wz4JeFgCeibZT4v8)9ij52}W|G!VeS z`D;vYVWV_>`ugJ8vfII4A9Y4r=EiHis0Z&)g6>~QS9EQ@asT?uK1B&cb^O@?Xs)3W z10!kOM-fj8ogEpsXK9d|*cZ1ue}bTxPc&hXBGb!dCHTkWq`3_AMK48wu{2rM%e{AU z^S?t0wtSWAWGLf@7b~yScK4@W07GHD}xyGTsh&E4Jr3VWGJ zOY;~b3S63L1OyvyDdeCRr_y|Dw4KQieUnPM&bwhdg-N$d9pld_!K$b3`<&2YLG%#R zqC3tH#jAfAKEa8-A&ZPWnU_rg<~nHz-9OW%C3~tFt0?o+T&Euwzwm1JuMr1geoct~ zN`6gye*{O9m&|}|v98-{jj;|u53ob>zeUb36ae{47N6T=d3_jB0RSQ={a9t(|MdX~ z_maRsDUATTcEN6HX4q7JsZD39ZtaC<_o`RYiGTZCKIor~zpg>50C{`Ic?i0`chC&H zarUF3!r8wwDBD`QaLSJaNhoCKV^=jbzxS?9k>0h@;#KcjKLSmB*LKxcyRCZHT;q!^ zDjg4veSFt^Uw(MkJW20bBs;m2XKq117?5ePBdPMscdf=ly;$PnMT&cs%^W*Qu$Mew z$SBgg#_f)W@X{dgIwH_2_1~VRS@WJ( zUrg%iYf#oSZkXZQdg(l$Z`We`&{m~XB&X5?#y4x^mV_t9KzGc){H~qFe}~3+{Sq7k zqWz2s`lr2v9I}%YG%~foAs}k&l5KCM8hc>AVUFWE5l8D%nPm}2Ald=N^gmZ^*3I{DS=)dL^sFXq>F4Yd+Ni2jg6YnH|N-~PMGzOYT9<%L~25%q3 z+kV4;Z6DPxQvVN3I_gA&93lVnc4&=&H!%DnukKgktF^E0*v315XljlVL+hNl zNrw?oS@1AoCb;YNJmUUAkJXRX5BL4QS2BNEf%^KDVIRN3{H>^i#)tiXVp(W!t<-{I z>!;qU6_TggU?=WCWm0Fs_b| z{b7;(@DIONJ^!_U^Och3-)i`o&@BnAv_7|Ti6@psGW^tdAT84b2BhA*2yUG=MIocM z{(X(~C&00H+>FY+l74mvhA|^~GsQ$EWIC5#Zn*H_iLGpOc`<4U`6>>(l zQzZWl!^-a!$sZ*73q|q=Nq(nD{xfEhA0o*=&~E)flD|+Se~{#NisU~7Nk~P)3bMiN z5RsLLM$`}3;BZ!HX7eis8COoA4iY#uS58{<&EL3L0B+(o5`{0rIb;)wY%s|*NAcjq zz>WfAl^E>DOtCe4F8OIy=HD(brBxWX>Q&IF773S8P`Tj5rxH>pf#{5L2DIbgJih8x z#rJD{R;(+)lUCS=h{g~Gp&M7_Mzf8ft(V@ZUo3yLI->D&rr2dFhFryiW7a2+6qQ;i z4s3I#ta$&nvg)|6=RBUt^1ifnee4gHSRJ9d%P*=<*<1;#fo1MHoQkPB?&Lm>_IyD> z%d0#$HMDZFP9{A3^$J*d2Gh1xcB5T7?s;W;GmRAjt4hrg@Yz%9TSAN7(^8rBx%qg; zk>!dQSTL*%Xo%7Hv8NOp0LUx~XJhLfs+%!zax4IWR{TT?auyDEZAh@O%k`%T#!QZ9 zM612cJ*T)qbj7-2TiE)V31W(=quO4VkjJ^;3iy;aY1R*W~pwn zy)GMEo9ZEh=|O9jqs*wdoSb6I1X>xJ)z(fsoeSbxo;>Ul%^_Gm(>eJTjit?>w-4r6 zt{e4(F>Jy#8#z0n8{zZ-U4t0=H7P%+v&JkQPLtbxb!&T6jrcWFq@vRrb}0;jLV1QK znuZEH8%Bp*kh+dwEw$>PrZAtSLQ?0tsxeZ}mxi;^3@#5#=9}zWyHHXoWdI|i+R)H4 zAhqaG$mp3c!c)f7KCDBwMvehb!_e*4F1S_&9hQ%xb*af;HoXdl9%WToN5I3!nqB{b==A4NfDj;y5UI#wggQ`p8^1l-IrI-{A%P8{1> zf2ld`B6ZX|t}yAYLAN03&Cna=G~|ksTeD@~lr~VgjHL&_cosdBVMZ7=G))8C+6V*l zv=5|VvN3ofdLVeFE9| zFdIY;Mz#hELCy?wSLR}8sz+!O4Td3H)&2#`T2C5zw>X+MtW#zkm!dv$x0BkY)c@ha zOA47}0xfWcj2kmcTJm^Yksa#bzNtO{rpY2y7Y2_c{3LT&zD#?6187n4Ku`x z;vioyv12EnhVtAFcBDhPpRNu2U~bZ7v}T(ZRd@^(qJEo#S#u{MDjJMv+#&3xrh9nq zB=#b|u)3yJvUtg*%x&?cANO5_>8pvq^5E z(>gm--6c&K7|4;(YVAtshHKKwH4xT_Q(4@+W~cVx7K&nlK+9CB0#H2`H*FFkDXAvcU3@L=cCWzp1jy!ondf0lTpgY?jA zoy39Oos5_A^v(ocPkB3UBK1B`zo>0JFZIh@q?n^_jDnV?!tJ~$9f!UxSB-S-x-ll3 zxpovNXe5|FB;)rHrqr|aW2nX<)}KEuSAk$~u5>FpM1`$(%F0i5zkQN5S&cfv1cC}l zgA2O)Q%0yI;=Rh&LuQb2GhXVFOAo^VJ}yk;VH16&SKJ%Z8YEEJVR?DHj9vCHjtwmG zZkL~Mc}ppqKA4SA+oa6ou%OD)+1_|{8O$_=pi)KQJrqNT1~N7|9JyJvKZ;7%y~LgX zc0A7^Z4bEx(gz+j|z z&c?SUCPNTpJ!XVE01Q4dL$)XbLk2Xm>6-!!&>8$1TDny15i2bL3K?8lxC}GlfZCV zGus@NZQo3~orv+exMvZX^6V=0(3p%Y>Bx!GiJH-;^!QwmvF$c&PkY;&p0Oef9kqKl z^p+mG8fK%rKlxfsU$wEOzQ^_b7WFm#4N)CM{<=;P=<|0h9vR!7Dw3$>z2{$_&f2>Da^u5lMW2(Z7hz;u zr2NPq#Q00aNSijNzOIp42sZ%;P?z>bG*rLjV078eT4uSvpqCMXK3H-HYm;JW>4A8t z*f9M;0h1L<~^~e zM4|oGmg&m#@9#<+uN^ooaqyyI?X=E8#Rr6<*Oy)>Odn&ZmWFLTD7`abrYlNrH2mn( zR_(gyQM51b^PPCwwtb7?QukhCgV;C6_iN3@zc#S4fzn)c+Oj>G_Wkz7bbD+41^$ML zX8g9}dA$V>L`3beLeE4rPn9dg1kZ1NesSc;5dn9uCUpmfy%;-9$~?oW6TMV|mgE%v z{)zvOy|<2vy8HV6Ka()z&?PW*3P_hQbSVO25YpWu5(W&N(hbrb($YF~hoFd*BOoau zp{NMI(d+u&_w~KMasQs@S@&AcAJ6}@X3bf1&OUqZ^WN`QB(uE|OgVoi?GEbB=+-%@ zG>U&-BbSd7HCWw|A3~LlMKluu%vk;-X3Vk!S_DMQxWUF211eC*3NPcJ0v=!kB=?&V zz9b+22=*%OVyP`FpZ|(#_8%$a=3~>@^KInBpd`Flp7ERSil7*ZRi1+sD;poAnD^F z&KzKoRRWs*uzV}O+*x{l{0D+TbhV%?3kb0X#D)s|7C_MB0F(!a4h?#QBxS}aOX7Ll z9Lf+7sLL8kj07vhgGg&56YBVgePeFsLuK^hj>{k~k)+Bve>LS`)guAvk;q|!&(SaeG*}%8yFBTbNEvrPNE36P;S4DPr2U+8rL#dRQ zS7ggrvQK$Pz9y#|erYxu-nTLgT{ly2S~6Lc3$SP)d0<*1E0O+@lx?5Me&mr+D{JPZ zrC+vW8b*_y)WY6l$%peuJRMaN_%akINWiaP-%y$4JZZr)H~a}R(RD1~&roM1`Okgw zw`j7m*3_WGjH)536D06agxENbeAt2*Ou@9uozkvFW8*=#wNKXcF5|#jV`4yl=w0TH z1+q$nxY>fROD6j#QezjFS#ka@?G1va%7eIWGkroPZ7ewbqaS6G1z|S^VH{6BtcP4~ z)v5fJbCrS^gob~f%x-dIs$c3nQWF2C6WalHAoWF?3HJB1)4z*Ov^uB4BJp1sFt>&u+L9R#%C zqV9Dh*N87pLIT-()icJ`Ng{{_5yTw}auBw}&&iu_mW1>nv zedmfb=H;lB`>_T-kVR@LS2tP z32Grwo!TG9$e%<&xhzD}4%lM^=qpRO_rtpQYYC$(bPDP<*=v~E>tIT?VB)%;6*U*n zv+9IK>O?6>hU3YN(L}{aL;@P2YSNg9LMWRM73;yz>&bL81^Z{I=;=U>nFPHa6$Bmt zF$zgi+XT4;LV5t9i2!{b(3Dw0wNESu0LZ+GF#cL1EWjg&Jh~5*R{$U^z%*DkCtVw6 z05TIml46=+mu!u7S{gG!rtli0?Iwo`XnZYzVgg8O0k{cL!ls!S86sNQ0$~G;vH(Yu z$nT5*q88+Cf-IdYE#q%7+b$)}1M1rWD6+kYzm^ycDwRc&<$>Cr+e)$kpZ0bK*_Pg6 zO0P?dr?nl|m;^t=A1i(+V=4nG^oTFx;Ep1MH6kEYB>VveR(f6my@{8C0r*`3R}~?Y z5&>Wqyoo&oqSs06EeK|iupK#weIDFrA8nWk7$9LzXc!p^7Ha{o*eAc<4>)3AE*9|8 zIgl$FmTDosv;vDnK@Itlx;PT2eUh3yFyH}lL&AJ;P>T|W2Ogvpm=YeGv=bUcoCi0> z!R>1U4UGX^G)%h};Jrui;SF4W5^k*rh~+u>>XAT;36yYUJZJ(v5keVMv4J+o(t^Mc zAZio2M1+Ewi4b1rhQ39?7(EDTun+(T^~VAbbg|t>*dr87As$ddV*Sw|QY6e91q;d} zmd%5{(E*21!pv|42FNo0&y3Kh`%&i|gE3Wuuh3*h!Fe*TpdbLkJ_!e5AwOmazgogv z;{j15aOo?#fJ>Ag0Emh}_lW=ooT9-n>8>&qgaTdIC!#}wwkHWmE6Xls14Jk|0cu2b z5_k&+``-gd_sLjlfnE^^fPy76!41)XpERVm0>XqOI>!Q&BmfuM7PU{7p9j&e1t2H@ zE&>nA0}xmOYZO3+Ch^&CXWl0#^#JV90F^ZuK#c$x8^&7Q6&L757l@N6G8Ih#K|`A+ zYs)i%V^5EE%#f)C9E^p4;vr%3kn>tyRSPHqGe9gtDu)7Et-<80qoLM-S^QnH_(WMG zs3~5~;CvDejfXg;Q^8h9pTC;+U=UJRoL=E`*SQ2Y1z;=y07DYdrva%JeU`NdT_kAN z0>N!j)<^}T$^*y*iZ{Q4V}`>)dLZ3e;+t5Qw*>)-2r|oofF-_d)4ohQ4-lLLal3%! z@`ysa0fOGH+bDB6R6UpiR)HxIh&Lhg0JBX_F(848$+2BVz;cq;UHTFTfbQyrg6pFF z0dN@6VAhEQ^ZsS3LZYphzcpn;tzx03!VwZ!38@CSK79}a#S2g}c!XXv1;KL5N}wJe?7 zl|W!@_&S4{EUyIonTY!nFp~!%zyhR90M9-NsSH4XhE+ob%}tOgEuM@PaF_j3#N;9n zZ+DJ@g7Uz-7#j*dIRgv0e*;)Oj|f)V584l7&ub#U)an7mzR@;P9)LXxM&G#ve)R%E z0Uuq_16zVYwVu1*!RMm3oO*IZ7?>q;7KAD`#FWtQlZ)#jH))~z`^2QUGOF3p^buf@e7(j}&3IM;WmwD-x#(Usr?p!Fg^e7;ZojT3p<0?gzAl+J>6lE#|$ z@$7Uk1OT0K10=d2eG5{jj&OF=EVJJ8XXzmJeR9+1z*&O_5D)Ak!6{|$`12sR_%LD% zs~~0|%cA)SGuW{f5tHd(jf9b#Ag!indHlh9xcR6k(2IFA3OBF02Ac+e;IptAU4o~|fpskiBA5VPF&l>cFiT3-H%E20GB*C0wAvT0Nd@8p;4fhA{K;9@ChvV2%9Km@!q|}&K9YNHo~Sv~~=FCQyHc*0%ur=Hc9*QPvA0 zZ;L>rFfdLWq>D;pjAKYNAL5GYy+H^N08rOFxC9a)%6tFG{)G*IP6@sP7Ycv#d2mi+fd+lxSPTt!$Dg_`Dy5h^S}`AW9`EeGwLNTGn|BP8CDk)yaZFVUN|oE$x&x9w@;1C4fnS$6Mg^rvn=3p!*ix=-0(` z(7g&~7cEHZNC3~^EjeI!^=kANr#qM5&w)ttzU;s+k!fN8a{tVl&R5j0NdXwcEV(%1 zC($xoZbQ#90@WYEi($sQt7aoKIO|lYAUJg~W-sa0UaD&iJC|e1vR+BmxMaDhuW?ph zg)g@qRCF+QKbsx3VbbbPwYqa{j?UjGQC53(3 zW8LSA^moKwL~}c=q+H^5plsLp0nXD`dweMVN|S-6NnDThKDEJ=?&BM8R8{U!8De=g zgXwi<^(>{#13n78QGr3is{+9E#75R{KifaO9~LTUJOuw(rRG@k#5)hlsFxR5RST0^ z7`$z8%~Y~A!;aBy<|91YyDLLo_1^mBTdJ}L9ZUyG}>KJtI`5tW+eYOx4Lq)J(Y z!W!Prg|fy{TSV}bj2cF+_G!6O&L4+_%!jj z>Fs2Od%w(jq*Q`3jS>nZ>yRI;ph_cfFzILJ=T zrCRgy%LB&h;-&{K4HN2euEjTO^j(|Zhsn7ioKxG~+V^7HT{^z5weJ;)%~y%NB;e`r zh&q;(zuQO0W75Zb!A{#`R4RHh4=2~Ulq>%28=c(MgljFzE03(W)st9(a;Xy^jYASo&|A2Uo=t0gs}hjfwt8qA)CP6^G7t${E#R$0uB;3 zqH$y}*PwFDrIH7BPda7BdOkva=^jLk2wVplOj?ZzA)2#5+{ng|<^HfBO_65c z*hkaI#Dghj^@1;iSdj1x1`?G`g7{ig?v>34a->SDQ*Q2~&>LN3XZaAm1&b%HxIi)5 z4fGIKLX6K*G%63SheT&xc z)esB1sj9^(2bu9p#$af*LjquJui?#tgn}@=6mKbXre8JW5S$XQP9cGS{Uk53Qy!KY z3g9yD9_upNezQA6Pkw3o4yYyAT69qMzCm)bRRe@-DM9H8b8^D=Q5of1kO8ZvULZG@ z;k1Eq&qFJl;-t|)0rM@TfqbtL3Hf)N%m;B#g{CqT@7w6@n~KIv6Rss_tN7f8 z6mlaAp^60Rs#lH^lsZ)iVoyl)`(Ia@(=f5}W5WRX;Eej1EhAQ~*T9Jq*v?}>yu(*U z#O?YsA5#J&*k?en@whsH$?&Y``z7vSa*Dz^}_0HXBU z|L8c@HovuVLz&{vgskvWMHg_nrA7O)4=67f7*d z5oC|1^P;ld-w8v{v6!m*fo|_?Au~VBL~;N@(jek10MUmsG$BZ&ZqrN0YW}JU(vt*B z@BKNpv^!bswD^+7&(}PPuh}2$U3QAUb-qsK^XZWBnpv3~Ek7B5bPv<5FYuK7IZ3W& zGN%55_nKYucAoK&pom5HG@ZAx-pSvX8l}}mSLN+x-^wry=n=>b3(B5U$lUw6p#cO1 z#_lNNHD(3%p|0_73uLg+s%cwLTE z1Hej~BTsHkhv{^y$$voTzn+_ER)7h7uiXOKeSgzjd4Gd*W80i=-t?KIcfD4Ki>=fT zF)?rN#_&ED$6F6YUO)GK{xitc)tSlT+qP44-{oe7xcLQF{;#cXNa@{bOx`8m_vtvF za`RgsrNw+xR&wSYajb8=%RLbAw_oT(Vn;5cZe!u3ceY9UKwPd=+Eq=3D|CvxcJV>GzPMA_B};`AiqZg0D_ZSCx4u`3>dT+MBTO$TDdts_Ko$^L))_7#rzV1RM z+ULV8LVQ#|z#r)aA|r7GtdoI6`m=!~zQ~@QZQ;-ERNacF7QrR6U2rA6AOxlsB2bH? z;UTPh3nBP2k$aI);kE|ZgLsJK!Z{o8s0BkAW=$aV99tGq^YdMq9+++cLw`*skl_pz zEVqv(j^FQ+^F}`05t96-dylovjG-XF*GF(v`8*>f`gG6viP2qxgwfNlFA3Zj26tZ0 zDg1nkMP80R+Zqu6((}?zryX>q8Z3?-W|Rb7!CGB!g`YMNgrKjgU=c_BoAqexN-W7~ zIq51k`2b5^REDJP3SjS|v?--hRdP$j(tHy3y{E)@y^FrFn4zf4z^RMLMkso^>twl$ zWmSj?+ATNS#bzVOCf?0uj26=A-c;`9E@Gn(QJ#3v%~zGj+Nj*BEjTfv42x+K`h*p4 zkDvuoMa6r>RC~k?dn9anP9?p1q(XY6lY3-}dSp$L&&u)`5|nmB|ZpOue+y?{?Jh4ju5I9=OXn;3+OI2!IY^s0RZ%2ZO{1gH<&j%8L+nmz;j% z7O|-cTL_dS{L6T_HlPTgKt2D>ge%k>aT@*~9`=6|1Ps*||6h$btD!;XHUBx`if;al zZ%vraCUAtuu1!2u$rb8+aJ2o}M_O8;(KpWLygT~*j|o>UF!lObLrZKxZ^_Ufj?qWC zGC$~)FaP)g>W~_f{bfWFNcejuj8d93;Oytyq=)Auvv|j7{z1}!4lQX*3=Qocf&i;X z^03MLa5;VYCsHfDe_BDsyhTd`(HDcHp9C_%-{HdepAB&6QlIgzCNg?DtR_fuAvlw+ zP`0ugd>_0CM9f62jHg+I;Q=}}VVh%$?5e)68P^|C&8P0&H(JZ~it@9|yheF{=wgGG z3|EShamKn{0rk-}@oFuELyE3)WKmpzP*i?i>{3x#QJ~~79Uy%-lREo+&}hBPcB#DN z`WEkMxqX_IYGH z)~?dbQgn6Q5AA4y4sf7=ThS`FCST*(jDTSiQYB`u0hs5%TT6ZDywf<>Mtre{UMEI) zfEHpZ*fvab!LuJmfZT0C2yblnu?}oc*Yg%`-|dxNH@*8(;j5tdL=XNs{?#1ZwdR$Q zK(%mNp4kdlxnWi$HvknMJJM5?dg|UzBeo+kWgSr6G+~wIDmrIVSS4Bu@43*>t((&+ zs;Bxe`}sTb?eoh=!)(pWE%TOpJ3>wD?xSC4w1|H^uY&=#DrGlroqc?IJKD8nO!mW8 z^SEx@Y3n@o^uqCbo?NmoO4mV_f{FE*=diizvNz1yfbu1eof?ak{JZ)X$5U7^j zh;112*&gQ3J=|yAzSw@yqvI|+0}$TEEnKCQX?s&d=M-7G6vecv~znQXNA%#PEG4uDU;qoA%J-?%eb08|;j-!jnz;FCZRnNs+omXp| zeweVX$4s@HAV}^G$Y%5?oXEnuD;+i=`5p9OfiPdNyE!=Gv-=2_+;+ zz@~uo-%3KIr9-)ijwgb+d#Q3n%9QDbC&Ofq@{v!{-LpIa9SL0s{C!YlQPT=goW?*SHMiXt4$J!k=>fS zAFA&pFTjP;YmpHnAp)b+kC3RH#U7fJQO%9GsH})oq|P%!@qD@H2(WL~C<9O3cpk%n z(MF825#CszE?g=vixXSAFc*&@c0wv0>NRjbU%NQ#f&6U4_$$s1Iyn831OpACLtS+h+ZmBh{ zIoO^uep}~<9&HLE@8@nCeE3Pbz zl-W_9$s13fV8ltK;)s&pqOUC>A|s!8s}`x2k#gQHh4tMqiUKd*#3%8Zo2g&~m21g{A}jmqL@@|+@1jzSmB79#NXl^k z=}x1Vh}vmYl7~u)w>Fs!_%TPk#P)>_5v5PH9C`|%Phyijb2}F4{gw&xdKAVaude~S zy`N%-$1?y(Yrz<_PEE5osLP4(ujP+e*q@zie9)PW_ey10N79Oog3HbWD!tzm*-IA zV;sf6N@gC7EJu4N8D9e87VogZpL_q-Zl{~JZ9h~bCZD9!E)w&HImK_820GL}^#HR?=!i7#*2*8D3_I zy+q869zmjx) z1L$pORb#-#S6c7l-X|~%!8^9w@p2$~3JfFo0|f@dcJnRh@fjcW8~abbJ!Eq7mLBh9 z`3h#quF1D(zLQmB`FO=%@*vsPR>P~#>@wu@%JpO=*?#iSkBf;Ve$UG^)O~dLIiq+X zAA|46T_^LJK%J~^H2QNH z6;@*6zIK90ngb({xux`Nt#U!>e0T}ST?AFC)qAT$W1*3#Ng~i~KmBLTw3TVB!gWqL zWK6A5EDe=*+*Ag`sRXV~Z}`2{4VVL0cA7OL?X;--!hU4CQ%l&o`EfM8ef_{Co3Mrj zB<*9?@u?{*=gRkI8p0hjAftrNwWju6&kfz9U9Sz@dA*lYTqFr?{cc~Pm2N}hFVUKM ze7fZG?xx_updYjSWE!qGKZn9e#6gd`yMV6#zC;KGK(p@0mV1+PqW|gyTIZ(DpZCiH3|K`QZ+))z>RpWjZOD2?<%oBs}%NA zwR>*`qF&nkAzKcvHvV}*JDH=XP&1CvYgH3fprlvGZWTqS|0?80gB@w@<{u7r%p(nV z0x_8>vwr1}rOpGrc9`E8h!+%vNk5>2ArUg!`UR>@TeX=mZBmMa7 zbmz<1%EUE)#q)i9MZ)|LT%utS_;E7~=L-_jyc0~OOkf!@%B;!eb9^U)?E#~elw~;f zF(JDgtln~t%N0xs@s}<#U?Xd7~%HW zU5~ZwZKam{GSVM>FZ);-|JM#oN!LGeamm$xUBmAvi8mDHlYWOHFAzbRfRo7 z-<|73I-^`vhK06W+y@k#6Kh{x!l7!$TG=KQi6sSgl$QLXjT>Jb*Y2QGp%y#IBeeL|$gh5tTtrYj`8un$cfQknKj0dtGY(FwEB%;gWpRHXJT6t*U4)~hr6noA zq_uHY(*Iz^!~CpjeLUzz)y5#>GnvgkyCvzZ9)pLn>n`mtWIs7JkX7w;EZ8>-* z^RY2&=SNjfkMX0*flB@#ABN7&9_(95nO7VY80J_4ye-tr;hGrg#)-vec#I|CuNFF*skxAR!8f*Q2e{3>CDpWTki!LX}R4<+AdP zJZ*{Bm5RAe_O7u<{CM&T)zLh8=YY7X2#tP#dI#!FYzr5+YjRYN!Wl9N` z{Ekr#wZv6U9&jsD7)yFiK>DkgpHAiw1g~1j{m<82L{F`&0yEg98Bcs=8O=%M<}s%Er}Ui9H#1* zkJ=qej!G&T*VJOWsXmzU*5Kn9V}|ybD@Ei&ux+#VA?Pv%?ojFki>35Y9 zH24pO=jK zBd>;rW)i!^Y*_+UJ-k5M6;CrXC?w2sdc%mNoT;(+4eTk!4^&Jg%2nbADxTXS+GsYu z2rjhvK2%Sh^>71T-u=e@nvM6bp-$mGlpczo&`6c#G+!F^D_p~eI;sB*bYlEA*~JO?pOfQL2fwtHiAo;d$DI#@Gsru0Cls(A z-;btOcxnO^PtMNn5?Eknn>6zL;4FjhZHRKDEP}@_6Iyyw>fSaDqNQ~(4?DLUWb>l& zZ!w8rUsAV6>^xmf|I|%LwA3o5#7}d@U2;j2^2awwYnoLuV>g56&2VV3^_c#s_^}GL1O=^L$Q^96yF09 zw=Ku8On+m8vI74Q+j7@}irL(XWk1Kt%fCXMTIqOHX|-QxRAq77?r?cc|1nXORu$QH zc3lQhbd^TEP?lc9xH=PEze}W&zB9Tcb&4J@zp8BEcB!V zWZrG8ETE$3ypE5%UT#f4Xq(BTalL+Qty>65j~CJGqg2Hcyz-NGL3>=Ed#P`A&`D2| zsG?uIF#7a)fU0J-)*VRuZ8P%7v!6qU_KB3xofQuy+~{edtHgXvhMmmzX~JNUkyzqH z?;MZ#E4Axzktxm(qh8bUimpzt4ScANCT|41zBki&&>``5&4Bc|nr__HFKF|uok{!K zl|LuF9NRnfCOxy592b4xU-5X;w02&t_uilUdGqU^>T=Q_!gKrUgF@xzPwL}1vZSXI zm`uLara`h=YqIu;d~y3%bsIMdlb+qH%Tsh|8!IbiL9e%TyH$Q_m?Ep(sb1b~TdAC= zlB;-`#@JET6TqLr(XKfE@W6;}ulz7eIj;O@^u52&v8Po4@;K4+yzFa?f6nQ_+;v@r z?)Ac4|5ltpo5GL1L#CIF)oF2f;MdAT`%m(f%Ev##r{15Pe3b=hk7H6*P;1Y86yZ0? zF(DPK8`KdpM4sb8cl`$B&bpMmVT3_};14=hccXz?<=>&sK)?IcLPR(nrwUj}_xy~g zy(abgI@w;MitO?JRZ5Zta_l?tUU8ZP4EoWBPsz9CxQ)ppH7;DI*6Bv*dnkvUAPU}> z3?|w^vC;TP$j;pc7Sb0ztnWR^=?XbtELOkLayK=&01NGXD--W`PtbrRvT=azm_jq) zlRoOc_#hKaqI!6YKKq@| zMBg)KT+{G?7IBlOa?R@*z9&*6>u)Zl;Rxny!mR;KZ0W(kdSNK!K?Cipa|AEnkR2 zguTv=Xed2@9Q+W*uCBG~W0zmFC3bx;pnKJW)DZmKOJ376h6c}WGxc5Yxlory@?+-h zAm^`W$7Oz@-fpI4B~gNePTXTO{f?B_7}q;*vGEHRugpm-9LT!@vB1Tn$(zRy#kFLG z#~R0U+llVKu5+>zf5W*GBcb*j^!!-uY5?h%*H*WBb7pMCdd(&suZc6yx$+#{TQH@% z`gL*U!_M=?2V&ZzNtK~7M4-=xhRVyQm{?e<124+PCxH0QWW0oePS9!mFAI;cwda=TIS}Fp&(okNyZ+Wu0)&n z8XzGa=$R*VkxI%O@rf<%LcO+M04~z{-%z5AY_Fp~tl(ZytJ-GBH<`nhp^%cgzobR!PSdF7!gm z>u@Q9%7^-9`;VicNG9&8oO^y9(c3;YkLA%!VdscH0e1g=Y5zZ&@A{KU7*@T@-Cam9 z(GjZd_TE{@xkz{mwb1BEa7-xLEIbiG$uvVM(&BCr?CN{svDI9+GC;7%8}=*TeUbQB z@5N~AJ$w0Vt=W?ii`+o8ah_O$|Su~*wAl_v{ax0jwgJlcI<`w+r9&gkQ` zJSazu&v)xTuT8QE$LT)a{j@dPgU@%FxACR@V_kf{Yqs{~V8cA;+Qf_1?_c(1Uc_As zSZ)GZwzpqO2fREF`T3IvrSzWE0f$~;_O-weeIKw0{(hN|?J=b;p?N56{Vj_yim)}N z@E?|h?0)RAgl3W4R?Smkd`=sd(Z~6O9QOssHLV;5-bLiZ$co;wj$7a&T#XbaGh&HT z2Z!4vc3kbZ@zqf+O*GifJZqbMF}}M6vj^7v@a^Ys$FjHYeqB^ z74BqgTAEXl>R7fEsLk(~n)Cg3MTMlKQ>9|(Ig#_Vs__S@RnIf+o$$5kaAoDgGybPF z-Ntk-by(%7D)Sbh?WMZ$C2f~Ra|s<+jTy7{gzUL~S=VOt8=_~=hGU%#pRehLxV4d0 zj|i#kzNkbtAGC1_c@wA8*Er$x;_-+dGtPQgFx5$Q06s4k&bq|%$z1$`G~rI5FErjG zf{N}@W)GvH$+IWh7>KUsyH~`^ma`NKbwkX}{dH;+ji!@+91y$1G3j*@`rpa%$o!_@ z(WF!jX9IdZvg&B+iqwwy^kvp3tg)|rSEe2tC=$fJ7I7SFdf@2x^S(~Mk=WF%;IW#5deph`KE#E(BwsYP-e^Nc~f6lxyA869Mi3@el@>xE;IDVokAnW&K zg&H9x^^rW~NvjKkyFyJ;PUR2JjqB^`589vRDjaU)S60<+!y01lyhe2k)$SZG3)SrI z9gIKQ+XTBm+h3t1-|fs9$&ue438<1)y2 z>uLhYRO3OAQmpxn_*?j?WE<{{X5zId48dyNlDvZe(m*f7N6eC-t5gXgI}yl#fsJUB zwugEg>BgCTgUqt2=enBk{q0IN(sTDgNw($q2#4+bie%m-pNZXkB!)!7Im2 z5of-#QUHzQRi+(|4^l4Dl4c{)O~)H3j&h&^regp@0~BY{?H|z9UZ0Z{^ShZgGZ=b> zy*qKC9)_H`h8d-raLSa6HpNeEWO$5ohEi?1ZPUFXi>10>g?fhM^Tyc?e@{5@>sT-l zt!o_Rm$)w~a zr?NymmqyC#yv`_dB)ivRju2EF{?9iuzXjXMsocACKL}0;`ctU!J5!zmK>#?w{pSrs zvhQR8XvQN+y}k%yT7dSA1wXhDhF{j(|AtGbzBT5ix2OWtv2?aSmPf4QR6^9IE|tqN z^OQc3Yb;T~)~%{lbbTy?^D=y~{9sMkUHzfIYOCSuwF2b~PeIwn^2zvi3-x0DrpoDx z>&;O&7;l!`EVJp1dgGYla`n08~?MnR}HbN$E63*kv={f|zc-(MMz)2NAU+Z+LEbIcuhPBYp) zhxCGfz&aKW=HKmQ6q=L&u>3X~KarIqtSEk|+1mzYj!EQFzjF^pX*lh{i5R?KIyE+v zAlLNyEenQ_vUJI?SA^a&z~ZsPZFTCITOa%>t4}+n( zLM#_s4;M#nDCX+U``B#F>S##ibUw77&F_ppZytTr@$KbIV6Hhi?Wy~h{W{}Z=9dZ+ zI|Do0X^|#B&&~zM2yhtg)-FWEqa4 zZM<`jEj8UNl2<5#Jpw+}yd2undSVrPaeVMYxTG1rDMQ~sxDq0LHfRyA%&uvZ09g*V z3DOX1HBZu=yJejW`L6jffX57Barc{Jx%pku2Yxvis~IWVjD6ck?uUBM_;RA$a+eZ7}9pQb!`P->IwZugumZ#uzJ2yVv)V}y&#_S<&<6MrdOLGz_v76QV*l5?vwXk`YHY>~F zUDJgZCWajc;E#@-mW$DQx4!Q>8@8T}XMM^8QN3~RQjCnQ?R+Oha=nMF9eTHy8$^PF zC_byqWdi?9D(t2nQFR~W3M47u0$F791~dBL``L7!jw|?gV)p!Y&gcctalxxDg^Hn} z;&%0xvV5-|a2zh^Pieb*Iccfkr`%KxZ~fw`U+?_Y&yGJ#HVVJ^{0&b0ae7KVaih?(|obR zaLxZzCl8ER#(q%pcx;i0`^H(;bskz8ytQHu%N@WTr6BM729rdJJ1CytiTB%3xkI8w z*S*oS?=J?uLnd=eg+8{{M{d*7pljR2jz#bziyyneJp{cjSoNT1!36@t(iKBVB$23e4r< zAe!=cH9=*l#;OOH3a^l57Y=0Sdy()&bhHr3l_4YLr1vCl)r#A8x~sv_Akgj+iYqr= zl~g$~tkBDpjo@qd&tIjIg-t}%hJub6FOS@}+}Kq5f`F5$wAk;ffQn;>q3n2il~)nC zE?xeL&|z{>FgLmDrm~|aSw?_~tz=3$+GY1iM$ci%JL3$szG}VT*S+}?0(_%Rsh$}N z7xJXDya$d0uRq*#v6BBOrE;x7=3e^Rry|Mo=ek1)(?LI1-zoLH)4ebG`f;xfFOO3C zWKHpO#5b=GYCEm^6n50%%ujNpQBVeVFVCVrLbZ#O6n`n3=0ITlrN;BOORd&94|@~B zEaPOe|NbSg+N(yrE`)81-kCG%7_3`q19p|e7B=cQhN9Wkg08e06c40wTrP=mJoq@0 z!FA1F@SA7$wOkq3%6fX?SbgLd zU7yNyD0e$1y6-Yq;W9L3=qzD-yG1i{_{sM#g-b7tKFa~9XioyRA4okptk8zi?G8XVfkt!_KnU+iy^lzbsyKQ(tPi^HDe@l*F@=j(EB7eBWhY=tEeUwY>MsIh&2wivQr z_4J4HSXCWUKiM%`j1ZrRg1vx^43QNeXE{U5HN5Y9lyWS^AAMte{SkzHrCeke?TeuQ^UFO zUm<=!P7b%<$DO}XJc}WP{e!8~zw`C~XOxmcec}aQJtlBxA)e^n->3!1oYC0;uRJ`8 z(7sTS)kHmYzgKvjDAiPAm{$46dlL~3w&uSzoR0&=#?Vj?&9zLIu-2*Y8-ECnWY#m7 z)mNVAyv6cyNe8Gqj%n(Vedo#3W6yNR3#DvxNWP&wyiuqp+g4PdVchVsB-?xIx2Y4q zwQsD`R(V-T#a2btb3Edwwm+1VBn*4z@um7v-3AJw&?3Sfzbn6nBB;Sljelm+e|qe1p44skDns=_zre z?STT*XnkeXD}b>4YzHKK|2;Oq1?H)1*Zy1tEuawq^pmAPeXMr8s3CSm_DPPkrb*Iez7A-=MJH>$AnLkM#HYF5%Zl z;^CUt6^titkpOON-4qB*-cbtd`|dj+QE3wNz(^$vXu#|IVpRdacY_hvbuQJQMi-#!9?uw~ZEX`RtYrFyU2OgvK|Nhm#C%mM16% zgdP>C-t^{M)aFv>#0#@i9ZS-;J;dSxR1V&$%_c}?+58V^-(0y}#P8-Yhm%%up21Gv+D?HSl|qhIeY)Dl1CGAL^K$$p1Lh!T$$` zI!s`K z{zr8y<7b+;nYYihj=rSeU_qu!DR)e6xB#+XOX+NpS}P2t%jKK|O3Xk_pj+V#O8Tl* zXs{QP>u}}=OGpq0QPjwMdR|Hg!TdhoATFvQuov3)Sr*xY6-b9%AlrAr1-~Y21%>?= zBo_I154sLKcL^%MVLp!MF8!yp?K<0{88f<-C=dyaIuHGT?smNczKRxyL{-lLO!F6t zkU(N?U_SK4z$1p`{Q3phzP1JAdk!&EfqL|iajkJ{Mqb>SQBq?%>d#ZU3`J+VhU)uJdn}xu%u6uS{tYJi z2Si4a&qfJHZ}`#p)>%I^f$W{yyahZGpf>~aS?J+s!9KHOQmDg1(W>;ECP0=41rSMS zRFGl{Z9?m1KX|b=seW4qH>s~MnNg@DmrT=#78NXcuM~KkK55jXc72irLb_3WV@5NC z;3@6r(5&J~+l&;3o9d1Dr{h!H2Kmi<-iC(BcW1!ab;PytIu|QG9Rk z0WAR$Ay+QRg%Pd+!NXDUw=Tc>bybJs@?Sq4PM`@c9*rlZEX3axQ4}wB^{dj0XZp!7 z5ailROO10CqPFQ*6q?o7>uv9gF#79V_D3)V{%+I%4WjtJlVRDb8P^cPkIO&5(JRnQ z5>@SOEWcg~&1IKu(Zm&0XtPSr;U(RLRey*wKIwQm3?aPM-CXAZmv?xG;!T`sv%?r; z2a|=H>2r@`A|bv@=noO0Fcz|RX>KdM!8Bs(gfjoiHuIlnSnh$8;Eo?xPd|!9_e2Z0 z^M)?7>5LSbcyV{OX+523@M$dQeApGR)bqC~nSY*P{Y%@-|J4lZ?>#Xpz{IHe=*|H`nuiN^E66t&iP z+sv&^Z3Xq;8P+ntKvmH${ngZqcc%GEz=1u^zzZv%!|bwx4Wp8B zWsTFyBb9Y&2JNL1FaHyhTrYXG`s06(N&eucJlOy5f$0ZB%bkbgih=?$2O)I} zlz>2eZDN#Q`Ct_fcQzE;Fd>ZJ^pmRpAA8>&Pj%n_f6j3n$3BQ;W$&38#WAv1(YBRM zW+XDRH`yy>Z-r=BAv#(&VK4r0qB@$FZp80vb|`x7h4jLqRs^y`Z{tGl&%zng zz0=jvN(M9c7!Ko$UzH5hO635JncUy9A)vhARfY9rOOn#QTkO48vJ7}ZMmuNm_GD~- zKLY*Z-BOQ1-Z`kpdhdoEka9{uDd-7(9x<%NI)160k;>R;2gz+@d1t zCpGDLV&Bx4RCAr-R3npI4ArX&n|CcQ^P*FA${prlwEY#<3YAVP^fbV~fd1(yk5HQk zcirg8p$(<8McxA1~;TkfdjtBm&8YCo8W5Bi?(Jvd4X>uK!85G#PSY z9j&?e;eu|40k>~#Dhl6H>dl=Cwri?DZgl+{(H-~tE?_Lehzko%de~*CReobcQAm~% z9dVqMxZuPV2I3o;n@O<`P%w=5CNrD8>pOoWUC`>m75rd2n!9jlmKT=ycm#U{QA!7(gAzzAxdn7kU0I4dhNaK@zQ0v~j}|BtxK%2s zTP4!fA?67tqt$8-)64b&I;eedz|U{hPb8PdYCoRoXAhGj(_RV{^{EQ1pRq!V%$UaC_ir(J;ObvCUbEMP9UPqKBX3` z5sf{C2PdjTBQ@UzJt+Z}* zo|eBbfUC89Q6aT|=L3AX^D-#aYIXi)CBd+Su;Gr!8TAAE+VTjJA_o7R48V}&* zW}OJ+s}nH{<|rrE4G@WTG7M$kfiwC`5yagMSza;8@IS@vuOF!@1-}|apsK(W$gRWn z#$T*E`|6z{Y-C)7ZcBDN$UsNdC{8QQ2Lxfez*_?{bbg-corAqRO{GDL1SN$OT%3-( zM)4k-;3%Ft5@broJbOnzK9dFF!+H$s2vopqApKI|y3tYBVS2nYJA%}l%Zai_a!ga! ziCQ^h(splL$W<*=9LjKo(g(1X4NJ`@W<{R@To)h2x3HBJ+X6TZj`>WgW%7DXVUFJW z=bY)xIGnkiw@epIDq#_d?1_5Bfu&bK@%_aQ$O1vxSz!zQEd54#tQC$zvvbwGOQP>M zOWI0cWtJt?Q%{yNOY@#4>nY8rwToUY4u^jX$KgnHs#^9kE4Ykajxk#!Ms%=kFnPK!oJ3c0?@qFGuzsKs#IJqk={<8;q<~fB+GDR)q3-ISFAPF zhxQ$Zoy|@bhN{ZfD@jQ$kFxmNTG$|Jg`=-79HtRtjxCPZnD~UBeDiIr+z#{1_7gm@ zm1ny;A6>_n+FhRS_H8pSEMa$kT*Ec2<7h#=I)7tm_^9~J#f*OA{5NkLQ;y?+EyQ&5 zV)XDUKC7mrN$f~0JmsjFt=DlDzvp+EoR<{#==M8+-g<$T*8`@dhd~Xm)ohj`uiNmL zn8G>=LD0fj{lNGJ$U5TqWp7sHyV$3f!8i}YPMZYW#WR+#rx;Q{w}ySdm>>rP0tthE zzW+ki0sGmai3T94fF}Rm7Zt5(m#+JDMh(y5Qx-!4cfLe#`#iN>awc8rZ%+YwPt3tw zQpt4bqhu>9#;FarS>0B zDUbXB^`lv|FErh=Q`SAgK!vD$XJ%UsmZBP1UUF_78HYuFBQtubt)vd_pby}bEtAP( zE$K75%vL_+%pOpZ56>{mseoFya*gK(SU#L7J;Pp-6BTHJ2Y;c*ga2V9;abJ^`uF>< zZ*Lfi8T!-Qdh_0XG1k_LwlO)`2?3n>kF@4I(5^y&)h?1-op#&mMKr@$e<0mQRVX|LO zxl!)iSLkLwyGUh~`5Sa|1L9X4kCPi)e600giuoC*fZPhWCMO5DA;N<5nUGjmX^G5& z1*jC>V}du(=&oKqMB{B)Jhr#x{o1LOFDz9rH*&mtwDzk=X5lBm!T@jA%lb|mtOhv3 z8T3l*&#nhxvw$szSN6AQduk6r*j9~N7*LhvU*QLLofyo*c{ewYPiaGHT?6yff}yyr!`#V_ch$`|6&dQSDtPhr(ogZ)65-6iFM#rz6CeEOnyTT zfrROA8)jHY_9DG;cW2e5K|Ck1UlH80D3*rlZ1bxaT`F&^gC<#M+RWnmE9)k%kG81N zKWKMz9##6Wr{LBP-iE5c#wexGVLI z?-xoih$vf2n_;wpyuppMmUwU#rA5i^rQF5x;cpx4=s$R9v_{0gKc7{C|J_04N9KN3z4|DM!G64i|st(|L&?-0p}hHf&fe|EzmLV;X;ZuK!cA|3{tc|CH?g$rgRAeSpb! z6Z8qa#~sBamoMI9LH!wa_!E>Ps}r@qL1Tv~3#8w;pzUFYCQs|+e`SI6EoqWNr|oAJ zNI#uyCAI<|Yr-t=As`~v+V+<)M{2xqkE)`0A}9-_uRIYQe!LXWLUz3--*U?JXu+WT zUBt#oW}o*QVsE8JyL}zK`UkSSZ6$9haf36g%l@w6a5~FHCT=eWV!CnxfpH5@rs*cw z`xt_9>PBoB6Z^3#X$-DL)=5QGzj_2N|FjcAcnq(1GK9SlgFs~PvwWC@RJlk-s4Q`B zM#$ea9AEY~)@V|qtq?K^PRz^1anAWzE0>dyNKKLl3X%JvDj&K{_r@yfYgJaYgrN9K z@tN6~%uNPgNQq+KSLOA2AZZfD@wT{u%=~SM*n=K|(zYd0%BU%kIO-@N(c@tvt>yBn z_m}T&d}jf)R}J^h6M&lizMZn3mIYPFAuD`Jvimi%NIn=l5qx)IRXh_vfj3Zy)$=mb^?aeCJZ$uNv6AaMsaMdUbYi191)4#}Rs- z$7?v=@3^*xUR`6~fGO423eb96*I`k=T{?*H8t*l*B`VP_DBe-bHVrFtPm4BS0rb~d za{0rDj?Rep+eYl$ne@0EvadL}(8Rl*7&zC5-aQG1aRK0}cXY$78W? zoh`bsK2MgvY8qh*6Q0n-oktGpY`yJ=s$izC-#F+u`3yt`ssd&G5;3#iutG8NP^ zk551ih~LP?$pHR=xF+TPmszbE*^Hfc+HUj+T<>dW7j*zo_fxLZ$B9J7pt)fZJ~%%C zA-+Ch-$=N73oKP({N#ehr@wf_N|L1(xFB?`z>vX9iCfx5&}+fjD@*ClS*Jx&U(QF{ zU|E4>sq_{g;i9Hynki|JPQGFr^67nw7KyoEt!EDa=_n8)61A-*?@_Y3)A@B<+nkKr z)+Q#tZ~UR?G^4h)tdoy`Z7t~J#ayz#Y-DL(xy2mc^bx(d4nG=;f=NiEXN&+pXqBpIv*KF~MZ%i6_BwdzOJ+Z}qwg-0F_}_^+|8iy- z_o#0d7(<$jn*oGcHPAavr*U8BO%f2b#fjBWU)oHO7~x$|tt6a1b|WG{!1k&?)asF! zB;~HM#$>3b=|I4d-OAJ8qq_spsR$)ga^xWdGMq6|llhrSAoWx&UBKDvaU_AxytGmT zEVOgMF(xA!cbU{#C80zKiLuj(?3?N1KHzP;G(Y?G8^j_#8}fHkez!@=Nqc9Zm;+6g z-BQjDuOb3}L*sxY={LOMhaS_wS-u3_W731`{~WLQ1sYfE>Ov5d6bjRAY8S<1nd+3q zXW`WHA!3+Pdq%w9V}4zdqP^F?;T3>#94mmTg4e$e+7Sx z?|!?NG{ouK%L&9iu`7oV=bXR>i6#+>S->wq&w}ZWN&zcFT93pDKumTV-lpr zDyckMa?3^FE@BtnEJ()Vzd$)jM>y**p1g9*oim=gp1ej#^}T(8yR0Cb6KIqU(u>CBCw!ssyyhq zlA|+!$g<{){Pl;sDmQnIrEG1(C79wA?I8lG)ZzCeR7{k-BcSo!_UV$;&cx2^WijtE zW~Cn}bg7M$-KF@@jAT%34D!)T4IS2(i`+bIoor8!v&cjxz1bb)f^dG-nxpENtMQJl z`<~$K=G}9LanIf7CX-jmJrmQ?d#@DY#Ehpc>V?x2bxV)HygBz=Ma#=V=LdPN8(D ze>6S*U$NraCvSX5kAK}-Q8fD0{SQ}Mi|UEO*T4XdcRF=iLL5XW7sS!-cSL%TL=q0eP@wcQd{eMRRhVH4an60{sU z+9WfDk2YFZ+_zV0kGgDpjCuy2S|v<;3i>#H{)iLA$S7EN@!|Q@t6=U67rh8jgV(+k z>R&;#{RdWD#%dL9rW(k-zf5%N$_2drWq<$nlWgt1{SOYj{Xw%l$ZFv2U!oVXy!7?$ zSBre=i6)+*E!(wQH1z;Y!CfJ)4g1`ec^AqiEPCO@jB7G*k6mcZ3@&NB-eQ1I>LB5C$$kq)|5V(|DPc|lF`4Bt? z{HVL{7G#Q7#+UuOMAW~0`+p|!nK%iW@DsmLBL~_I%T7~epDmdP~dyf4^V) zJwS@yR}N+{S&7QaBoYkCWO=f|!laWOiOCgH5CpKzH73Avw@_VkruzkPl zB2%K4ZTV{?CEnF2Bp1`?&M~jc`;2Y$Lf;h348jC)1J#ZRREt{Z>j8>a9QMB~^kGir zT^P0Q2kN92AQ|-reWh|%7NP{-Bwzj{#@hh-lJP3g1Ut&T-LOD+xY7Z=pb9|u&PtOF zk-XI1&JJNlZ3)=AgAK!AiQvP+E~^(Js}2u_yfhbHY<_|b{zSc>hVYL-0fw!~ zKS)M@3I+USDtz@P3#tSD1UGlwh1(s6^LtXIcMb{A*^Rl|=}YfeRF3^l$}H0ECHPxWvoz{S9>GN(BLCt*OpP62d%B5pc)PmTZ^Itrlmwppn}f+X%~j;31H%20O3i0A*Gmh-FmO zs}3Tsji6Mr$~#|dRG--{dTjArsUb#K_2!4SgH;$S6WSH3w7QQh6d>nBM2g4%o4hK9 z|G~2W(ECM3#U^bSMgV5*DoRP!bJ*U+au%UW@LO3smJI{lFN9jZ<)K&!^@*8CU6_{5 z$sk51pf!ah)=k*VU@gxXCUdkj1x0w=K*8HC#5mzf+}QR+j=M4xIe!Lk|8NriQx$%{ zw*KE-6@JNcK>xxI2jM>@;g1i(|GtudZnb~Lc=_2$_)kgrj$4J))bO~vaZs4JdsE+X&D&}WZ9+gVU=deF z6ttWO8ptMMln?O~ogd_9txY{e&31xu8PSu(N2HL%PRiB`3}a>vvxRwp!bia9kWwM% z!$Q4hY1Gx%Ihr15w@2e6I~Hq-O?xIDb6kIiGQU}R&}vgGRqsvm&v%S2f{hdYa`c_- zR(gJKtQephj^HYXew9Mw#W0o{vBisO?mxv5wnSV5jxC+HN7Tga_>xxABB&AD#(#k{ z51n(;CYO~FX|V4UacY(T57X*n5pRLgZnI`qj-6*OpZ(b|#t=#(=>*VCXq#)0_KB>L ztdNqG*B%hEEB@a2GH?Y@_h*q5l6Jv{Iu|wBW);a{cZRSySn!ci(Vf&IH7Ip=YyxBx zBg@4NETo=j+{13niQ4Nxsh#a_$8+l+2mmY80Bl|^LHGfx7;P967S@5gIr zl0ME|>XLwxaO!Fs&p+3Taf8u@T!3|)?Gha7J~;oV17-+3Xfp(q#W#SP=}8`jeVt2*?kyj`O`(X9LD`bgI9^I-&?o7o&@`hOl|-GE%$~pqZQJOK;a! za#L4Y975I&`Y1OFYORnCi+cFt8>QTDWU1W6hmNY zT5&BRRdn*R%6EjOGknq?H?8hfdyF&`XmN%mAnTd#k>Dhf-PoGpe<^X$ugU;$y&?v* zyC8T3`tx)piFho**{N8UQjxy6q&s#-%r#H_a2|``+Dt&AKs~%L_?h}eS%M;I)} zY6xg3G!w^GLn#}H!MEPP@3J>3L~~irZZtisKjnv`g0KM`gkiLTmwm9qGO_MByn}3* zA77?#E#NA;SnU&)_tVHb?DwbhXlnxQA0$g?1L)@w5HOv>o%jA0Q)@xI1ngRHI%LUh z1Qv79UNYZb#P=AFQ-?RK?zMXD=*T`|2JDNzLOcL1&B_97AKCR=T3SW!u)M_>Pw3qp zhl5IeU9dWc5L68OIL7E7$9k;H^UG-LO-%C>F979Pxzr>_d~J6;!GC0h7=Oq|hJTml z;NRE}eb@hIuWi7n{^*mHBS1)Dec;&7MzIw3%J(-Gek%zePmq{W;inN^P@hH3W09k_ z)Ml0AzQoZc|6=Xg5fq(1eOkikyV*PuJ)1kfADm9vFS3_tf!Vw?>n>_GPj|HO1!i*- zmhYJKf7*Nff82%l|Lin8eexM?BKhXJHOB(b{?gT;4aow;oSH?wX;HdEbJA*|KQv} zLNN%&dSLY4^H`W1gpPaX`!iGACZGS%A!b!MuI58K!gPUv+9|AFBI)gA}>s= zbu*I=TT86o;G_qpJD5wUAZw1Fh+& z+Ul>W(>+>KByLTc0E3KOJLc;Xc5QrMgnI|d!>vnX)q?niJWKHX7YuBGE)U7SNYtw- z!Q~)#)|h&&Q%pBFyic!R>wZ7!ZEB%@@kqR1lVY4TNIZ9j=@TIowwTx+Q{deW3&&H;f);>L+6kZKP1cVIXO$ zeCDQH&##MTNX9hVAY8{6Y~Z3teR8!(WV*!T<}kdbZ@lTaC~uexBO?v|bEFJ&X&9k^ z!4Vee=jPk>_-5V&EHbs&heGl~t}9Ma^KCX^M7*Fj%9y&+pnpoVnNPGGj^vb_xau ze-~+HBDY%X4hGrZa!}4u{G`w=#tX_=wEs2Az=mhs72DJo2mpD7Qh)MT>uE1+@ax%4P-W}s9OIfz)f{sv?=U73 z_tUzabWq4X0esd_(Bv;Z>*$x*Zqn<`Xh5I5)&l^lrlhTj9kDG|t|dK>;WgZnW<3TB z2UJ=3+bjs&j)R&NvVt6x_t2i-9U22R`@!$-iyOl~0qFmWKI^4F`K;)7F;x-=u0AA) zMgL6G3$gyD(X>xyRufESga-7< ztuJH-#g0e^a6xWBQ97q7hee2eB114oT1Kzl^TGU=lyvhKNtYcVufnO0$0TaoT1|Ge zE5-0!_HcPU@_^EPc(nfNoB5Y{PI{A#3w_u@!{mJ0x9@QMyG{FU&b=Fv(*FF+=1yAMBbi#L%j{TPNpKC)7YLb5< z=~zh9ekbtiUMVTceXo1ZeNT!7Eu*N2L87c=*IT+%a6!B?*t_svZb@hqV1D6KCCTIY zmfarzQ8x;r8Xw`%c!GP;D@j!pJ8C*{S73PA0g4N-t8HbKSDuj@=kr;vSUpMw-y}#i zrjfnAokJ_X^#Xn#-G*=jIHqRU#_21_1B8)}02b~D>it=tFj;b@C6+wuRdSOPghvs-o&>yc$`x-JqwpECZ9*PD4pEt){3o=JK*zwC_^AioYV z)QCUM9A|P1aB%w9U+wZ)fx3gORzvP{Pb3r#6Z@lTA z6q=#6Bg5Ps6|NvV9jA-3BKy}LWZz#Opx86SxQS?Um?53+ zw|fQy%Sp?Gdv=<6aU3H61~I`^&GJww8F-T#G81;!UR`ro?*^!0YB1%4cADZg=t%Ap zHlQ$hOziK@urY9kG4`D?vM|ZXL7K>KWSid~-2cxjaEjXRcX}u<&0i2yZ5V_7qJ?cR zm(~24;~#`DIS$-y5gWU2LdHiGi;y}b6px8PO-I$;A`$%|_7LG|5o-vRDLGp-Hu#Z2 z6KT(~dYy!7$n8^<5Rb5X7i7s-KnO5mHnXN|ZhOZgk7s7Y+8nuMh5jdC&86cdo780FA7n z$N->`QP>SH@0q@=<%H2cXGQrh<;CIApqAErty~W|b@;(!Z5Q(4PbWhYx(Ah4yJY0p z?SVZHU|YWDzZCQ4C7_vo4QB*Xr9J5L+J`gHRoWD+3c?1Al|gWJz)lIlf-)S~f!c05 zbkX{Gj#0owNK$1aIXfvXg*O8fGY4u)9TM^b-O3)kH~p=h(~~6sQ+Q8dc~l~r*N|On zhNq^;gXeT1#(8TEMJr4`>x*+5%#sqa7YlJg0^er8vw4D7TX^Sb-T7llwY2vA3Q!~U zb&EWY6K8QKW>1azmmhwoNK`3#58JcHz`$m*!vv8oUiheWi==3>DU3l074ZjXfB4P& zE^tgIftb#8KR-ejg%o-x%dKvrVB{4W29X&!@xs5-hx3?SAZ3MKPncLO*WzNRk^2Z; z?FzFF$??T+xfc5>+I3Tp$AOv$XTOuvyqr&Qpkx}Ph95Up%eZo%K0UqD`(S$19ZF_$ z5OQV$g#6xSuN{exTXWs(wzS4(?C@p`_tKZ_&tN{Y-#4Q{|KAs-|94)~6YhZ%&Dy(4 z9VblFRoc^){WL^E68^N_`_t=bu+iemZFuhKx>YlEZlYbQg8Z7_bGrSLN+ zs$(nqVbCk$_od=3)_bKBtdpNLh~O4HpBA%`Vq}yYlP7ae!Stw~7Ttlfhslum3mg&g zWLGr0;=VIyd-Oz>oa$`pP|N3uGoqu-b91FFo^FYvP$#weXu^Kux|f5rP9wYW1ar!eI0 zl?e6~g;wgR>v#RIVOqH(59sH;gNhaO;?v1U$${9ae0eMySL?5d3VV_f(a-Wp%n`i$ zHGdb?M!}00aj=d4{e}Kdm+?E~Foapss{j?ifGCAYgIp?!Byaz7*$W3Ky-eZwS~p$* zQ4FbQr{2tKJ3(_@0!GIGLHt$jsZbe99c%&-8^F0V$@D97_?tCOi#{uu%3v<@RN8YO z9OY|L)d8|jW7gL$gL@V;wE=G}F!khI3@bkVL!&Kw=Z^Tha&h4Z~34-=092k{#%JN zjWp;)pglC{Z9Hm?W6KbB#ksjHo__y6q8}q&unjN*h5+|b5V((r1`NJir2m%G(>6Py zx7TZ14_|_ix##s>s;a}8 zntxz;p#&m!_llWd&0Wvx6F8bA?pAWSwuEWgtrhRIE8ekhaj`m$Rn`0P5TBr`Ntt+t z@%pnJ-VH{>IzRj;H|1`;u5Jv)vYMt6t(mU$PE)yIU_QW36*{+13J(#;=XKxG@Pd`;hvBK3dl<(H%y5p4YyoBzc(FY5aDv z`m^&sI1h-C9E>3s!u%KmF6ahumd~aIvfdGy2o$LE8x02X+9pHHOUP^7H(sWt1!3T4 z8a4%A`&CF-%hn&`5>Br{JMlX}$6c5Ldvt8bjqfzv^#8qDhEpSDazy z=9?&kXj7vUFIaIiJ%mp5o}@0UC3d^Dz7olnZ$Z2s=CSb)d7>a``nulnsA?qBpn_jEA$vIsr^rtV8PZx1_? zqYM_Iq+>C{7}_;7&uNQZTD5T2zk*4UL)}kZ&vso8k;WJwww2_0`*!uobtaioeoV~I zt4NNc1@|lQmfgcJuq2U)Fb2+G_3m@V)J6Emq&d_Nf!9($3|zU^>MgY(AN~@;Ntywc z`Vh_aaX4Mkg7d7t-ts!K8+(@#a}?}HtKJ5WnW%#lhL&a!viC95HAAHTir0H z`1r<05?{UK3`hm44pzLNrpeWOPq$EXy1-TFp)P(<(#HJ#yy#6m9hS9H$-$E_BEq4itEQQUmo$8;n1gBAEzUe zcRtJ(xjjH>ht)UVcfQ^+%Q~;>_W9~)=kD(P)lof9V+s&O@eP{n*KY|-BtAX5>hQ@h zwHxXe47#-7!!J75U&Sg$`>zr8BnaeeCA`W467+@{ zn%0I)UQO1Np%;I1b@$ZffV$HsstXbrit5x{E1re=a4L<=PEXPM8q+SU6)^TEK8kB; zy}5^;fCFsu1WgV{NYyJrh5gY(wUv7hI@`=HQik>>L1mS)v^QaQ)Zd3vT5{k0M7 z#eE$4`loIWJQFV~VRx{|qg6VQrMO-i+n#U8mUof&mRjDrhiMb%t3gVe==+Ag?el#o-A6JGa}yE=_<#{LxjVE)E8O^=@bk=>{r!Jo6|jMYrB-;aG%<7 zkf#FT8{1<%&5t{^dn3zpN>Hdynz4FNd;{(-il;Fw7Q<_IMF{@f)`47CyQtl&gDMHj zAe6n@>cx0#VM>3untZ22_v&3+-QJZ@lUTwR#xMcvXoUMka>ldZV*4w61y^o|4fR4i zd`&dl=OuWIdNHtNK+KZE;{BIAGicx(RzyeCsxvM;&AfXT_r1S@%LEB{*_#aJIX~@D z)taV*n?JsS@1f`Qj8(bZ1rm%Gn0}#6|vhLuYn(Dv?V79Ru#g^N6hZ8UL+!A^md1;F?WId+{);^yo>UkFBB+RZj@9 zTm=Wn<-7Y?Onp<oW=!rEjVcRa53-B`@r4p+Ow%2utvn?&ot5w#>gwwwY$QccWZiMC|3sYr8FmK zJga;u5od>s`RZuV^J(eP2 z^ZaKcKRUDBcPpzP=n1<)%PRb_-t%g|=dlfmD|I))B2@3~+%{i|CmB0t1mR2~^@*-SPO~`P zOi4WL^B4K$$<5_YD6QSL6cNVrBMuAmv8fc;lskEG!~8Pb2~vy2eBF1tN4u@e_kqv3 z6*|9VyW20a{NTGQ$61X1^7}3jpA%CV@L{1vP^S8X4EPT_dJo<4eZ%M<%N$TT=}+q5 zd)?_|jEDoV9|GzV(BO59aYOV~zb6iB;A?(IW?GkChrlf302`Tr(;ttV2YXe`@&`n- z-}gaGjM+g?TMOHJVG}7%)f`@`u?CU*RLCNpj~yPZ#7`s-dNH7kI1H*&C&)p7DvCpL zxJ#PoRvnLd}KJQjW#yj zF&sNWId|ejB*I4zz7Q=dHpo{RhR2_QJ-!BOFhmlB<>M(0jotR9(8uTM z>xTu8_F6G`S9;ps+R%jUXkI0c4DW4HhdA+u*b~nWBP6dwUdTS`fhayyEA;0+XAeuU z!NLspfb_@dX+|1mbBkS(PMmY567=!A7|*sE+c=llF_BPp!?RoAME-M$uFZI+s7R?O zEZ^hYb(PJMgK@Tf{xSWV6!htkB~bip$)vzHNo9h`=NMAj8AR|0DD=8nb?dMquBNp0 zBoa!ekif#`20a6w`?6d}F0V+PHFd+9zfS0k#CG=MVT`3VzC%=X_g?c|I6RdGhle)z zBGg%j&Mc0^IgR38TGRQvk5M0w*IDa0s1C$}h0Zl&kYWk4k} zu=O+K0w^ReA>^wlR75k7Eg40%nAff2k8klcJKY<)V|Z|+|0PTK9QYm}?S%pJ5(1c) z5}A2HwVnwGGES#`jW2o>x(wa{P&EwTH{k=n32zKCP~*|_UAXmc{`(*hI|%qu;LTt6 zBXH?Cspew+dR>Cw&SP2!ybO&R9fbBBm<}>CLoMdth_a%ZaoAls}%$o(Qdn* zSDZc&QiYSe>rh`#%{2s3cgW}+f58r_1URbSsT&n zvwQ1?&HB{$dx7I!-YLRS%qBtn{ zjzFN}AgO0%ZWF34i3%j?_uy7L`X;N_E}=7+pdX9w#JO3qFK;%fuu6f|F%hwff@Yez zXA5-NabB7>x`ESVOx_a?ix!#m7-%&urVtV;jmDi7>+-x!=(IYI-d5$kN6Lhd zI72ctIcRGrPQ7WtCSiVf>`iMlzu}Xh<9(b^I9z}rC@hlLRAH0s0x82L)dBNZ0g9f-7nL;FDh0r zxNApTXNo=D$f_8i89nzV)Wql^L$Fn*gHi06QU#+VGgtqt=%d}wvosuc*jf@-@!5ML zFZdkKOfw;+FbcX{j%})bYeIo7!Bgi_WQG&{{9Kwfh4XCG&5*6R@ZgqYW0P~J=btYWClZ{fF- zc=c+D+nFu>+|G!oai+wKJT!vO&4NQwch!s8{mpCFieVtBt)zGYo%PIHlT%Er#F^r9 z?Ak+$@!JrbqYa3a2IBJoL5Iv(na>Zelkt)vEf(T^GkuKmvFFsC881WOu@$ymyf%PAHVuxZH)V|6mCoe2`_C-hRJbn zPDP!!+I$mhT(~)%=(w~wlj_U8HJcG*wKbQWRk$^uU$L~cP~61*>Fxb~t51uSGlid) z{4mDK-+@4*Ld&&SW1of^4!gMwJ?AL8zS@zF@4Eaf<>bi^KoElK+7M;v=Z}psk57IW z4?QWqIq2ppzGYCwR;lFhVsB9~Ivkr!sb#K$+Z_2v z@C-%Dj&$=H2{Df1K5eR}*;@7$mAQlj^q5~=@{GZ3ARIsnhc=Le4ltsfy)nfR&0K(i z_p>@5>^6{fK|u`=62Ivmu4r52f6)Gpt^uP6i)vs1>+G=^SNv@z=5wdY)XQb zA5wF#^*sI1Q}^8#YUjnHfIiZ9UAql|bgv0x2t2Dq0t7=E>|D)%Ub!myJQb`_$QkxZ zxg%Laf}njUUn_nXVt-cUmCeGdNYe$QAj*$Rqk%U^VX7wzm&cz)oEUWd+hvIq zD*;iH`GISfo+dvQYh4U`9Jq^xE55z4O4EuZ+c}c9^rg zKx9)X=3p|BF88ZPF3@^nvy;<$Jv`og)Z0)2PJ7$*qSH~IBW5N?eQ2zj_5F@|${XCI z61`3zaHz03&7V72*dS=~o_u-`??~+HAW`QgLt`vf+ArV`w;s~}`1&a%h-ITkk!v3u zx^b0bCmT@{x$+?P5*S>(+_|6nRyx-q!3#xZ`jwwFGEQ&Lq{k3y`?^7OD(rZmV+y=r13aM*)!?{ z&f;o=yu`9DRgR^+mo0MzCEydz3+2NEH?7L&oLjgHUq8X6s+^q0&C6ehWGz0bs(N)T zWu*|;x~7$2*rXQA_fk<^?&nv<#n{q`@eL$OTgA_k#`E4aEk)hrY6{d(TsaGgY>R!) zaxMRuE~hbI^=$X-#7dh$)71qd7V|{g4nh9mvTO+q>X;_l8IIBy_JhN`9m*PS)@s$| zxL)>x&RYtexzL&Sp-!P~xjf?NCgS>trBf+2IYH!~6)%7*(D=Y|+k!+u!q zyM$|!XyC1mE27nzbA=r5T&f&QO?H2^&r@~g&)9&tI4Dsz^ zJ!{Zj;wq}=3Z%h3x`Cd0~1GD;d#9#J?fg>$}SH7Bry}9zraT^@_KD|p%08A=* z<21XTek5~ysoCLo6Roj)(hka+16c}bGDNZo5AV-Cx_0ztU4wIUag`$$mAFdv_3qxJ zi#Olf&qt+6Fmk=3QPr9;s!TfXYs6(iW-<6IT}jSAA>a0N_03%ZallzU6(SP3dzD&r z&8kX3Txz%D$>*B+y5^Wp?kZl7!KGC>U!JEYuB#QkyzPE&i}V7OOaEpCB}cwXHWV+tkzXxpXS3NW7`a2x4~2&FSt<|%}`on1h6t(-hqz6sNeO* z()(}#*V1?Pwcuo!w*RUcA(cf}y~Icc`B|Tp&5d-op(7Bw@C)oOrrq z?$O-Jnx0qp&xO;;aM&%e>O__8#I~?`gl%ONwh3vbA!|jCa|S-!@y(2{6w2cg>4CbZ z6|0}QT)_I6>E^xiS@CCvRyRTd{aM;i#w-)Td z#~{b%tQ6SC>LsT|W|tAJ0U?*-tfW)x3U&8=gs_9uZ(J!UycT>mge8qP`#tc=55H&2 z3A@^(4J3Ev>S~nODjq%Y@$G6S603dnsL!%;eEUOZ%`i+xzF_wrbz!a#JsNTz(t%fg zHaq6l;9Oo4_sxYu4p{Zu%CcL|i~g^ZKfO!t=@8R>f!-a0=SNm#WxBX;M>R;|Y9la1{9l*ikv>AFup zk4~mM{q$*4cXRurMCPMVx3?U$>I5cFq3m5Oc-|=(N1G$zxz{`o_4;Ez_pQaNy5cpm zkcxE?BK6ka+MAv2?wYEfR8)4@4NeO>IUSQn7TR>2Q(`O zN4viOWcN`|`=11Y^rVrdmKVILu%;&PQ>r*%u=kx?B0(T62wWaWf=e;~WBixPjeh}<0RawwPe%KLFhHiSF!7I~L$NN7-Jn6KI5Db22S^i!z{#Nj zqm}~S#!y%aK$`e(J2}7ug+4ixx!!c8e#6x?3GOmPdVOq<+^@Z-mS-p)_wP7CK(4h^ zJQo1Idl8 zrFvp>&*}k@;3l--x0}X2qKB|k$9>4GKB)SdJqN5A8P8}+N*<-LH}K~yhZECqD>~3y z@d4J1k~`4i;ouYNvw&g#2K-!@)b%%nBIIN_QxVESD1w1e-{q(?kB=clcF5(fYIxcg zGo59E@;1brU6eP{&`-|EbPyak^PgCH1|691y{^$Ksa5=hVzSSbw4tOs##gVHS~WZS4Gnp z$uK>N3Ynp)wNF4;D1yOZi-Y`I#4n?Oe~_!nSr8KQxgGBif#meGiMQj)D3>p7tf~g| zN7!AB=vQS!giqXGS7$6}dU8+ugiixatu_$<7XsWxga{hC>dl~ddEK1w^0av~+1F*|ZrG8I)U z&C0TsGSN!37p6)mC-Ozpt9MW5$yESz&~-z?+j>ROs3YG{WU5=0q~vI+mE^EGf6w{+ z;>c5XkGe(5%3}RE*A*I_HWA~AtY8METb~BrO|`}no#T#wST@xjeKK$ahhVrWAeAmu zhs)u$fE&0kDOp5BaN(7bnp)Y^HK8}XcWrQsHm}8}0KL-w?{e zuk79`yj0~FQJVF67lS^%a@}v3)J>P?*tQe-K&P~FXWZk@K}#NOe(yf%FRp#WG$FF< z->#Pi?P`&L>}FrgM7blR0Oj#+C10aN=8Nf6XQJzsUEUB6jLUYEeKX_!B{n2AeiYFI z)B(I{)AYW4eIlblfJUC-lE`%BWXQ?*jmc2SOM;AH9i-T=!}-|R7$aFlHyNW?6pv8d zIs3%ESCYx#IZdGO6Tkn{-j&Bg)xPgD_GPj!lYI*zkwO$B$&#d%l(mH-DHX|^v1A!b zLxoV;LL_5NmW(Y#lT?zWEG2L;_)k8=1 zv)qoCIheEP?PjKZvU7!2?xB_WD4}Ooz4Lh5sY}cD8?3047?fGZSoB%!v;Ko$aKEMu zdGTeC>>4Q=bZMRHhdaZR?$;ya%-z37UgY06)3mf_m50DzbAhXeVco7FP4}BK`fI!) zuHr^D?GlMLz;ZXaoAAmNOfC;;VmDAzQ*Aan_12>4Bpe726gbB<6B7!25Z9Hj)Er1u zbo(G2J7 z^%L~n;WonG1*?4akaapO@RYly;MT~DCsXCibD0xG==G~N(S^bGxp$VJ>+fw*8wy1Q zNxYHEr1@s#V%Ae@KE9cUQ>gbZH+y<6%Ewgn>ti77 zf7-Mwr4vtznoq~8>k^!9QtXWp9CP%@0UwCJ5PTU z0=)1haGV^-lvBv~6a*k6U*8>nWiPSjyY1la*n_7A_9U?!jJ5M-+8(Y3VtZsb1PJcY ze^!Fo)w;=3>Rlbes;mx4Hh6GPFa1F2$zi95X|KTXYK^y}Pgv+|D-_<2 zt9(joEkV3PGUEn(kbu>=7~q%<7Xjn!nCF|$j^X-w@-2sKhmOD|GJ+NWrQn8~D7 z@U+OpI)^<9&aC6;mAO+Y)6$o7TO+y;{d}i=dP>8Qv{hNHHodE|Teg5xftBGc3FzAR zt@8QrLHc(A?rzJcB5Y%=c;Q&X*Ph&=(X`ZpudijDawqzw)8dMi`=k>w&FA||lQ@dR zOSr@*Pvk>vi$W^ZK%Ywg-_I#@^8eQmHlb6;vqNAs%>&v$=auY`>*y8XG)L5S-3B`OEDO$;Jei0uUB zW>E*@cP*UyE5EevDEkxb1Qx1#RiLQ%Mt*-W*h%QXe8H-BR`P3Z=%}GDDQbVLZs|JG zz-si@XHUzF4I^c;B~!!h_9u#Ph(Jw^v2)QL58m`-2w(W}x{7u3>(I;X4_<#d@1gm6 zy!NKXilWYgza+a9{cwUnMp0U>hw zCcU;^8BGYFwUC=OCUUj9s+hE{+0cuz&Ln4A4u7pSdY``{f zPcg=~h^2ADr6e`+jqJkT?0+tE68N3P} z3wd z(@I@>A=%j3i}bX9#Gx?ECa&Q{;)@3>=8l|?NId;#Wn-jyB~mk48U%Hlz&l(A6w|_7 z?H0#e_Q{yeh2V8<8&ju5Zsuv1-cmhnT980$JRxY?O3b}~UfpD??^wh<=gGxWsJ*Pdz{%ySJy z4-gWjMKZQm(sQF2sO7j^*;6p~a8^3d-Ft56)&XJ+@(dWj=Ys)Lpyjs$rVxAs92+<> zW}FwPOII8q*JgA8{lVz~dcudPX%xg25V7EgA8=H!h`Z#%NDbE~pY*Z=KTHo~f*;n$ zzgyKKv2Z9I{q)wQ!U@|hr?)OYP-;wHP6|)LdvPR)pA*RsZ{DR0$|JPA#h~Q6dlWQ) zqKTJcaKzu!07&oL2z((~;GOR#gubx=A@nDc(boRIIz6J8cPhe3M_X_iHCf%ZU`YJz z-U+w3;5RP<002(c5l*z%{|!Ij{}{=dDDwHbV*C&_i68&(xLKQ}=WD-adjC3P=)OSHMPQ`26b;F*rlO=;jkfrf?)J-99`ft8+6}h} zq_h(y;uc10HB7b!FfQ|t*8%QEqL}H}*%2#Prgn;{(yYVP%ZfTScJIxNrA1 zRB!2(JHftr9?XsD82ktO=Gn^qV-ndoL-;XLtp+w?dq68R6*9Co?V5bwO9{ooIs4{$ zhkDki_y&^LWQ3ex2H^vQ@r$1UL)=WktqO8Se8>IE!!ICisSC??+8u(Iplvk zN99KZw!|}BIS+@s+bNG^5o)r&$dR;>pD$|75m$WIjozoxWxB4!vC%?>VNU z4jB`0*uf5~5ac3Hkq04gkdlSB(NqH;ifimxJBA-(Rjj0n7NKlsB*Ko7RS3cT$_2n6 zs||h7OEL0I!2+TV+W1z2Ki5k7kF-2UbY@iUVzxAw%FLAxekNECrg?7zDHmxuLnNUIr{fp^RFe$N3d{yllOH zJ|)r5i(krZ@`_#3GOiVyiw;bxpwe|tGQi<{29?p5pLH^^dj5jq_3_a3JeeYD z?G9wH8Xx(%wgtGqa{(FP1D_y1ut@3b1DE@4VAFtFNnoh>ITuyNEjGa<3-St(ze9WQ zPiF=|xPvhLB_Qo22nOaf*jO-*&Guck`a3IB?^vo4CqH9-fL4W$uazN$yoR!a>;$9X zF8E8^@J}O+rql8Y2W5qqT2l~Yg=5BhZkF*tT@*-4!9U+vDYoSKScS*IdIv(F9nt|V zv^X}h&I-kM7h8%D0BVYFes|R+-0xzqN%+a1U6XKA3l<-CU?s~8WP`6K6`(%A3qnkKvQs6(Oi7XIHD9 zlkFxmIeF~`-uA@P2;sr;oACrm4&P&;+9_Z_9&eyTmTUfb7;TFphIksW&1i4i`jme0 zMsxG&(%mj;Hdg99D|7JPE_w)Z+@i-Of3U0ivaBVxX#9{9)^F1#A+A<6V(WA&?OuQT zcT1!dW3dHA`DI=|ARMKf?4t;46`Z%XQwB(!ANYj0k&8ejkp<)A7VQ@VY><7d;9U1 z^;)T4dDEoD2Cr1Y!h6UjvZ4p zjq}dVh?^|mlr0FH>L;<Ip7N`Jc zWQ}H$85!KZz~zx6O&Dxpz_N|LLyAige|H;Z2?`)pWQ0U%3DE%IjWY1c-o(w4($*2ra8G6L?_L9 z+gFZS*gSt^t` z^}PqRp%&<8NhfC#MuSWh(bmt@qvaGF5FV{{+bCw@J{dJQ~iRHIQl(sKUoK-8wh!EI&(My2B}PO3@5dj1s|D=7jN+y8XpbMcvg% z@vx@&07#-~La+=|SXVG**8&B7(O{_baYuK!-V1hVfc?0#5DL2&P--9rJM|tNxglG&#fory1~TlXMzu z1F%UT?Y(5vA^EJjyq116rEHRR;S{L%MaDN+-G?n_)15@0Vdb^WtgPd%LRE0QJUdv$ zM~`Da&8aeH1Ko07@pR?wq-KW(&&gA@zukOwxc6za#i{BS2ysiGy%&Ay|2lx72c@tp zcu!0YR!e0}4%Mj)Ob*xUuAUlsZgOJkbCYex)M%^Az!ZLzdwT3`#EI$g?&OT=iN1RS z(gwYrqW4d*QajbqT&E8~d5`A8eaF_~1C@f3i~*PuA4 ztzJ1_GtO7FE{?^enm~JpL*v=L;77Un2Ip{UwZQ=6pgEk{v@V|K9ucRuf+oPK^d7E> z8Vs^COyGN2{ZP4JFxV+5LEwX4m0I&)h-+Pf(3k2ejfufa2q>}n$~T1aH%t`ct*It9 zUlS#y^lJ>vhQcE25+zk?YK+{5F2_P|N$cuA+8H%;CB^WTj7iO-y#=J^tA4Fn^H6wx z-L1LiD>O;LPruHFZ#c5rFlkLhP2CZ-;cN9lNo$k!A0IOtj%un)QodL7*wJk`x*eLV zTBVOY6*U~wZ79`b<{5po0K>|=52AVoaSuU;1MLKJVF(1Tkyt^<$i`Ng9<-b?hTW{K zWu90z7J)CQb~VT8$vu>%Cvczc0yA6=lVKutaBpj6)~!?^ZudKfqhYo>!L)B^tyIwF zhOyKa>HdlsY*RnACIKuSa#Q!DKBF>p=81(V-ZVLUK~Odqrr^ygdfU7<{8)ldaOZ<% zMAn{uo?Q67)z#(}#a^G!?~JgkYNw`lvMH z987*JXBv04GI8@IY=J7^gCS?>hzM$4j3r{Ojc|rm(BSk~U0X#UjO_erI2L4Dwns2p zltwvgMY(0gZo!c+juM-Fd6wVxwqxtWqGqUaob`!G-f_ehXC-C}LDIVNAof>TLSAp% z_2~1#gbb?^wNs}D>*KbV69BH`J8XBd+MJoCBkGu?h0B|tf95-7#v9gwSK`5{kBW4J zpz7%mIr&7rFY>Br3C&1s5s8lYr<;-gb#%l~GJtCy@nK4fslAKyK%h+WC5s@Hop`{( zb$?Y%q4#le=xi4lrE3WirHaIYNCdP!Yg`UOXC0b8%XlZWQ`kBx{9)8Zwf^j3x*>$x zJ6 z>A#sCebCVZ!Q9WJSf8D$OfdK?&DBk?Q`^?V(9oD+HLJw?)2T}41;E_@FD2gJ(1HB# zqu%QMPOS6qlkHC_ph{Eg<0cbM#Dfzw1O-xNfO-QnTf1QCS@IC32tJBLJKrhC+eQPq zdn_wMxp(HO|T6y6e5auco2r`+dM29E z(SG=z%J>s`uto5`wSO`A0$XKgBAcmF)mzEqZb7h*BH(_=cHhsCds~A6r&qTx&AWH< z_-LGnGKNpVD|eq1qQN*X?QU=%lxQc zu3tOG)KTEero`eNjZTQNW=7 zP2m;ZDNljw5UaxE-gt{3>D<)ke!Ls=#7T7|llvD(nM9xfy3h4@j~t_=Qqq^h9J%PS?ZIDL zbFRIyT&FTaMW=$1e}q1$`TW*ayco%zMjpMwy{oP~I5)5bwn0U!nSr12^p)sL=Xd7U zv^5!S7Z~U^Wvko7Z0tDQ)n5K)=7>DV%I=f6?;`AP;a<8KRbBYqAx0%sJ4C%7HS*kZ zKZM9giQTeeqjZN4*Iv7hi!h=&)55yZT|sNXDKMhICO8H5v+zn{FuiJe1eDc0aQ5T7 zh*cJl_mPKW-fEMi0shRkJ_ClAmb^~y9o@Fn-n%(!n6x`wcu#1eorvTD2liKP<={w+ z@=AX=47z($K8j@rbwRk$VK3c2$zxRXm?k!$Xi&q<>Ol~Pb^U=!nMc~>sH{pK4n$=^ zJCTJ=3lEO(eh{g$EufFwXqgv<@hmW(6n$f@9`y$#LSP%O8i`m z#ON9woSbQahw$c*E|Bk7&rc%E8pjq=&~I|af?%b4__dLS-~mhqSrbDm-Pp%lc1FQE zFZva>y)cwOy9Z~aMO9X(JS9RqO8D$dlR2PKDwivF`3C7>Du+Y>JmSB z|8IF(p&vx!viM7IzW-TDCf5DF{QUhtZ)Ra53ghY@$0za1v_CNKF6D@oTo@7hx9m&i z7LJwgN^s$XFM05`bIc$C72X60LsXqmD?<71=_gg}dvx@K2K0G#a=Eoa{n|vb@yX)f z%FCe5R=9mX(Y^%l!&8WR2-*1sPt$2OrQBaw75l9zVJxn=Era+i27!$BtJSw&va)!7SAQmDg!jyPMs&@Q?ZNmSQN~2|HJfgT;)Qh)(cSD<& zg8x#+ilXmhKwlG!Gr^n44-DU@2-E?D8TK_hk-o$-Gi!YK4Gedacz=ic;lWBOw*B|( z-@rYlU)Q)-$s;z;r3g@VZOE{OEexE^7hQi!V%GQ&nGM?!Sc2f*UlT^62(;{qc$Lld zSnbZ9K)Lc;hHZGdyJK~t?kA$q7jaIj$)@lu6>Fih2{@Tkg>t^TzY6CBj+-j|X(zsa zot#UyxBhC1Q0}4Vc>awc@Lzu@MHCYy+`mf^)GbU0t6oFAL2c#57jk>lpyFN^y92$Ra`*=5l-&$5`*G30)D2usCf zKWg7m;Mv=li{Clb$(O~bLk&9gX~Gu4l{%;OQb>NF+)|1*Fi-PU4|7dl5OMQH+w^R^ zmHo}{j3e%5K}BmW5_&{pS9@Lr-pe54UGcQ(Lt`Ta)>q(5&KPIO^2jUy`O9Lucyqi5 z)Ac_#zW9%yXng)(mxa_FqJy1IMq+iJpn~diuRL{teBQ+ZRM?~fNu2-#E$}HH9Gg-9 EKP+L;9{>OV diff --git a/canvas_exercise/shapes_game/index.html b/canvas_exercise/shapes_game/index.html deleted file mode 100644 index 97529df5..00000000 --- a/canvas_exercise/shapes_game/index.html +++ /dev/null @@ -1,42 +0,0 @@ - - - - Shapes!! - - - - - - - -
-
- -
-
-

Score

-

0

-

Timer

-

30

-
-

Legend

-
-
-
-

Left

-
-
-

Right

-
-
-
-

Up

-
-
-

Down

-
-
-
-
- - \ No newline at end of file diff --git a/canvas_exercise/shapes_game/index.js b/canvas_exercise/shapes_game/index.js index 0de5f18a..7cc9178a 100644 --- a/canvas_exercise/shapes_game/index.js +++ b/canvas_exercise/shapes_game/index.js @@ -1,36 +1,94 @@ window.addEventListener("load", function() { + var canvas = document.getElementById("shapes-game"), + height = canvas.scrollHeight, + width = canvas.scrollWidth, + gameOn = false, + expectedKey = undefined, + ctx = canvas.getContext('2d'), + // white triangle = up, red square = down, + // red triangle = left, white square = right + expectedKeysMap = {white0: 38, red1: 40, red0: 37, white1: 39}, + timerSpan = document.getElementById("time-remaining"), + scoreSpan = document.getElementById("score-val"), + seconds = 3, + intervalId; + + canvas.width = width; + canvas.height = height; - function clear(ctx, width, heigt) { + drawGameStartText() + + function clear() { + ctx.clearRect(0, 0, canvas.width, canvas.height); } - function drawRandomShape(ctx, width, height) { + function drawRandomShape() { + var randomShape = ['white0', 'red1', 'red0', 'white1'][Math.floor(Math.random()*4)], + x = Math.floor(Math.random()*(width-100)), + y = Math.floor(Math.random()*(height-100)); + ctx.fillStyle = randomShape.slice(0, -1); + + clear() + + function square(){ + ctx.fillRect(x,y,100,100); + } + + function triangle(){ + ctx.beginPath(); + ctx.moveTo(x,y); + ctx.lineTo(100+x, 100+y); + ctx.lineTo(x, 100+y); + ctx.fill(); + ctx.closePath(); + } + + if(+randomShape[randomShape.length-1] === 1){ + square() + } else { + triangle() + } + expectedKey = randomShape; } - function drawGameStartText(ctx, width, height, score) { + + function drawGameStartText() { + clear() + ctx.font = '30px serif'; + ctx.fillStyle = 'white'; + ctx.fillText('Press the space bar to start a new game', 150, 350); } - function restartGame(ctx, width, height) { + function restartGame() { + timerSpan.innerText = 30; + scoreSpan.innerText = 0; + gameOn = false; + + drawGameStartText() } - var canvas = document.getElementById("shapes-game"), - height = canvas.scrollHeight, - width = canvas.scrollWidth, - gameOn = false, - expectedKey = undefined, - ctx = canvas.getContext('2d'), - // white triangle = up, red square = down, - // red triangle = left, white square = right - expectedKeysMap = {white0: 38, red1: 40, red0: 37, white1: 39}, - timerSpan = document.getElementById("time-remaining"), - scoreSpan = document.getElementById("score-val"), - seconds = 3, - intervalId; + document.addEventListener("keyup", function(e) { + if(gameOn){ + if(e.keyCode === expectedKeysMap[expectedKey]){ + scoreSpan.innerText = +scoreSpan.innerText + 1; + } else { + scoreSpan.innerText = +scoreSpan.innerText - 1; + } + drawRandomShape() + } - canvas.width = width; - canvas.height = height; + if(!gameOn && e.keyCode === 32){ + gameOn = true; + var timerId = setInterval(function(){ + timerSpan.innerText = +timerSpan.innerText - 1; + },1000); - document.addEventListener("keyup", function() { - + setTimeout(function(){ + clearTimeout(timerId); + restartGame(); + },31000); + } }); + }); diff --git a/canvas_exercise/shapes_game/readme.md b/canvas_exercise/shapes_game/readme.md deleted file mode 100644 index d219d030..00000000 --- a/canvas_exercise/shapes_game/readme.md +++ /dev/null @@ -1,20 +0,0 @@ -# Shapes Speed Game - -Your job is to implement a game that tests your speed and accuracy! - -The game presents one of 4 shapes to you. You must press the correct arrow key for the shape and color. The correct keys are as follows: - -* Red Triangle -> Left Arrow -* Red Square -> Down Arrow -* White Triangle -> Up Arrow -* White Square -> Right Arrow - -If you press the wrong arrow for a shape, your score will be subtracted by 1 point. If you press the correct arrow, your score will be increased by 1 point. - -The goal of the game is to get the most points in 30 seconds. - -Here is a demo of the game: - -![Shapes game](canvasShapesGame.gif) - -You have starter code in this directory. The html and css are setup for you. There are also some suggested functions in the `index.js` file. You can add your own functions or rewrite anything in this file. The function names are just a suggestion. diff --git a/canvas_exercise/shapes_game/styles.css b/canvas_exercise/shapes_game/styles.css deleted file mode 100644 index cbe4fa83..00000000 --- a/canvas_exercise/shapes_game/styles.css +++ /dev/null @@ -1,87 +0,0 @@ -body { - padding-bottom: 50px; -} - -#shapes-game { - border: 4px solid grey; - background-color: black; -} - -.canvas-container { - padding: 10px; -} -.canvas-container, #shapes-game { - height: 750px; - width: 800px; -} - -.scores { - padding: 10px; - text-align: center; -} - -.legend { - padding-top: 15px; -} - -.legend-contents { - text-align: left; - padding-left: 30px; -} - -.triangle-bottomleft-red { - width: 0; - height: 0; - border-bottom: 50px solid red; - border-right: 50px solid transparent; -} - -.triangle-bottomleft-black { - width: 0; - height: 0; - border-bottom: 54px solid black; - border-right: 58px solid transparent; -} - -.triangle-inner-white { - position: relative; - top: 2px; - left: 2px; - width: 0; - height: 0; - border-bottom: 50px solid white; - border-right: 50px solid transparent; -} - -.triangle-left { - width: 0; - height: 0; - border-top: 23px solid transparent; - border-bottom: 23px solid transparent; - border-right: 23px solid red; -} - -.inner-triangle { - position: relative; - top: -20px; - left: 2px; - width: 0; - height: 0; - border-top: 20px solid transparent; - border-bottom: 20px solid transparent; - border-right: 20px solid blue; -} - -.red-square { - width: 50px; - height: 50px; - background-color: red; -} - -.white-square { - width: 50px; - height: 50px; - background-color: white; - border-style: solid; - border-width: 1px; -} \ No newline at end of file diff --git a/canvas_exercise/shapes_game/vendor/bootstrap.min.css b/canvas_exercise/shapes_game/vendor/bootstrap.min.css deleted file mode 100644 index ed3905e0..00000000 --- a/canvas_exercise/shapes_game/vendor/bootstrap.min.css +++ /dev/null @@ -1,6 +0,0 @@ -/*! - * Bootstrap v3.3.7 (http://getbootstrap.com) - * Copyright 2011-2016 Twitter, Inc. - * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE) - *//*! normalize.css v3.0.3 | MIT License | github.com/necolas/normalize.css */html{font-family:sans-serif;-webkit-text-size-adjust:100%;-ms-text-size-adjust:100%}body{margin:0}article,aside,details,figcaption,figure,footer,header,hgroup,main,menu,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-color:transparent}a:active,a:hover{outline:0}abbr[title]{border-bottom:1px dotted}b,strong{font-weight:700}dfn{font-style:italic}h1{margin:.67em 0;font-size:2em}mark{color:#000;background:#ff0}small{font-size:80%}sub,sup{position:relative;font-size:75%;line-height:0;vertical-align:baseline}sup{top:-.5em}sub{bottom:-.25em}img{border:0}svg:not(:root){overflow:hidden}figure{margin:1em 40px}hr{height:0;-webkit-box-sizing:content-box;-moz-box-sizing:content-box;box-sizing:content-box}pre{overflow:auto}code,kbd,pre,samp{font-family:monospace,monospace;font-size:1em}button,input,optgroup,select,textarea{margin:0;font:inherit;color:inherit}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{padding:0;border:0}input{line-height:normal}input[type=checkbox],input[type=radio]{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;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-box-sizing:content-box;-moz-box-sizing:content-box;box-sizing:content-box;-webkit-appearance:textfield}input[type=search]::-webkit-search-cancel-button,input[type=search]::-webkit-search-decoration{-webkit-appearance:none}fieldset{padding:.35em .625em .75em;margin:0 2px;border:1px solid silver}legend{padding:0;border:0}textarea{overflow:auto}optgroup{font-weight:700}table{border-spacing:0;border-collapse:collapse}td,th{padding:0}/*! Source: https://github.com/h5bp/html5-boilerplate/blob/master/src/css/main.css */@media print{*,:after,:before{color:#000!important;text-shadow:none!important;background:0 0!important;-webkit-box-shadow:none!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:""}blockquote,pre{border:1px solid #999;page-break-inside:avoid}thead{display:table-header-group}img,tr{page-break-inside:avoid}img{max-width:100%!important}h2,h3,p{orphans:3;widows:3}h2,h3{page-break-after:avoid}.navbar{display:none}.btn>.caret,.dropup>.btn>.caret{border-top-color:#000!important}.label{border:1px solid #000}.table{border-collapse:collapse!important}.table td,.table th{background-color:#fff!important}.table-bordered td,.table-bordered th{border:1px solid #ddd!important}}@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.woff2) format('woff2'),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:"\002a"}.glyphicon-plus:before{content:"\002b"}.glyphicon-eur:before,.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"}.glyphicon-cd:before{content:"\e201"}.glyphicon-save-file:before{content:"\e202"}.glyphicon-open-file:before{content:"\e203"}.glyphicon-level-up:before{content:"\e204"}.glyphicon-copy:before{content:"\e205"}.glyphicon-paste:before{content:"\e206"}.glyphicon-alert:before{content:"\e209"}.glyphicon-equalizer:before{content:"\e210"}.glyphicon-king:before{content:"\e211"}.glyphicon-queen:before{content:"\e212"}.glyphicon-pawn:before{content:"\e213"}.glyphicon-bishop:before{content:"\e214"}.glyphicon-knight:before{content:"\e215"}.glyphicon-baby-formula:before{content:"\e216"}.glyphicon-tent:before{content:"\26fa"}.glyphicon-blackboard:before{content:"\e218"}.glyphicon-bed:before{content:"\e219"}.glyphicon-apple:before{content:"\f8ff"}.glyphicon-erase:before{content:"\e221"}.glyphicon-hourglass:before{content:"\231b"}.glyphicon-lamp:before{content:"\e223"}.glyphicon-duplicate:before{content:"\e224"}.glyphicon-piggy-bank:before{content:"\e225"}.glyphicon-scissors:before{content:"\e226"}.glyphicon-bitcoin:before{content:"\e227"}.glyphicon-btc:before{content:"\e227"}.glyphicon-xbt:before{content:"\e227"}.glyphicon-yen:before{content:"\00a5"}.glyphicon-jpy:before{content:"\00a5"}.glyphicon-ruble:before{content:"\20bd"}.glyphicon-rub:before{content:"\20bd"}.glyphicon-scale:before{content:"\e230"}.glyphicon-ice-lolly:before{content:"\e231"}.glyphicon-ice-lolly-tasted:before{content:"\e232"}.glyphicon-education:before{content:"\e233"}.glyphicon-option-horizontal:before{content:"\e234"}.glyphicon-option-vertical:before{content:"\e235"}.glyphicon-menu-hamburger:before{content:"\e236"}.glyphicon-modal-window:before{content:"\e237"}.glyphicon-oil:before{content:"\e238"}.glyphicon-grain:before{content:"\e239"}.glyphicon-sunglasses:before{content:"\e240"}.glyphicon-text-size:before{content:"\e241"}.glyphicon-text-color:before{content:"\e242"}.glyphicon-text-background:before{content:"\e243"}.glyphicon-object-align-top:before{content:"\e244"}.glyphicon-object-align-bottom:before{content:"\e245"}.glyphicon-object-align-horizontal:before{content:"\e246"}.glyphicon-object-align-left:before{content:"\e247"}.glyphicon-object-align-vertical:before{content:"\e248"}.glyphicon-object-align-right:before{content:"\e249"}.glyphicon-triangle-right:before{content:"\e250"}.glyphicon-triangle-left:before{content:"\e251"}.glyphicon-triangle-bottom:before{content:"\e252"}.glyphicon-triangle-top:before{content:"\e253"}.glyphicon-console:before{content:"\e254"}.glyphicon-superscript:before{content:"\e255"}.glyphicon-subscript:before{content:"\e256"}.glyphicon-menu-left:before{content:"\e257"}.glyphicon-menu-right:before{content:"\e258"}.glyphicon-menu-down:before{content:"\e259"}.glyphicon-menu-up:before{content:"\e260"}*{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}:after,:before{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}html{font-size:10px;-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}button,input,select,textarea{font-family:inherit;font-size:inherit;line-height:inherit}a{color:#337ab7;text-decoration:none}a:focus,a:hover{color:#23527c;text-decoration:underline}a:focus{outline:5px auto -webkit-focus-ring-color;outline-offset:-2px}figure{margin:0}img{vertical-align:middle}.carousel-inner>.item>a>img,.carousel-inner>.item>img,.img-responsive,.thumbnail a>img,.thumbnail>img{display:block;max-width:100%;height:auto}.img-rounded{border-radius:6px}.img-thumbnail{display:inline-block;max-width:100%;height:auto;padding:4px;line-height:1.42857143;background-color:#fff;border:1px solid #ddd;border-radius:4px;-webkit-transition:all .2s ease-in-out;-o-transition:all .2s ease-in-out;transition:all .2s ease-in-out}.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;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}.sr-only-focusable:active,.sr-only-focusable:focus{position:static;width:auto;height:auto;margin:0;overflow:visible;clip:auto}[role=button]{cursor:pointer}.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,.h1 small,.h2 .small,.h2 small,.h3 .small,.h3 small,.h4 .small,.h4 small,.h5 .small,.h5 small,.h6 .small,.h6 small,h1 .small,h1 small,h2 .small,h2 small,h3 .small,h3 small,h4 .small,h4 small,h5 .small,h5 small,h6 .small,h6 small{font-weight:400;line-height:1;color:#777}.h1,.h2,.h3,h1,h2,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,.h5,.h6,h4,h5,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:300;line-height:1.4}@media (min-width:768px){.lead{font-size:21px}}.small,small{font-size:85%}.mark,mark{padding:.2em;background-color:#fcf8e3}.text-left{text-align:left}.text-right{text-align:right}.text-center{text-align:center}.text-justify{text-align:justify}.text-nowrap{white-space:nowrap}.text-lowercase{text-transform:lowercase}.text-uppercase{text-transform:uppercase}.text-capitalize{text-transform:capitalize}.text-muted{color:#777}.text-primary{color:#337ab7}a.text-primary:focus,a.text-primary:hover{color:#286090}.text-success{color:#3c763d}a.text-success:focus,a.text-success:hover{color:#2b542c}.text-info{color:#31708f}a.text-info:focus,a.text-info:hover{color:#245269}.text-warning{color:#8a6d3b}a.text-warning:focus,a.text-warning:hover{color:#66512c}.text-danger{color:#a94442}a.text-danger:focus,a.text-danger:hover{color:#843534}.bg-primary{color:#fff;background-color:#337ab7}a.bg-primary:focus,a.bg-primary:hover{background-color:#286090}.bg-success{background-color:#dff0d8}a.bg-success:focus,a.bg-success:hover{background-color:#c1e2b3}.bg-info{background-color:#d9edf7}a.bg-info:focus,a.bg-info:hover{background-color:#afd9ee}.bg-warning{background-color:#fcf8e3}a.bg-warning:focus,a.bg-warning:hover{background-color:#f7ecb5}.bg-danger{background-color:#f2dede}a.bg-danger:focus,a.bg-danger:hover{background-color:#e4b9b9}.page-header{padding-bottom:9px;margin:40px 0 20px;border-bottom:1px solid #eee}ol,ul{margin-top:0;margin-bottom:10px}ol ol,ol ul,ul ol,ul ul{margin-bottom:0}.list-unstyled{padding-left:0;list-style:none}.list-inline{padding-left:0;margin-left:-5px;list-style:none}.list-inline>li{display:inline-block;padding-right:5px;padding-left:5px}dl{margin-top:0;margin-bottom:20px}dd,dt{line-height:1.42857143}dt{font-weight:700}dd{margin-left:0}@media (min-width:768px){.dl-horizontal dt{float:left;width:160px;overflow:hidden;clear:left;text-align:right;text-overflow:ellipsis;white-space:nowrap}.dl-horizontal dd{margin-left:180px}}abbr[data-original-title],abbr[title]{cursor:help;border-bottom:1px dotted #777}.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 ol:last-child,blockquote p:last-child,blockquote ul:last-child{margin-bottom:0}blockquote .small,blockquote footer,blockquote small{display:block;font-size:80%;line-height:1.42857143;color:#777}blockquote .small:before,blockquote footer:before,blockquote small:before{content:'\2014 \00A0'}.blockquote-reverse,blockquote.pull-right{padding-right:15px;padding-left:0;text-align:right;border-right:5px solid #eee;border-left:0}.blockquote-reverse .small:before,.blockquote-reverse footer:before,.blockquote-reverse small:before,blockquote.pull-right .small:before,blockquote.pull-right footer:before,blockquote.pull-right small:before{content:''}.blockquote-reverse .small:after,.blockquote-reverse footer:after,.blockquote-reverse small:after,blockquote.pull-right .small:after,blockquote.pull-right footer:after,blockquote.pull-right small:after{content:'\00A0 \2014'}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;border-radius:4px}kbd{padding:2px 4px;font-size:90%;color:#fff;background-color:#333;border-radius:3px;-webkit-box-shadow:inset 0 -1px 0 rgba(0,0,0,.25);box-shadow:inset 0 -1px 0 rgba(0,0,0,.25)}kbd kbd{padding:0;font-size:100%;font-weight:700;-webkit-box-shadow:none;box-shadow:none}pre{display:block;padding:9.5px;margin:0 0 10px;font-size:13px;line-height:1.42857143;color:#333;word-break:break-all;word-wrap:break-word;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{padding-right:15px;padding-left:15px;margin-right:auto;margin-left:auto}@media (min-width:768px){.container{width:750px}}@media (min-width:992px){.container{width:970px}}@media (min-width:1200px){.container{width:1170px}}.container-fluid{padding-right:15px;padding-left:15px;margin-right:auto;margin-left:auto}.row{margin-right:-15px;margin-left:-15px}.col-lg-1,.col-lg-10,.col-lg-11,.col-lg-12,.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-md-1,.col-md-10,.col-md-11,.col-md-12,.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-sm-1,.col-sm-10,.col-sm-11,.col-sm-12,.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-xs-1,.col-xs-10,.col-xs-11,.col-xs-12,.col-xs-2,.col-xs-3,.col-xs-4,.col-xs-5,.col-xs-6,.col-xs-7,.col-xs-8,.col-xs-9{position:relative;min-height:1px;padding-right:15px;padding-left:15px}.col-xs-1,.col-xs-10,.col-xs-11,.col-xs-12,.col-xs-2,.col-xs-3,.col-xs-4,.col-xs-5,.col-xs-6,.col-xs-7,.col-xs-8,.col-xs-9{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:auto}.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:auto}.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-10,.col-sm-11,.col-sm-12,.col-sm-2,.col-sm-3,.col-sm-4,.col-sm-5,.col-sm-6,.col-sm-7,.col-sm-8,.col-sm-9{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:auto}.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:auto}.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-10,.col-md-11,.col-md-12,.col-md-2,.col-md-3,.col-md-4,.col-md-5,.col-md-6,.col-md-7,.col-md-8,.col-md-9{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:auto}.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:auto}.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-10,.col-lg-11,.col-lg-12,.col-lg-2,.col-lg-3,.col-lg-4,.col-lg-5,.col-lg-6,.col-lg-7,.col-lg-8,.col-lg-9{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:auto}.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:auto}.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{background-color:transparent}caption{padding-top:8px;padding-bottom:8px;color:#777;text-align:left}th{text-align:left}.table{width:100%;max-width:100%;margin-bottom:20px}.table>tbody>tr>td,.table>tbody>tr>th,.table>tfoot>tr>td,.table>tfoot>tr>th,.table>thead>tr>td,.table>thead>tr>th{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>td,.table>caption+thead>tr:first-child>th,.table>colgroup+thead>tr:first-child>td,.table>colgroup+thead>tr:first-child>th,.table>thead:first-child>tr:first-child>td,.table>thead:first-child>tr:first-child>th{border-top:0}.table>tbody+tbody{border-top:2px solid #ddd}.table .table{background-color:#fff}.table-condensed>tbody>tr>td,.table-condensed>tbody>tr>th,.table-condensed>tfoot>tr>td,.table-condensed>tfoot>tr>th,.table-condensed>thead>tr>td,.table-condensed>thead>tr>th{padding:5px}.table-bordered{border:1px solid #ddd}.table-bordered>tbody>tr>td,.table-bordered>tbody>tr>th,.table-bordered>tfoot>tr>td,.table-bordered>tfoot>tr>th,.table-bordered>thead>tr>td,.table-bordered>thead>tr>th{border:1px solid #ddd}.table-bordered>thead>tr>td,.table-bordered>thead>tr>th{border-bottom-width:2px}.table-striped>tbody>tr:nth-of-type(odd){background-color:#f9f9f9}.table-hover>tbody>tr:hover{background-color:#f5f5f5}table col[class*=col-]{position:static;display:table-column;float:none}table td[class*=col-],table th[class*=col-]{position:static;display:table-cell;float:none}.table>tbody>tr.active>td,.table>tbody>tr.active>th,.table>tbody>tr>td.active,.table>tbody>tr>th.active,.table>tfoot>tr.active>td,.table>tfoot>tr.active>th,.table>tfoot>tr>td.active,.table>tfoot>tr>th.active,.table>thead>tr.active>td,.table>thead>tr.active>th,.table>thead>tr>td.active,.table>thead>tr>th.active{background-color:#f5f5f5}.table-hover>tbody>tr.active:hover>td,.table-hover>tbody>tr.active:hover>th,.table-hover>tbody>tr:hover>.active,.table-hover>tbody>tr>td.active:hover,.table-hover>tbody>tr>th.active:hover{background-color:#e8e8e8}.table>tbody>tr.success>td,.table>tbody>tr.success>th,.table>tbody>tr>td.success,.table>tbody>tr>th.success,.table>tfoot>tr.success>td,.table>tfoot>tr.success>th,.table>tfoot>tr>td.success,.table>tfoot>tr>th.success,.table>thead>tr.success>td,.table>thead>tr.success>th,.table>thead>tr>td.success,.table>thead>tr>th.success{background-color:#dff0d8}.table-hover>tbody>tr.success:hover>td,.table-hover>tbody>tr.success:hover>th,.table-hover>tbody>tr:hover>.success,.table-hover>tbody>tr>td.success:hover,.table-hover>tbody>tr>th.success:hover{background-color:#d0e9c6}.table>tbody>tr.info>td,.table>tbody>tr.info>th,.table>tbody>tr>td.info,.table>tbody>tr>th.info,.table>tfoot>tr.info>td,.table>tfoot>tr.info>th,.table>tfoot>tr>td.info,.table>tfoot>tr>th.info,.table>thead>tr.info>td,.table>thead>tr.info>th,.table>thead>tr>td.info,.table>thead>tr>th.info{background-color:#d9edf7}.table-hover>tbody>tr.info:hover>td,.table-hover>tbody>tr.info:hover>th,.table-hover>tbody>tr:hover>.info,.table-hover>tbody>tr>td.info:hover,.table-hover>tbody>tr>th.info:hover{background-color:#c4e3f3}.table>tbody>tr.warning>td,.table>tbody>tr.warning>th,.table>tbody>tr>td.warning,.table>tbody>tr>th.warning,.table>tfoot>tr.warning>td,.table>tfoot>tr.warning>th,.table>tfoot>tr>td.warning,.table>tfoot>tr>th.warning,.table>thead>tr.warning>td,.table>thead>tr.warning>th,.table>thead>tr>td.warning,.table>thead>tr>th.warning{background-color:#fcf8e3}.table-hover>tbody>tr.warning:hover>td,.table-hover>tbody>tr.warning:hover>th,.table-hover>tbody>tr:hover>.warning,.table-hover>tbody>tr>td.warning:hover,.table-hover>tbody>tr>th.warning:hover{background-color:#faf2cc}.table>tbody>tr.danger>td,.table>tbody>tr.danger>th,.table>tbody>tr>td.danger,.table>tbody>tr>th.danger,.table>tfoot>tr.danger>td,.table>tfoot>tr.danger>th,.table>tfoot>tr>td.danger,.table>tfoot>tr>th.danger,.table>thead>tr.danger>td,.table>thead>tr.danger>th,.table>thead>tr>td.danger,.table>thead>tr>th.danger{background-color:#f2dede}.table-hover>tbody>tr.danger:hover>td,.table-hover>tbody>tr.danger:hover>th,.table-hover>tbody>tr:hover>.danger,.table-hover>tbody>tr>td.danger:hover,.table-hover>tbody>tr>th.danger:hover{background-color:#ebcccc}.table-responsive{min-height:.01%;overflow-x:auto}@media screen and (max-width:767px){.table-responsive{width:100%;margin-bottom:15px;overflow-y:hidden;-ms-overflow-style:-ms-autohiding-scrollbar;border:1px solid #ddd}.table-responsive>.table{margin-bottom:0}.table-responsive>.table>tbody>tr>td,.table-responsive>.table>tbody>tr>th,.table-responsive>.table>tfoot>tr>td,.table-responsive>.table>tfoot>tr>th,.table-responsive>.table>thead>tr>td,.table-responsive>.table>thead>tr>th{white-space:nowrap}.table-responsive>.table-bordered{border:0}.table-responsive>.table-bordered>tbody>tr>td:first-child,.table-responsive>.table-bordered>tbody>tr>th:first-child,.table-responsive>.table-bordered>tfoot>tr>td:first-child,.table-responsive>.table-bordered>tfoot>tr>th:first-child,.table-responsive>.table-bordered>thead>tr>td:first-child,.table-responsive>.table-bordered>thead>tr>th:first-child{border-left:0}.table-responsive>.table-bordered>tbody>tr>td:last-child,.table-responsive>.table-bordered>tbody>tr>th:last-child,.table-responsive>.table-bordered>tfoot>tr>td:last-child,.table-responsive>.table-bordered>tfoot>tr>th:last-child,.table-responsive>.table-bordered>thead>tr>td:last-child,.table-responsive>.table-bordered>thead>tr>th:last-child{border-right:0}.table-responsive>.table-bordered>tbody>tr:last-child>td,.table-responsive>.table-bordered>tbody>tr:last-child>th,.table-responsive>.table-bordered>tfoot>tr:last-child>td,.table-responsive>.table-bordered>tfoot>tr:last-child>th{border-bottom:0}}fieldset{min-width:0;padding:0;margin:0;border: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;max-width:100%;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=checkbox],input[type=radio]{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=checkbox]:focus,input[type=radio]:focus{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,-webkit-box-shadow ease-in-out .15s;-o-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::-ms-expand{background-color:transparent;border:0}.form-control[disabled],.form-control[readonly],fieldset[disabled] .form-control{background-color:#eee;opacity:1}.form-control[disabled],fieldset[disabled] .form-control{cursor:not-allowed}textarea.form-control{height:auto}input[type=search]{-webkit-appearance:none}@media screen and (-webkit-min-device-pixel-ratio:0){input[type=date].form-control,input[type=time].form-control,input[type=datetime-local].form-control,input[type=month].form-control{line-height:34px}.input-group-sm input[type=date],.input-group-sm input[type=time],.input-group-sm input[type=datetime-local],.input-group-sm input[type=month],input[type=date].input-sm,input[type=time].input-sm,input[type=datetime-local].input-sm,input[type=month].input-sm{line-height:30px}.input-group-lg input[type=date],.input-group-lg input[type=time],.input-group-lg input[type=datetime-local],.input-group-lg input[type=month],input[type=date].input-lg,input[type=time].input-lg,input[type=datetime-local].input-lg,input[type=month].input-lg{line-height:46px}}.form-group{margin-bottom:15px}.checkbox,.radio{position:relative;display:block;margin-top:10px;margin-bottom:10px}.checkbox label,.radio label{min-height:20px;padding-left:20px;margin-bottom:0;font-weight:400;cursor:pointer}.checkbox input[type=checkbox],.checkbox-inline input[type=checkbox],.radio input[type=radio],.radio-inline input[type=radio]{position:absolute;margin-top:4px\9;margin-left:-20px}.checkbox+.checkbox,.radio+.radio{margin-top:-5px}.checkbox-inline,.radio-inline{position:relative;display:inline-block;padding-left:20px;margin-bottom:0;font-weight:400;vertical-align:middle;cursor:pointer}.checkbox-inline+.checkbox-inline,.radio-inline+.radio-inline{margin-top:0;margin-left:10px}fieldset[disabled] input[type=checkbox],fieldset[disabled] input[type=radio],input[type=checkbox].disabled,input[type=checkbox][disabled],input[type=radio].disabled,input[type=radio][disabled]{cursor:not-allowed}.checkbox-inline.disabled,.radio-inline.disabled,fieldset[disabled] .checkbox-inline,fieldset[disabled] .radio-inline{cursor:not-allowed}.checkbox.disabled label,.radio.disabled label,fieldset[disabled] .checkbox label,fieldset[disabled] .radio label{cursor:not-allowed}.form-control-static{min-height:34px;padding-top:7px;padding-bottom:7px;margin-bottom:0}.form-control-static.input-lg,.form-control-static.input-sm{padding-right:0;padding-left:0}.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}select[multiple].input-sm,textarea.input-sm{height:auto}.form-group-sm .form-control{height:30px;padding:5px 10px;font-size:12px;line-height:1.5;border-radius:3px}.form-group-sm select.form-control{height:30px;line-height:30px}.form-group-sm select[multiple].form-control,.form-group-sm textarea.form-control{height:auto}.form-group-sm .form-control-static{height:30px;min-height:32px;padding:6px 10px;font-size:12px;line-height:1.5}.input-lg{height:46px;padding:10px 16px;font-size:18px;line-height:1.3333333;border-radius:6px}select.input-lg{height:46px;line-height:46px}select[multiple].input-lg,textarea.input-lg{height:auto}.form-group-lg .form-control{height:46px;padding:10px 16px;font-size:18px;line-height:1.3333333;border-radius:6px}.form-group-lg select.form-control{height:46px;line-height:46px}.form-group-lg select[multiple].form-control,.form-group-lg textarea.form-control{height:auto}.form-group-lg .form-control-static{height:46px;min-height:38px;padding:11px 16px;font-size:18px;line-height:1.3333333}.has-feedback{position:relative}.has-feedback .form-control{padding-right:42.5px}.form-control-feedback{position:absolute;top:0;right:0;z-index:2;display:block;width:34px;height:34px;line-height:34px;text-align:center;pointer-events:none}.form-group-lg .form-control+.form-control-feedback,.input-group-lg+.form-control-feedback,.input-lg+.form-control-feedback{width:46px;height:46px;line-height:46px}.form-group-sm .form-control+.form-control-feedback,.input-group-sm+.form-control-feedback,.input-sm+.form-control-feedback{width:30px;height:30px;line-height:30px}.has-success .checkbox,.has-success .checkbox-inline,.has-success .control-label,.has-success .help-block,.has-success .radio,.has-success .radio-inline,.has-success.checkbox label,.has-success.checkbox-inline label,.has-success.radio label,.has-success.radio-inline label{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;background-color:#dff0d8;border-color:#3c763d}.has-success .form-control-feedback{color:#3c763d}.has-warning .checkbox,.has-warning .checkbox-inline,.has-warning .control-label,.has-warning .help-block,.has-warning .radio,.has-warning .radio-inline,.has-warning.checkbox label,.has-warning.checkbox-inline label,.has-warning.radio label,.has-warning.radio-inline label{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;background-color:#fcf8e3;border-color:#8a6d3b}.has-warning .form-control-feedback{color:#8a6d3b}.has-error .checkbox,.has-error .checkbox-inline,.has-error .control-label,.has-error .help-block,.has-error .radio,.has-error .radio-inline,.has-error.checkbox label,.has-error.checkbox-inline label,.has-error.radio label,.has-error.radio-inline label{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;background-color:#f2dede;border-color:#a94442}.has-error .form-control-feedback{color:#a94442}.has-feedback label~.form-control-feedback{top:25px}.has-feedback label.sr-only~.form-control-feedback{top: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 .form-control-static{display:inline-block}.form-inline .input-group{display:inline-table;vertical-align:middle}.form-inline .input-group .form-control,.form-inline .input-group .input-group-addon,.form-inline .input-group .input-group-btn{width:auto}.form-inline .input-group>.form-control{width:100%}.form-inline .control-label{margin-bottom:0;vertical-align:middle}.form-inline .checkbox,.form-inline .radio{display:inline-block;margin-top:0;margin-bottom:0;vertical-align:middle}.form-inline .checkbox label,.form-inline .radio label{padding-left:0}.form-inline .checkbox input[type=checkbox],.form-inline .radio input[type=radio]{position:relative;margin-left:0}.form-inline .has-feedback .form-control-feedback{top:0}}.form-horizontal .checkbox,.form-horizontal .checkbox-inline,.form-horizontal .radio,.form-horizontal .radio-inline{padding-top:7px;margin-top:0;margin-bottom:0}.form-horizontal .checkbox,.form-horizontal .radio{min-height:27px}.form-horizontal .form-group{margin-right:-15px;margin-left:-15px}@media (min-width:768px){.form-horizontal .control-label{padding-top:7px;margin-bottom:0;text-align:right}}.form-horizontal .has-feedback .form-control-feedback{right:15px}@media (min-width:768px){.form-horizontal .form-group-lg .control-label{padding-top:11px;font-size:18px}}@media (min-width:768px){.form-horizontal .form-group-sm .control-label{padding-top:6px;font-size:12px}}.btn{display:inline-block;padding:6px 12px;margin-bottom:0;font-size:14px;font-weight:400;line-height:1.42857143;text-align:center;white-space:nowrap;vertical-align:middle;-ms-touch-action:manipulation;touch-action:manipulation;cursor:pointer;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;background-image:none;border:1px solid transparent;border-radius:4px}.btn.active.focus,.btn.active:focus,.btn.focus,.btn:active.focus,.btn:active:focus,.btn:focus{outline:5px auto -webkit-focus-ring-color;outline-offset:-2px}.btn.focus,.btn:focus,.btn:hover{color:#333;text-decoration:none}.btn.active,.btn:active{background-image:none;outline:0;-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;filter:alpha(opacity=65);-webkit-box-shadow:none;box-shadow:none;opacity:.65}a.btn.disabled,fieldset[disabled] a.btn{pointer-events:none}.btn-default{color:#333;background-color:#fff;border-color:#ccc}.btn-default.focus,.btn-default:focus{color:#333;background-color:#e6e6e6;border-color:#8c8c8c}.btn-default:hover{color:#333;background-color:#e6e6e6;border-color:#adadad}.btn-default.active,.btn-default:active,.open>.dropdown-toggle.btn-default{color:#333;background-color:#e6e6e6;border-color:#adadad}.btn-default.active.focus,.btn-default.active:focus,.btn-default.active:hover,.btn-default:active.focus,.btn-default:active:focus,.btn-default:active:hover,.open>.dropdown-toggle.btn-default.focus,.open>.dropdown-toggle.btn-default:focus,.open>.dropdown-toggle.btn-default:hover{color:#333;background-color:#d4d4d4;border-color:#8c8c8c}.btn-default.active,.btn-default:active,.open>.dropdown-toggle.btn-default{background-image:none}.btn-default.disabled.focus,.btn-default.disabled:focus,.btn-default.disabled:hover,.btn-default[disabled].focus,.btn-default[disabled]:focus,.btn-default[disabled]:hover,fieldset[disabled] .btn-default.focus,fieldset[disabled] .btn-default:focus,fieldset[disabled] .btn-default:hover{background-color:#fff;border-color:#ccc}.btn-default .badge{color:#fff;background-color:#333}.btn-primary{color:#fff;background-color:#337ab7;border-color:#2e6da4}.btn-primary.focus,.btn-primary:focus{color:#fff;background-color:#286090;border-color:#122b40}.btn-primary:hover{color:#fff;background-color:#286090;border-color:#204d74}.btn-primary.active,.btn-primary:active,.open>.dropdown-toggle.btn-primary{color:#fff;background-color:#286090;border-color:#204d74}.btn-primary.active.focus,.btn-primary.active:focus,.btn-primary.active:hover,.btn-primary:active.focus,.btn-primary:active:focus,.btn-primary:active:hover,.open>.dropdown-toggle.btn-primary.focus,.open>.dropdown-toggle.btn-primary:focus,.open>.dropdown-toggle.btn-primary:hover{color:#fff;background-color:#204d74;border-color:#122b40}.btn-primary.active,.btn-primary:active,.open>.dropdown-toggle.btn-primary{background-image:none}.btn-primary.disabled.focus,.btn-primary.disabled:focus,.btn-primary.disabled:hover,.btn-primary[disabled].focus,.btn-primary[disabled]:focus,.btn-primary[disabled]:hover,fieldset[disabled] .btn-primary.focus,fieldset[disabled] .btn-primary:focus,fieldset[disabled] .btn-primary:hover{background-color:#337ab7;border-color:#2e6da4}.btn-primary .badge{color:#337ab7;background-color:#fff}.btn-success{color:#fff;background-color:#5cb85c;border-color:#4cae4c}.btn-success.focus,.btn-success:focus{color:#fff;background-color:#449d44;border-color:#255625}.btn-success:hover{color:#fff;background-color:#449d44;border-color:#398439}.btn-success.active,.btn-success:active,.open>.dropdown-toggle.btn-success{color:#fff;background-color:#449d44;border-color:#398439}.btn-success.active.focus,.btn-success.active:focus,.btn-success.active:hover,.btn-success:active.focus,.btn-success:active:focus,.btn-success:active:hover,.open>.dropdown-toggle.btn-success.focus,.open>.dropdown-toggle.btn-success:focus,.open>.dropdown-toggle.btn-success:hover{color:#fff;background-color:#398439;border-color:#255625}.btn-success.active,.btn-success:active,.open>.dropdown-toggle.btn-success{background-image:none}.btn-success.disabled.focus,.btn-success.disabled:focus,.btn-success.disabled:hover,.btn-success[disabled].focus,.btn-success[disabled]:focus,.btn-success[disabled]:hover,fieldset[disabled] .btn-success.focus,fieldset[disabled] .btn-success:focus,fieldset[disabled] .btn-success:hover{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.focus,.btn-info:focus{color:#fff;background-color:#31b0d5;border-color:#1b6d85}.btn-info:hover{color:#fff;background-color:#31b0d5;border-color:#269abc}.btn-info.active,.btn-info:active,.open>.dropdown-toggle.btn-info{color:#fff;background-color:#31b0d5;border-color:#269abc}.btn-info.active.focus,.btn-info.active:focus,.btn-info.active:hover,.btn-info:active.focus,.btn-info:active:focus,.btn-info:active:hover,.open>.dropdown-toggle.btn-info.focus,.open>.dropdown-toggle.btn-info:focus,.open>.dropdown-toggle.btn-info:hover{color:#fff;background-color:#269abc;border-color:#1b6d85}.btn-info.active,.btn-info:active,.open>.dropdown-toggle.btn-info{background-image:none}.btn-info.disabled.focus,.btn-info.disabled:focus,.btn-info.disabled:hover,.btn-info[disabled].focus,.btn-info[disabled]:focus,.btn-info[disabled]:hover,fieldset[disabled] .btn-info.focus,fieldset[disabled] .btn-info:focus,fieldset[disabled] .btn-info:hover{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.focus,.btn-warning:focus{color:#fff;background-color:#ec971f;border-color:#985f0d}.btn-warning:hover{color:#fff;background-color:#ec971f;border-color:#d58512}.btn-warning.active,.btn-warning:active,.open>.dropdown-toggle.btn-warning{color:#fff;background-color:#ec971f;border-color:#d58512}.btn-warning.active.focus,.btn-warning.active:focus,.btn-warning.active:hover,.btn-warning:active.focus,.btn-warning:active:focus,.btn-warning:active:hover,.open>.dropdown-toggle.btn-warning.focus,.open>.dropdown-toggle.btn-warning:focus,.open>.dropdown-toggle.btn-warning:hover{color:#fff;background-color:#d58512;border-color:#985f0d}.btn-warning.active,.btn-warning:active,.open>.dropdown-toggle.btn-warning{background-image:none}.btn-warning.disabled.focus,.btn-warning.disabled:focus,.btn-warning.disabled:hover,.btn-warning[disabled].focus,.btn-warning[disabled]:focus,.btn-warning[disabled]:hover,fieldset[disabled] .btn-warning.focus,fieldset[disabled] .btn-warning:focus,fieldset[disabled] .btn-warning:hover{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.focus,.btn-danger:focus{color:#fff;background-color:#c9302c;border-color:#761c19}.btn-danger:hover{color:#fff;background-color:#c9302c;border-color:#ac2925}.btn-danger.active,.btn-danger:active,.open>.dropdown-toggle.btn-danger{color:#fff;background-color:#c9302c;border-color:#ac2925}.btn-danger.active.focus,.btn-danger.active:focus,.btn-danger.active:hover,.btn-danger:active.focus,.btn-danger:active:focus,.btn-danger:active:hover,.open>.dropdown-toggle.btn-danger.focus,.open>.dropdown-toggle.btn-danger:focus,.open>.dropdown-toggle.btn-danger:hover{color:#fff;background-color:#ac2925;border-color:#761c19}.btn-danger.active,.btn-danger:active,.open>.dropdown-toggle.btn-danger{background-image:none}.btn-danger.disabled.focus,.btn-danger.disabled:focus,.btn-danger.disabled:hover,.btn-danger[disabled].focus,.btn-danger[disabled]:focus,.btn-danger[disabled]:hover,fieldset[disabled] .btn-danger.focus,fieldset[disabled] .btn-danger:focus,fieldset[disabled] .btn-danger:hover{background-color:#d9534f;border-color:#d43f3a}.btn-danger .badge{color:#d9534f;background-color:#fff}.btn-link{font-weight:400;color:#337ab7;border-radius:0}.btn-link,.btn-link.active,.btn-link:active,.btn-link[disabled],fieldset[disabled] .btn-link{background-color:transparent;-webkit-box-shadow:none;box-shadow:none}.btn-link,.btn-link:active,.btn-link:focus,.btn-link:hover{border-color:transparent}.btn-link:focus,.btn-link:hover{color:#23527c;text-decoration:underline;background-color:transparent}.btn-link[disabled]:focus,.btn-link[disabled]:hover,fieldset[disabled] .btn-link:focus,fieldset[disabled] .btn-link:hover{color:#777;text-decoration:none}.btn-group-lg>.btn,.btn-lg{padding:10px 16px;font-size:18px;line-height:1.3333333;border-radius:6px}.btn-group-sm>.btn,.btn-sm{padding:5px 10px;font-size:12px;line-height:1.5;border-radius:3px}.btn-group-xs>.btn,.btn-xs{padding:1px 5px;font-size:12px;line-height:1.5;border-radius:3px}.btn-block{display:block;width:100%}.btn-block+.btn-block{margin-top:5px}input[type=button].btn-block,input[type=reset].btn-block,input[type=submit].btn-block{width:100%}.fade{opacity:0;-webkit-transition:opacity .15s linear;-o-transition:opacity .15s linear;transition:opacity .15s linear}.fade.in{opacity:1}.collapse{display:none}.collapse.in{display:block}tr.collapse.in{display:table-row}tbody.collapse.in{display:table-row-group}.collapsing{position:relative;height:0;overflow:hidden;-webkit-transition-timing-function:ease;-o-transition-timing-function:ease;transition-timing-function:ease;-webkit-transition-duration:.35s;-o-transition-duration:.35s;transition-duration:.35s;-webkit-transition-property:height,visibility;-o-transition-property:height,visibility;transition-property:height,visibility}.caret{display:inline-block;width:0;height:0;margin-left:2px;vertical-align:middle;border-top:4px dashed;border-top:4px solid\9;border-right:4px solid transparent;border-left:4px solid transparent}.dropdown,.dropup{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;font-size:14px;text-align:left;list-style:none;background-color:#fff;-webkit-background-clip:padding-box;background-clip:padding-box;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)}.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:focus,.dropdown-menu>li>a:hover{color:#262626;text-decoration:none;background-color:#f5f5f5}.dropdown-menu>.active>a,.dropdown-menu>.active>a:focus,.dropdown-menu>.active>a:hover{color:#fff;text-decoration:none;background-color:#337ab7;outline:0}.dropdown-menu>.disabled>a,.dropdown-menu>.disabled>a:focus,.dropdown-menu>.disabled>a:hover{color:#777}.dropdown-menu>.disabled>a:focus,.dropdown-menu>.disabled>a:hover{text-decoration:none;cursor:not-allowed;background-color:transparent;background-image:none;filter:progid:DXImageTransform.Microsoft.gradient(enabled=false)}.open>.dropdown-menu{display:block}.open>a{outline:0}.dropdown-menu-right{right:0;left:auto}.dropdown-menu-left{right:auto;left:0}.dropdown-header{display:block;padding:3px 20px;font-size:12px;line-height:1.42857143;color:#777;white-space:nowrap}.dropdown-backdrop{position:fixed;top:0;right:0;bottom:0;left:0;z-index:990}.pull-right>.dropdown-menu{right:0;left:auto}.dropup .caret,.navbar-fixed-bottom .dropdown .caret{content:"";border-top:0;border-bottom:4px dashed;border-bottom:4px solid\9}.dropup .dropdown-menu,.navbar-fixed-bottom .dropdown .dropdown-menu{top:auto;bottom:100%;margin-bottom:2px}@media (min-width:768px){.navbar-right .dropdown-menu{right:0;left:auto}.navbar-right .dropdown-menu-left{right:auto;left:0}}.btn-group,.btn-group-vertical{position:relative;display:inline-block;vertical-align:middle}.btn-group-vertical>.btn,.btn-group>.btn{position:relative;float:left}.btn-group-vertical>.btn.active,.btn-group-vertical>.btn:active,.btn-group-vertical>.btn:focus,.btn-group-vertical>.btn:hover,.btn-group>.btn.active,.btn-group>.btn:active,.btn-group>.btn:focus,.btn-group>.btn:hover{z-index:2}.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,.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-top-right-radius:0;border-bottom-right-radius:0}.btn-group>.btn:last-child:not(:first-child),.btn-group>.dropdown-toggle:not(:first-child){border-top-left-radius:0;border-bottom-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:not(:last-child)>.btn:last-child,.btn-group>.btn-group:first-child:not(:last-child)>.dropdown-toggle{border-top-right-radius:0;border-bottom-right-radius:0}.btn-group>.btn-group:last-child:not(:first-child)>.btn:first-child{border-top-left-radius:0;border-bottom-left-radius:0}.btn-group .dropdown-toggle:active,.btn-group.open .dropdown-toggle{outline:0}.btn-group>.btn+.dropdown-toggle{padding-right:8px;padding-left:8px}.btn-group>.btn-lg+.dropdown-toggle{padding-right:12px;padding-left: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-left-radius:4px;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-top-left-radius:0;border-top-right-radius:0;border-bottom-right-radius:4px;border-bottom-left-radius:4px}.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-left-radius:0;border-top-right-radius:0}.btn-group-justified{display:table;width:100%;table-layout:fixed;border-collapse:separate}.btn-group-justified>.btn,.btn-group-justified>.btn-group{display:table-cell;float:none;width:1%}.btn-group-justified>.btn-group .btn{width:100%}.btn-group-justified>.btn-group .dropdown-menu{left:auto}[data-toggle=buttons]>.btn input[type=checkbox],[data-toggle=buttons]>.btn input[type=radio],[data-toggle=buttons]>.btn-group>.btn input[type=checkbox],[data-toggle=buttons]>.btn-group>.btn input[type=radio]{position:absolute;clip:rect(0,0,0,0);pointer-events:none}.input-group{position:relative;display:table;border-collapse:separate}.input-group[class*=col-]{float:none;padding-right:0;padding-left:0}.input-group .form-control{position:relative;z-index:2;float:left;width:100%;margin-bottom:0}.input-group .form-control:focus{z-index:3}.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.3333333;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}select[multiple].input-group-lg>.form-control,select[multiple].input-group-lg>.input-group-addon,select[multiple].input-group-lg>.input-group-btn>.btn,textarea.input-group-lg>.form-control,textarea.input-group-lg>.input-group-addon,textarea.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}select[multiple].input-group-sm>.form-control,select[multiple].input-group-sm>.input-group-addon,select[multiple].input-group-sm>.input-group-btn>.btn,textarea.input-group-sm>.form-control,textarea.input-group-sm>.input-group-addon,textarea.input-group-sm>.input-group-btn>.btn{height:auto}.input-group .form-control,.input-group-addon,.input-group-btn{display:table-cell}.input-group .form-control:not(:first-child):not(:last-child),.input-group-addon:not(:first-child):not(:last-child),.input-group-btn: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=checkbox],.input-group-addon input[type=radio]{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-group:not(:last-child)>.btn,.input-group-btn:last-child>.btn:not(:last-child):not(.dropdown-toggle){border-top-right-radius:0;border-bottom-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:first-child>.btn-group:not(:first-child)>.btn,.input-group-btn:first-child>.btn:not(:first-child),.input-group-btn:last-child>.btn,.input-group-btn:last-child>.btn-group>.btn,.input-group-btn:last-child>.dropdown-toggle{border-top-left-radius:0;border-bottom-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:active,.input-group-btn>.btn:focus,.input-group-btn>.btn:hover{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{z-index:2;margin-left:-1px}.nav{padding-left:0;margin-bottom:0;list-style:none}.nav>li{position:relative;display:block}.nav>li>a{position:relative;display:block;padding:10px 15px}.nav>li>a:focus,.nav>li>a:hover{text-decoration:none;background-color:#eee}.nav>li.disabled>a{color:#777}.nav>li.disabled>a:focus,.nav>li.disabled>a:hover{color:#777;text-decoration:none;cursor:not-allowed;background-color:transparent}.nav .open>a,.nav .open>a:focus,.nav .open>a:hover{background-color:#eee;border-color:#337ab7}.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:focus,.nav-tabs>li.active>a:hover{color:#555;cursor:default;background-color:#fff;border:1px solid #ddd;border-bottom-color:transparent}.nav-tabs.nav-justified{width:100%;border-bottom:0}.nav-tabs.nav-justified>li{float:none}.nav-tabs.nav-justified>li>a{margin-bottom:5px;text-align:center}.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:focus,.nav-tabs.nav-justified>.active>a:hover{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:focus,.nav-tabs.nav-justified>.active>a:hover{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:focus,.nav-pills>li.active>a:hover{color:#fff;background-color:#337ab7}.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{margin-bottom:5px;text-align:center}.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:focus,.nav-tabs-justified>.active>a:hover{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:focus,.nav-tabs-justified>.active>a:hover{border-bottom-color:#fff}}.tab-content>.tab-pane{display:none}.tab-content>.active{display:block}.nav-tabs .dropdown-menu{margin-top:-1px;border-top-left-radius:0;border-top-right-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{padding-right:15px;padding-left:15px;overflow-x:visible;-webkit-overflow-scrolling:touch;border-top:1px solid transparent;-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.1);box-shadow:inset 0 1px 0 rgba(255,255,255,.1)}.navbar-collapse.in{overflow-y:auto}@media (min-width:768px){.navbar-collapse{width:auto;border-top:0;-webkit-box-shadow:none;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-bottom .navbar-collapse,.navbar-fixed-top .navbar-collapse,.navbar-static-top .navbar-collapse{padding-right:0;padding-left:0}}.navbar-fixed-bottom .navbar-collapse,.navbar-fixed-top .navbar-collapse{max-height:340px}@media (max-device-width:480px) and (orientation:landscape){.navbar-fixed-bottom .navbar-collapse,.navbar-fixed-top .navbar-collapse{max-height:200px}}.container-fluid>.navbar-collapse,.container-fluid>.navbar-header,.container>.navbar-collapse,.container>.navbar-header{margin-right:-15px;margin-left:-15px}@media (min-width:768px){.container-fluid>.navbar-collapse,.container-fluid>.navbar-header,.container>.navbar-collapse,.container>.navbar-header{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-bottom,.navbar-fixed-top{position:fixed;right:0;left:0;z-index:1030}@media (min-width:768px){.navbar-fixed-bottom,.navbar-fixed-top{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;height:50px;padding:15px 15px;font-size:18px;line-height:20px}.navbar-brand:focus,.navbar-brand:hover{text-decoration:none}.navbar-brand>img{display:block}@media (min-width:768px){.navbar>.container .navbar-brand,.navbar>.container-fluid .navbar-brand{margin-left:-15px}}.navbar-toggle{position:relative;float:right;padding:9px 10px;margin-top:8px;margin-right:15px;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;-webkit-box-shadow:none;box-shadow:none}.navbar-nav .open .dropdown-menu .dropdown-header,.navbar-nav .open .dropdown-menu>li>a{padding:5px 15px 5px 25px}.navbar-nav .open .dropdown-menu>li>a{line-height:20px}.navbar-nav .open .dropdown-menu>li>a:focus,.navbar-nav .open .dropdown-menu>li>a:hover{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-form{padding:10px 15px;margin-top:8px;margin-right:-15px;margin-bottom:8px;margin-left:-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)}@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 .form-control-static{display:inline-block}.navbar-form .input-group{display:inline-table;vertical-align:middle}.navbar-form .input-group .form-control,.navbar-form .input-group .input-group-addon,.navbar-form .input-group .input-group-btn{width:auto}.navbar-form .input-group>.form-control{width:100%}.navbar-form .control-label{margin-bottom:0;vertical-align:middle}.navbar-form .checkbox,.navbar-form .radio{display:inline-block;margin-top:0;margin-bottom:0;vertical-align:middle}.navbar-form .checkbox label,.navbar-form .radio label{padding-left:0}.navbar-form .checkbox input[type=checkbox],.navbar-form .radio input[type=radio]{position:relative;margin-left:0}.navbar-form .has-feedback .form-control-feedback{top:0}}@media (max-width:767px){.navbar-form .form-group{margin-bottom:5px}.navbar-form .form-group:last-child{margin-bottom:0}}@media (min-width:768px){.navbar-form{width:auto;padding-top:0;padding-bottom:0;margin-right:0;margin-left:0;border:0;-webkit-box-shadow:none;box-shadow:none}}.navbar-nav>li>.dropdown-menu{margin-top:0;border-top-left-radius:0;border-top-right-radius:0}.navbar-fixed-bottom .navbar-nav>li>.dropdown-menu{margin-bottom:0;border-top-left-radius:4px;border-top-right-radius:4px;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-right:15px;margin-left:15px}}@media (min-width:768px){.navbar-left{float:left!important}.navbar-right{float:right!important;margin-right:-15px}.navbar-right~.navbar-right{margin-right:0}}.navbar-default{background-color:#f8f8f8;border-color:#e7e7e7}.navbar-default .navbar-brand{color:#777}.navbar-default .navbar-brand:focus,.navbar-default .navbar-brand:hover{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:focus,.navbar-default .navbar-nav>li>a:hover{color:#333;background-color:transparent}.navbar-default .navbar-nav>.active>a,.navbar-default .navbar-nav>.active>a:focus,.navbar-default .navbar-nav>.active>a:hover{color:#555;background-color:#e7e7e7}.navbar-default .navbar-nav>.disabled>a,.navbar-default .navbar-nav>.disabled>a:focus,.navbar-default .navbar-nav>.disabled>a:hover{color:#ccc;background-color:transparent}.navbar-default .navbar-toggle{border-color:#ddd}.navbar-default .navbar-toggle:focus,.navbar-default .navbar-toggle:hover{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:focus,.navbar-default .navbar-nav>.open>a:hover{color:#555;background-color:#e7e7e7}@media (max-width:767px){.navbar-default .navbar-nav .open .dropdown-menu>li>a{color:#777}.navbar-default .navbar-nav .open .dropdown-menu>li>a:focus,.navbar-default .navbar-nav .open .dropdown-menu>li>a:hover{color:#333;background-color:transparent}.navbar-default .navbar-nav .open .dropdown-menu>.active>a,.navbar-default .navbar-nav .open .dropdown-menu>.active>a:focus,.navbar-default .navbar-nav .open .dropdown-menu>.active>a:hover{color:#555;background-color:#e7e7e7}.navbar-default .navbar-nav .open .dropdown-menu>.disabled>a,.navbar-default .navbar-nav .open .dropdown-menu>.disabled>a:focus,.navbar-default .navbar-nav .open .dropdown-menu>.disabled>a:hover{color:#ccc;background-color:transparent}}.navbar-default .navbar-link{color:#777}.navbar-default .navbar-link:hover{color:#333}.navbar-default .btn-link{color:#777}.navbar-default .btn-link:focus,.navbar-default .btn-link:hover{color:#333}.navbar-default .btn-link[disabled]:focus,.navbar-default .btn-link[disabled]:hover,fieldset[disabled] .navbar-default .btn-link:focus,fieldset[disabled] .navbar-default .btn-link:hover{color:#ccc}.navbar-inverse{background-color:#222;border-color:#080808}.navbar-inverse .navbar-brand{color:#9d9d9d}.navbar-inverse .navbar-brand:focus,.navbar-inverse .navbar-brand:hover{color:#fff;background-color:transparent}.navbar-inverse .navbar-text{color:#9d9d9d}.navbar-inverse .navbar-nav>li>a{color:#9d9d9d}.navbar-inverse .navbar-nav>li>a:focus,.navbar-inverse .navbar-nav>li>a:hover{color:#fff;background-color:transparent}.navbar-inverse .navbar-nav>.active>a,.navbar-inverse .navbar-nav>.active>a:focus,.navbar-inverse .navbar-nav>.active>a:hover{color:#fff;background-color:#080808}.navbar-inverse .navbar-nav>.disabled>a,.navbar-inverse .navbar-nav>.disabled>a:focus,.navbar-inverse .navbar-nav>.disabled>a:hover{color:#444;background-color:transparent}.navbar-inverse .navbar-toggle{border-color:#333}.navbar-inverse .navbar-toggle:focus,.navbar-inverse .navbar-toggle:hover{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:focus,.navbar-inverse .navbar-nav>.open>a:hover{color:#fff;background-color:#080808}@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:#9d9d9d}.navbar-inverse .navbar-nav .open .dropdown-menu>li>a:focus,.navbar-inverse .navbar-nav .open .dropdown-menu>li>a:hover{color:#fff;background-color:transparent}.navbar-inverse .navbar-nav .open .dropdown-menu>.active>a,.navbar-inverse .navbar-nav .open .dropdown-menu>.active>a:focus,.navbar-inverse .navbar-nav .open .dropdown-menu>.active>a:hover{color:#fff;background-color:#080808}.navbar-inverse .navbar-nav .open .dropdown-menu>.disabled>a,.navbar-inverse .navbar-nav .open .dropdown-menu>.disabled>a:focus,.navbar-inverse .navbar-nav .open .dropdown-menu>.disabled>a:hover{color:#444;background-color:transparent}}.navbar-inverse .navbar-link{color:#9d9d9d}.navbar-inverse .navbar-link:hover{color:#fff}.navbar-inverse .btn-link{color:#9d9d9d}.navbar-inverse .btn-link:focus,.navbar-inverse .btn-link:hover{color:#fff}.navbar-inverse .btn-link[disabled]:focus,.navbar-inverse .btn-link[disabled]:hover,fieldset[disabled] .navbar-inverse .btn-link:focus,fieldset[disabled] .navbar-inverse .btn-link:hover{color:#444}.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{padding:0 5px;color:#ccc;content:"/\00a0"}.breadcrumb>.active{color:#777}.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;margin-left:-1px;line-height:1.42857143;color:#337ab7;text-decoration:none;background-color:#fff;border:1px solid #ddd}.pagination>li:first-child>a,.pagination>li:first-child>span{margin-left:0;border-top-left-radius:4px;border-bottom-left-radius:4px}.pagination>li:last-child>a,.pagination>li:last-child>span{border-top-right-radius:4px;border-bottom-right-radius:4px}.pagination>li>a:focus,.pagination>li>a:hover,.pagination>li>span:focus,.pagination>li>span:hover{z-index:2;color:#23527c;background-color:#eee;border-color:#ddd}.pagination>.active>a,.pagination>.active>a:focus,.pagination>.active>a:hover,.pagination>.active>span,.pagination>.active>span:focus,.pagination>.active>span:hover{z-index:3;color:#fff;cursor:default;background-color:#337ab7;border-color:#337ab7}.pagination>.disabled>a,.pagination>.disabled>a:focus,.pagination>.disabled>a:hover,.pagination>.disabled>span,.pagination>.disabled>span:focus,.pagination>.disabled>span:hover{color:#777;cursor:not-allowed;background-color:#fff;border-color:#ddd}.pagination-lg>li>a,.pagination-lg>li>span{padding:10px 16px;font-size:18px;line-height:1.3333333}.pagination-lg>li:first-child>a,.pagination-lg>li:first-child>span{border-top-left-radius:6px;border-bottom-left-radius:6px}.pagination-lg>li:last-child>a,.pagination-lg>li:last-child>span{border-top-right-radius:6px;border-bottom-right-radius:6px}.pagination-sm>li>a,.pagination-sm>li>span{padding:5px 10px;font-size:12px;line-height:1.5}.pagination-sm>li:first-child>a,.pagination-sm>li:first-child>span{border-top-left-radius:3px;border-bottom-left-radius:3px}.pagination-sm>li:last-child>a,.pagination-sm>li:last-child>span{border-top-right-radius:3px;border-bottom-right-radius:3px}.pager{padding-left:0;margin:20px 0;text-align:center;list-style:none}.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:focus,.pager li>a:hover{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:focus,.pager .disabled>a:hover,.pager .disabled>span{color:#777;cursor:not-allowed;background-color:#fff}.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}a.label:focus,a.label:hover{color:#fff;text-decoration:none;cursor:pointer}.label:empty{display:none}.btn .label{position:relative;top:-1px}.label-default{background-color:#777}.label-default[href]:focus,.label-default[href]:hover{background-color:#5e5e5e}.label-primary{background-color:#337ab7}.label-primary[href]:focus,.label-primary[href]:hover{background-color:#286090}.label-success{background-color:#5cb85c}.label-success[href]:focus,.label-success[href]:hover{background-color:#449d44}.label-info{background-color:#5bc0de}.label-info[href]:focus,.label-info[href]:hover{background-color:#31b0d5}.label-warning{background-color:#f0ad4e}.label-warning[href]:focus,.label-warning[href]:hover{background-color:#ec971f}.label-danger{background-color:#d9534f}.label-danger[href]:focus,.label-danger[href]:hover{background-color:#c9302c}.badge{display:inline-block;min-width:10px;padding:3px 7px;font-size:12px;font-weight:700;line-height:1;color:#fff;text-align:center;white-space:nowrap;vertical-align:middle;background-color:#777;border-radius:10px}.badge:empty{display:none}.btn .badge{position:relative;top:-1px}.btn-group-xs>.btn .badge,.btn-xs .badge{top:0;padding:1px 5px}a.badge:focus,a.badge:hover{color:#fff;text-decoration:none;cursor:pointer}.list-group-item.active>.badge,.nav-pills>.active>a>.badge{color:#337ab7;background-color:#fff}.list-group-item>.badge{float:right}.list-group-item>.badge+.badge{margin-right:5px}.nav-pills>li>a>.badge{margin-left:3px}.jumbotron{padding-top:30px;padding-bottom: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}.jumbotron>hr{border-top-color:#d5d5d5}.container .jumbotron,.container-fluid .jumbotron{padding-right:15px;padding-left:15px;border-radius:6px}.jumbotron .container{max-width:100%}@media screen and (min-width:768px){.jumbotron{padding-top:48px;padding-bottom:48px}.container .jumbotron,.container-fluid .jumbotron{padding-right:60px;padding-left: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:border .2s ease-in-out;-o-transition:border .2s ease-in-out;transition:border .2s ease-in-out}.thumbnail a>img,.thumbnail>img{margin-right:auto;margin-left:auto}a.thumbnail.active,a.thumbnail:focus,a.thumbnail:hover{border-color:#337ab7}.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,.alert-dismissible{padding-right:35px}.alert-dismissable .close,.alert-dismissible .close{position:relative;top:-2px;right:-21px;color:inherit}.alert-success{color:#3c763d;background-color:#dff0d8;border-color:#d6e9c6}.alert-success hr{border-top-color:#c9e2b3}.alert-success .alert-link{color:#2b542c}.alert-info{color:#31708f;background-color:#d9edf7;border-color:#bce8f1}.alert-info hr{border-top-color:#a6e1ec}.alert-info .alert-link{color:#245269}.alert-warning{color:#8a6d3b;background-color:#fcf8e3;border-color:#faebcc}.alert-warning hr{border-top-color:#f7e1b5}.alert-warning .alert-link{color:#66512c}.alert-danger{color:#a94442;background-color:#f2dede;border-color:#ebccd1}.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}}@-o-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{height:20px;margin-bottom:20px;overflow:hidden;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:#337ab7;-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;-o-transition:width .6s ease;transition:width .6s ease}.progress-bar-striped,.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:-o-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);-webkit-background-size:40px 40px;background-size:40px 40px}.progress-bar.active,.progress.active .progress-bar{-webkit-animation:progress-bar-stripes 2s linear infinite;-o-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:-o-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:-o-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:-o-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:-o-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{margin-top:15px}.media:first-child{margin-top:0}.media,.media-body{overflow:hidden;zoom:1}.media-body{width:10000px}.media-object{display:block}.media-object.img-thumbnail{max-width:none}.media-right,.media>.pull-right{padding-left:10px}.media-left,.media>.pull-left{padding-right:10px}.media-body,.media-left,.media-right{display:table-cell;vertical-align:top}.media-middle{vertical-align:middle}.media-bottom{vertical-align:bottom}.media-heading{margin-top:0;margin-bottom:5px}.media-list{padding-left:0;list-style:none}.list-group{padding-left:0;margin-bottom:20px}.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-left-radius:4px;border-top-right-radius:4px}.list-group-item:last-child{margin-bottom:0;border-bottom-right-radius:4px;border-bottom-left-radius:4px}a.list-group-item,button.list-group-item{color:#555}a.list-group-item .list-group-item-heading,button.list-group-item .list-group-item-heading{color:#333}a.list-group-item:focus,a.list-group-item:hover,button.list-group-item:focus,button.list-group-item:hover{color:#555;text-decoration:none;background-color:#f5f5f5}button.list-group-item{width:100%;text-align:left}.list-group-item.disabled,.list-group-item.disabled:focus,.list-group-item.disabled:hover{color:#777;cursor:not-allowed;background-color:#eee}.list-group-item.disabled .list-group-item-heading,.list-group-item.disabled:focus .list-group-item-heading,.list-group-item.disabled:hover .list-group-item-heading{color:inherit}.list-group-item.disabled .list-group-item-text,.list-group-item.disabled:focus .list-group-item-text,.list-group-item.disabled:hover .list-group-item-text{color:#777}.list-group-item.active,.list-group-item.active:focus,.list-group-item.active:hover{z-index:2;color:#fff;background-color:#337ab7;border-color:#337ab7}.list-group-item.active .list-group-item-heading,.list-group-item.active .list-group-item-heading>.small,.list-group-item.active .list-group-item-heading>small,.list-group-item.active:focus .list-group-item-heading,.list-group-item.active:focus .list-group-item-heading>.small,.list-group-item.active:focus .list-group-item-heading>small,.list-group-item.active:hover .list-group-item-heading,.list-group-item.active:hover .list-group-item-heading>.small,.list-group-item.active:hover .list-group-item-heading>small{color:inherit}.list-group-item.active .list-group-item-text,.list-group-item.active:focus .list-group-item-text,.list-group-item.active:hover .list-group-item-text{color:#c7ddef}.list-group-item-success{color:#3c763d;background-color:#dff0d8}a.list-group-item-success,button.list-group-item-success{color:#3c763d}a.list-group-item-success .list-group-item-heading,button.list-group-item-success .list-group-item-heading{color:inherit}a.list-group-item-success:focus,a.list-group-item-success:hover,button.list-group-item-success:focus,button.list-group-item-success:hover{color:#3c763d;background-color:#d0e9c6}a.list-group-item-success.active,a.list-group-item-success.active:focus,a.list-group-item-success.active:hover,button.list-group-item-success.active,button.list-group-item-success.active:focus,button.list-group-item-success.active:hover{color:#fff;background-color:#3c763d;border-color:#3c763d}.list-group-item-info{color:#31708f;background-color:#d9edf7}a.list-group-item-info,button.list-group-item-info{color:#31708f}a.list-group-item-info .list-group-item-heading,button.list-group-item-info .list-group-item-heading{color:inherit}a.list-group-item-info:focus,a.list-group-item-info:hover,button.list-group-item-info:focus,button.list-group-item-info:hover{color:#31708f;background-color:#c4e3f3}a.list-group-item-info.active,a.list-group-item-info.active:focus,a.list-group-item-info.active:hover,button.list-group-item-info.active,button.list-group-item-info.active:focus,button.list-group-item-info.active:hover{color:#fff;background-color:#31708f;border-color:#31708f}.list-group-item-warning{color:#8a6d3b;background-color:#fcf8e3}a.list-group-item-warning,button.list-group-item-warning{color:#8a6d3b}a.list-group-item-warning .list-group-item-heading,button.list-group-item-warning .list-group-item-heading{color:inherit}a.list-group-item-warning:focus,a.list-group-item-warning:hover,button.list-group-item-warning:focus,button.list-group-item-warning:hover{color:#8a6d3b;background-color:#faf2cc}a.list-group-item-warning.active,a.list-group-item-warning.active:focus,a.list-group-item-warning.active:hover,button.list-group-item-warning.active,button.list-group-item-warning.active:focus,button.list-group-item-warning.active:hover{color:#fff;background-color:#8a6d3b;border-color:#8a6d3b}.list-group-item-danger{color:#a94442;background-color:#f2dede}a.list-group-item-danger,button.list-group-item-danger{color:#a94442}a.list-group-item-danger .list-group-item-heading,button.list-group-item-danger .list-group-item-heading{color:inherit}a.list-group-item-danger:focus,a.list-group-item-danger:hover,button.list-group-item-danger:focus,button.list-group-item-danger:hover{color:#a94442;background-color:#ebcccc}a.list-group-item-danger.active,a.list-group-item-danger.active:focus,a.list-group-item-danger.active:hover,button.list-group-item-danger.active,button.list-group-item-danger.active:focus,button.list-group-item-danger.active:hover{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-left-radius:3px;border-top-right-radius:3px}.panel-heading>.dropdown .dropdown-toggle{color:inherit}.panel-title{margin-top:0;margin-bottom:0;font-size:16px;color:inherit}.panel-title>.small,.panel-title>.small>a,.panel-title>a,.panel-title>small,.panel-title>small>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,.panel>.panel-collapse>.list-group{margin-bottom:0}.panel>.list-group .list-group-item,.panel>.panel-collapse>.list-group .list-group-item{border-width:1px 0;border-radius:0}.panel>.list-group:first-child .list-group-item:first-child,.panel>.panel-collapse>.list-group:first-child .list-group-item:first-child{border-top:0;border-top-left-radius:3px;border-top-right-radius:3px}.panel>.list-group:last-child .list-group-item:last-child,.panel>.panel-collapse>.list-group:last-child .list-group-item:last-child{border-bottom:0;border-bottom-right-radius:3px;border-bottom-left-radius:3px}.panel>.panel-heading+.panel-collapse>.list-group .list-group-item:first-child{border-top-left-radius:0;border-top-right-radius:0}.panel-heading+.list-group .list-group-item:first-child{border-top-width:0}.list-group+.panel-footer{border-top-width:0}.panel>.panel-collapse>.table,.panel>.table,.panel>.table-responsive>.table{margin-bottom:0}.panel>.panel-collapse>.table caption,.panel>.table caption,.panel>.table-responsive>.table caption{padding-right:15px;padding-left:15px}.panel>.table-responsive:first-child>.table:first-child,.panel>.table:first-child{border-top-left-radius:3px;border-top-right-radius:3px}.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child,.panel>.table:first-child>tbody:first-child>tr:first-child,.panel>.table:first-child>thead:first-child>tr:first-child{border-top-left-radius:3px;border-top-right-radius:3px}.panel>.table-responsive:first-child>.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 th:first-child,.panel>.table-responsive:first-child>.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 th:first-child,.panel>.table:first-child>tbody:first-child>tr:first-child td:first-child,.panel>.table:first-child>tbody:first-child>tr:first-child th:first-child,.panel>.table:first-child>thead:first-child>tr:first-child td:first-child,.panel>.table:first-child>thead:first-child>tr:first-child th:first-child{border-top-left-radius:3px}.panel>.table-responsive:first-child>.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 th:last-child,.panel>.table-responsive:first-child>.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 th:last-child,.panel>.table:first-child>tbody:first-child>tr:first-child td:last-child,.panel>.table:first-child>tbody:first-child>tr:first-child th:last-child,.panel>.table:first-child>thead:first-child>tr:first-child td:last-child,.panel>.table:first-child>thead:first-child>tr:first-child th:last-child{border-top-right-radius:3px}.panel>.table-responsive:last-child>.table:last-child,.panel>.table:last-child{border-bottom-right-radius:3px;border-bottom-left-radius:3px}.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child,.panel>.table:last-child>tbody:last-child>tr:last-child,.panel>.table:last-child>tfoot:last-child>tr:last-child{border-bottom-right-radius:3px;border-bottom-left-radius:3px}.panel>.table-responsive:last-child>.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 th:first-child,.panel>.table-responsive:last-child>.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 th:first-child,.panel>.table:last-child>tbody:last-child>tr:last-child td:first-child,.panel>.table:last-child>tbody:last-child>tr:last-child th:first-child,.panel>.table:last-child>tfoot:last-child>tr:last-child td:first-child,.panel>.table:last-child>tfoot:last-child>tr:last-child th:first-child{border-bottom-left-radius:3px}.panel>.table-responsive:last-child>.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 th:last-child,.panel>.table-responsive:last-child>.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 th:last-child,.panel>.table:last-child>tbody:last-child>tr:last-child td:last-child,.panel>.table:last-child>tbody:last-child>tr:last-child th:last-child,.panel>.table:last-child>tfoot:last-child>tr:last-child td:last-child,.panel>.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,.panel>.table+.panel-body,.panel>.table-responsive+.panel-body{border-top:1px solid #ddd}.panel>.table>tbody:first-child>tr:first-child td,.panel>.table>tbody:first-child>tr:first-child th{border-top:0}.panel>.table-bordered,.panel>.table-responsive>.table-bordered{border:0}.panel>.table-bordered>tbody>tr>td:first-child,.panel>.table-bordered>tbody>tr>th:first-child,.panel>.table-bordered>tfoot>tr>td:first-child,.panel>.table-bordered>tfoot>tr>th:first-child,.panel>.table-bordered>thead>tr>td:first-child,.panel>.table-bordered>thead>tr>th:first-child,.panel>.table-responsive>.table-bordered>tbody>tr>td:first-child,.panel>.table-responsive>.table-bordered>tbody>tr>th:first-child,.panel>.table-responsive>.table-bordered>tfoot>tr>td:first-child,.panel>.table-responsive>.table-bordered>tfoot>tr>th:first-child,.panel>.table-responsive>.table-bordered>thead>tr>td:first-child,.panel>.table-responsive>.table-bordered>thead>tr>th:first-child{border-left:0}.panel>.table-bordered>tbody>tr>td:last-child,.panel>.table-bordered>tbody>tr>th:last-child,.panel>.table-bordered>tfoot>tr>td:last-child,.panel>.table-bordered>tfoot>tr>th:last-child,.panel>.table-bordered>thead>tr>td:last-child,.panel>.table-bordered>thead>tr>th:last-child,.panel>.table-responsive>.table-bordered>tbody>tr>td:last-child,.panel>.table-responsive>.table-bordered>tbody>tr>th:last-child,.panel>.table-responsive>.table-bordered>tfoot>tr>td:last-child,.panel>.table-responsive>.table-bordered>tfoot>tr>th:last-child,.panel>.table-responsive>.table-bordered>thead>tr>td:last-child,.panel>.table-responsive>.table-bordered>thead>tr>th:last-child{border-right:0}.panel>.table-bordered>tbody>tr:first-child>td,.panel>.table-bordered>tbody>tr:first-child>th,.panel>.table-bordered>thead>tr:first-child>td,.panel>.table-bordered>thead>tr:first-child>th,.panel>.table-responsive>.table-bordered>tbody>tr:first-child>td,.panel>.table-responsive>.table-bordered>tbody>tr:first-child>th,.panel>.table-responsive>.table-bordered>thead>tr:first-child>td,.panel>.table-responsive>.table-bordered>thead>tr:first-child>th{border-bottom:0}.panel>.table-bordered>tbody>tr:last-child>td,.panel>.table-bordered>tbody>tr:last-child>th,.panel>.table-bordered>tfoot>tr:last-child>td,.panel>.table-bordered>tfoot>tr:last-child>th,.panel>.table-responsive>.table-bordered>tbody>tr:last-child>td,.panel>.table-responsive>.table-bordered>tbody>tr:last-child>th,.panel>.table-responsive>.table-bordered>tfoot>tr:last-child>td,.panel>.table-responsive>.table-bordered>tfoot>tr:last-child>th{border-bottom:0}.panel>.table-responsive{margin-bottom:0;border:0}.panel-group{margin-bottom:20px}.panel-group .panel{margin-bottom:0;border-radius:4px}.panel-group .panel+.panel{margin-top:5px}.panel-group .panel-heading{border-bottom:0}.panel-group .panel-heading+.panel-collapse>.list-group,.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-heading .badge{color:#f5f5f5;background-color:#333}.panel-default>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#ddd}.panel-primary{border-color:#337ab7}.panel-primary>.panel-heading{color:#fff;background-color:#337ab7;border-color:#337ab7}.panel-primary>.panel-heading+.panel-collapse>.panel-body{border-top-color:#337ab7}.panel-primary>.panel-heading .badge{color:#337ab7;background-color:#fff}.panel-primary>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#337ab7}.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-heading .badge{color:#dff0d8;background-color:#3c763d}.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-heading .badge{color:#d9edf7;background-color:#31708f}.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-heading .badge{color:#fcf8e3;background-color:#8a6d3b}.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-heading .badge{color:#f2dede;background-color:#a94442}.panel-danger>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#ebccd1}.embed-responsive{position:relative;display:block;height:0;padding:0;overflow:hidden}.embed-responsive .embed-responsive-item,.embed-responsive embed,.embed-responsive iframe,.embed-responsive object,.embed-responsive video{position:absolute;top:0;bottom:0;left:0;width:100%;height:100%;border:0}.embed-responsive-16by9{padding-bottom:56.25%}.embed-responsive-4by3{padding-bottom:75%}.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;filter:alpha(opacity=20);opacity:.2}.close:focus,.close:hover{color:#000;text-decoration:none;cursor:pointer;filter:alpha(opacity=50);opacity:.5}button.close{-webkit-appearance:none;padding:0;cursor:pointer;background:0 0;border:0}.modal-open{overflow:hidden}.modal{position:fixed;top:0;right:0;bottom:0;left:0;z-index:1050;display:none;overflow:hidden;-webkit-overflow-scrolling:touch;outline:0}.modal.fade .modal-dialog{-webkit-transition:-webkit-transform .3s ease-out;-o-transition:-o-transform .3s ease-out;transition:transform .3s ease-out;-webkit-transform:translate(0,-25%);-ms-transform:translate(0,-25%);-o-transform:translate(0,-25%);transform:translate(0,-25%)}.modal.in .modal-dialog{-webkit-transform:translate(0,0);-ms-transform:translate(0,0);-o-transform:translate(0,0);transform:translate(0,0)}.modal-open .modal{overflow-x:hidden;overflow-y:auto}.modal-dialog{position:relative;width:auto;margin:10px}.modal-content{position:relative;background-color:#fff;-webkit-background-clip:padding-box;background-clip:padding-box;border:1px solid #999;border:1px solid rgba(0,0,0,.2);border-radius:6px;outline:0;-webkit-box-shadow:0 3px 9px rgba(0,0,0,.5);box-shadow:0 3px 9px rgba(0,0,0,.5)}.modal-backdrop{position:fixed;top:0;right:0;bottom:0;left:0;z-index:1040;background-color:#000}.modal-backdrop.fade{filter:alpha(opacity=0);opacity:0}.modal-backdrop.in{filter:alpha(opacity=50);opacity:.5}.modal-header{padding:15px;border-bottom:1px solid #e5e5e5}.modal-header .close{margin-top:-2px}.modal-title{margin:0;line-height:1.42857143}.modal-body{position:relative;padding:15px}.modal-footer{padding:15px;text-align:right;border-top:1px solid #e5e5e5}.modal-footer .btn+.btn{margin-bottom:0;margin-left:5px}.modal-footer .btn-group .btn+.btn{margin-left:-1px}.modal-footer .btn-block+.btn-block{margin-left:0}.modal-scrollbar-measure{position:absolute;top:-9999px;width:50px;height:50px;overflow:scroll}@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:1070;display:block;font-family:"Helvetica Neue",Helvetica,Arial,sans-serif;font-size:12px;font-style:normal;font-weight:400;line-height:1.42857143;text-align:left;text-align:start;text-decoration:none;text-shadow:none;text-transform:none;letter-spacing:normal;word-break:normal;word-spacing:normal;word-wrap:normal;white-space:normal;filter:alpha(opacity=0);opacity:0;line-break:auto}.tooltip.in{filter:alpha(opacity=90);opacity:.9}.tooltip.top{padding:5px 0;margin-top:-3px}.tooltip.right{padding:0 5px;margin-left:3px}.tooltip.bottom{padding:5px 0;margin-top:3px}.tooltip.left{padding:0 5px;margin-left:-3px}.tooltip-inner{max-width:200px;padding:3px 8px;color:#fff;text-align:center;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{right:5px;bottom:0;margin-bottom:-5px;border-width:5px 5px 0;border-top-color:#000}.tooltip.top-right .tooltip-arrow{bottom:0;left:5px;margin-bottom:-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;right:5px;margin-top:-5px;border-width:0 5px 5px;border-bottom-color:#000}.tooltip.bottom-right .tooltip-arrow{top:0;left:5px;margin-top:-5px;border-width:0 5px 5px;border-bottom-color:#000}.popover{position:absolute;top:0;left:0;z-index:1060;display:none;max-width:276px;padding:1px;font-family:"Helvetica Neue",Helvetica,Arial,sans-serif;font-size:14px;font-style:normal;font-weight:400;line-height:1.42857143;text-align:left;text-align:start;text-decoration:none;text-shadow:none;text-transform:none;letter-spacing:normal;word-break:normal;word-spacing:normal;word-wrap:normal;white-space:normal;background-color:#fff;-webkit-background-clip:padding-box;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);line-break:auto}.popover.top{margin-top:-10px}.popover.right{margin-left:10px}.popover.bottom{margin-top:10px}.popover.left{margin-left:-10px}.popover-title{padding:8px 14px;margin:0;font-size:14px;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{content:"";border-width:10px}.popover.top>.arrow{bottom:-11px;left:50%;margin-left:-11px;border-top-color:#999;border-top-color:rgba(0,0,0,.25);border-bottom-width:0}.popover.top>.arrow:after{bottom:1px;margin-left:-10px;content:" ";border-top-color:#fff;border-bottom-width:0}.popover.right>.arrow{top:50%;left:-11px;margin-top:-11px;border-right-color:#999;border-right-color:rgba(0,0,0,.25);border-left-width:0}.popover.right>.arrow:after{bottom:-10px;left:1px;content:" ";border-right-color:#fff;border-left-width:0}.popover.bottom>.arrow{top:-11px;left:50%;margin-left:-11px;border-top-width:0;border-bottom-color:#999;border-bottom-color:rgba(0,0,0,.25)}.popover.bottom>.arrow:after{top:1px;margin-left:-10px;content:" ";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{right:1px;bottom:-10px;content:" ";border-right-width:0;border-left-color:#fff}.carousel{position:relative}.carousel-inner{position:relative;width:100%;overflow:hidden}.carousel-inner>.item{position:relative;display:none;-webkit-transition:.6s ease-in-out left;-o-transition:.6s ease-in-out left;transition:.6s ease-in-out left}.carousel-inner>.item>a>img,.carousel-inner>.item>img{line-height:1}@media all and (transform-3d),(-webkit-transform-3d){.carousel-inner>.item{-webkit-transition:-webkit-transform .6s ease-in-out;-o-transition:-o-transform .6s ease-in-out;transition:transform .6s ease-in-out;-webkit-backface-visibility:hidden;backface-visibility:hidden;-webkit-perspective:1000px;perspective:1000px}.carousel-inner>.item.active.right,.carousel-inner>.item.next{left:0;-webkit-transform:translate3d(100%,0,0);transform:translate3d(100%,0,0)}.carousel-inner>.item.active.left,.carousel-inner>.item.prev{left:0;-webkit-transform:translate3d(-100%,0,0);transform:translate3d(-100%,0,0)}.carousel-inner>.item.active,.carousel-inner>.item.next.left,.carousel-inner>.item.prev.right{left:0;-webkit-transform:translate3d(0,0,0);transform:translate3d(0,0,0)}}.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;bottom:0;left:0;width:15%;font-size:20px;color:#fff;text-align:center;text-shadow:0 1px 2px rgba(0,0,0,.6);background-color:rgba(0,0,0,0);filter:alpha(opacity=50);opacity:.5}.carousel-control.left{background-image:-webkit-linear-gradient(left,rgba(0,0,0,.5) 0,rgba(0,0,0,.0001) 100%);background-image:-o-linear-gradient(left,rgba(0,0,0,.5) 0,rgba(0,0,0,.0001) 100%);background-image:-webkit-gradient(linear,left top,right top,from(rgba(0,0,0,.5)),to(rgba(0,0,0,.0001)));background-image:linear-gradient(to right,rgba(0,0,0,.5) 0,rgba(0,0,0,.0001) 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#80000000', endColorstr='#00000000', GradientType=1);background-repeat:repeat-x}.carousel-control.right{right:0;left:auto;background-image:-webkit-linear-gradient(left,rgba(0,0,0,.0001) 0,rgba(0,0,0,.5) 100%);background-image:-o-linear-gradient(left,rgba(0,0,0,.0001) 0,rgba(0,0,0,.5) 100%);background-image:-webkit-gradient(linear,left top,right top,from(rgba(0,0,0,.0001)),to(rgba(0,0,0,.5)));background-image:linear-gradient(to right,rgba(0,0,0,.0001) 0,rgba(0,0,0,.5) 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#00000000', endColorstr='#80000000', GradientType=1);background-repeat:repeat-x}.carousel-control:focus,.carousel-control:hover{color:#fff;text-decoration:none;filter:alpha(opacity=90);outline:0;opacity:.9}.carousel-control .glyphicon-chevron-left,.carousel-control .glyphicon-chevron-right,.carousel-control .icon-next,.carousel-control .icon-prev{position:absolute;top:50%;z-index:5;display:inline-block;margin-top:-10px}.carousel-control .glyphicon-chevron-left,.carousel-control .icon-prev{left:50%;margin-left:-10px}.carousel-control .glyphicon-chevron-right,.carousel-control .icon-next{right:50%;margin-right:-10px}.carousel-control .icon-next,.carousel-control .icon-prev{width:20px;height:20px;font-family:serif;line-height:1}.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%;padding-left:0;margin-left:-30%;text-align:center;list-style:none}.carousel-indicators li{display:inline-block;width:10px;height:10px;margin:1px;text-indent:-999px;cursor:pointer;background-color:#000\9;background-color:rgba(0,0,0,0);border:1px solid #fff;border-radius:10px}.carousel-indicators .active{width:12px;height:12px;margin:0;background-color:#fff}.carousel-caption{position:absolute;right:15%;bottom:20px;left:15%;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-next,.carousel-control .icon-prev{width:30px;height:30px;margin-top:-10px;font-size:30px}.carousel-control .glyphicon-chevron-left,.carousel-control .icon-prev{margin-left:-10px}.carousel-control .glyphicon-chevron-right,.carousel-control .icon-next{margin-right:-10px}.carousel-caption{right:20%;left:20%;padding-bottom:30px}.carousel-indicators{bottom:20px}}.btn-group-vertical>.btn-group:after,.btn-group-vertical>.btn-group:before,.btn-toolbar:after,.btn-toolbar:before,.clearfix:after,.clearfix:before,.container-fluid:after,.container-fluid:before,.container:after,.container:before,.dl-horizontal dd:after,.dl-horizontal dd:before,.form-horizontal .form-group:after,.form-horizontal .form-group:before,.modal-footer:after,.modal-footer:before,.modal-header:after,.modal-header:before,.nav:after,.nav:before,.navbar-collapse:after,.navbar-collapse:before,.navbar-header:after,.navbar-header:before,.navbar:after,.navbar:before,.pager:after,.pager:before,.panel-body:after,.panel-body:before,.row:after,.row:before{display:table;content:" "}.btn-group-vertical>.btn-group:after,.btn-toolbar:after,.clearfix:after,.container-fluid:after,.container:after,.dl-horizontal dd:after,.form-horizontal .form-group:after,.modal-footer:after,.modal-header:after,.nav:after,.navbar-collapse:after,.navbar-header:after,.navbar:after,.pager:after,.panel-body:after,.row:after{clear:both}.center-block{display:block;margin-right:auto;margin-left: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}.affix{position:fixed}@-ms-viewport{width:device-width}.visible-lg,.visible-md,.visible-sm,.visible-xs{display:none!important}.visible-lg-block,.visible-lg-inline,.visible-lg-inline-block,.visible-md-block,.visible-md-inline,.visible-md-inline-block,.visible-sm-block,.visible-sm-inline,.visible-sm-inline-block,.visible-xs-block,.visible-xs-inline,.visible-xs-inline-block{display:none!important}@media (max-width:767px){.visible-xs{display:block!important}table.visible-xs{display:table!important}tr.visible-xs{display:table-row!important}td.visible-xs,th.visible-xs{display:table-cell!important}}@media (max-width:767px){.visible-xs-block{display:block!important}}@media (max-width:767px){.visible-xs-inline{display:inline!important}}@media (max-width:767px){.visible-xs-inline-block{display:inline-block!important}}@media (min-width:768px) and (max-width:991px){.visible-sm{display:block!important}table.visible-sm{display:table!important}tr.visible-sm{display:table-row!important}td.visible-sm,th.visible-sm{display:table-cell!important}}@media (min-width:768px) and (max-width:991px){.visible-sm-block{display:block!important}}@media (min-width:768px) and (max-width:991px){.visible-sm-inline{display:inline!important}}@media (min-width:768px) and (max-width:991px){.visible-sm-inline-block{display:inline-block!important}}@media (min-width:992px) and (max-width:1199px){.visible-md{display:block!important}table.visible-md{display:table!important}tr.visible-md{display:table-row!important}td.visible-md,th.visible-md{display:table-cell!important}}@media (min-width:992px) and (max-width:1199px){.visible-md-block{display:block!important}}@media (min-width:992px) and (max-width:1199px){.visible-md-inline{display:inline!important}}@media (min-width:992px) and (max-width:1199px){.visible-md-inline-block{display:inline-block!important}}@media (min-width:1200px){.visible-lg{display:block!important}table.visible-lg{display:table!important}tr.visible-lg{display:table-row!important}td.visible-lg,th.visible-lg{display:table-cell!important}}@media (min-width:1200px){.visible-lg-block{display:block!important}}@media (min-width:1200px){.visible-lg-inline{display:inline!important}}@media (min-width:1200px){.visible-lg-inline-block{display:inline-block!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!important}tr.visible-print{display:table-row!important}td.visible-print,th.visible-print{display:table-cell!important}}.visible-print-block{display:none!important}@media print{.visible-print-block{display:block!important}}.visible-print-inline{display:none!important}@media print{.visible-print-inline{display:inline!important}}.visible-print-inline-block{display:none!important}@media print{.visible-print-inline-block{display:inline-block!important}}@media print{.hidden-print{display:none!important}} -/*# sourceMappingURL=bootstrap.min.css.map */ \ No newline at end of file diff --git a/canvas_exercise/shapes_game/vendor/bootstrap.min.js b/canvas_exercise/shapes_game/vendor/bootstrap.min.js deleted file mode 100644 index 9bcd2fcc..00000000 --- a/canvas_exercise/shapes_game/vendor/bootstrap.min.js +++ /dev/null @@ -1,7 +0,0 @@ -/*! - * Bootstrap v3.3.7 (http://getbootstrap.com) - * Copyright 2011-2016 Twitter, Inc. - * Licensed under the MIT license - */ -if("undefined"==typeof jQuery)throw new Error("Bootstrap's JavaScript requires jQuery");+function(a){"use strict";var b=a.fn.jquery.split(" ")[0].split(".");if(b[0]<2&&b[1]<9||1==b[0]&&9==b[1]&&b[2]<1||b[0]>3)throw new Error("Bootstrap's JavaScript requires jQuery version 1.9.1 or higher, but lower than version 4")}(jQuery),+function(a){"use strict";function b(){var a=document.createElement("bootstrap"),b={WebkitTransition:"webkitTransitionEnd",MozTransition:"transitionend",OTransition:"oTransitionEnd otransitionend",transition:"transitionend"};for(var c in b)if(void 0!==a.style[c])return{end:b[c]};return!1}a.fn.emulateTransitionEnd=function(b){var c=!1,d=this;a(this).one("bsTransitionEnd",function(){c=!0});var e=function(){c||a(d).trigger(a.support.transition.end)};return setTimeout(e,b),this},a(function(){a.support.transition=b(),a.support.transition&&(a.event.special.bsTransitionEnd={bindType:a.support.transition.end,delegateType:a.support.transition.end,handle:function(b){if(a(b.target).is(this))return b.handleObj.handler.apply(this,arguments)}})})}(jQuery),+function(a){"use strict";function b(b){return this.each(function(){var c=a(this),e=c.data("bs.alert");e||c.data("bs.alert",e=new d(this)),"string"==typeof b&&e[b].call(c)})}var c='[data-dismiss="alert"]',d=function(b){a(b).on("click",c,this.close)};d.VERSION="3.3.7",d.TRANSITION_DURATION=150,d.prototype.close=function(b){function c(){g.detach().trigger("closed.bs.alert").remove()}var e=a(this),f=e.attr("data-target");f||(f=e.attr("href"),f=f&&f.replace(/.*(?=#[^\s]*$)/,""));var g=a("#"===f?[]:f);b&&b.preventDefault(),g.length||(g=e.closest(".alert")),g.trigger(b=a.Event("close.bs.alert")),b.isDefaultPrevented()||(g.removeClass("in"),a.support.transition&&g.hasClass("fade")?g.one("bsTransitionEnd",c).emulateTransitionEnd(d.TRANSITION_DURATION):c())};var e=a.fn.alert;a.fn.alert=b,a.fn.alert.Constructor=d,a.fn.alert.noConflict=function(){return a.fn.alert=e,this},a(document).on("click.bs.alert.data-api",c,d.prototype.close)}(jQuery),+function(a){"use strict";function b(b){return this.each(function(){var d=a(this),e=d.data("bs.button"),f="object"==typeof b&&b;e||d.data("bs.button",e=new c(this,f)),"toggle"==b?e.toggle():b&&e.setState(b)})}var c=function(b,d){this.$element=a(b),this.options=a.extend({},c.DEFAULTS,d),this.isLoading=!1};c.VERSION="3.3.7",c.DEFAULTS={loadingText:"loading..."},c.prototype.setState=function(b){var c="disabled",d=this.$element,e=d.is("input")?"val":"html",f=d.data();b+="Text",null==f.resetText&&d.data("resetText",d[e]()),setTimeout(a.proxy(function(){d[e](null==f[b]?this.options[b]:f[b]),"loadingText"==b?(this.isLoading=!0,d.addClass(c).attr(c,c).prop(c,!0)):this.isLoading&&(this.isLoading=!1,d.removeClass(c).removeAttr(c).prop(c,!1))},this),0)},c.prototype.toggle=function(){var a=!0,b=this.$element.closest('[data-toggle="buttons"]');if(b.length){var c=this.$element.find("input");"radio"==c.prop("type")?(c.prop("checked")&&(a=!1),b.find(".active").removeClass("active"),this.$element.addClass("active")):"checkbox"==c.prop("type")&&(c.prop("checked")!==this.$element.hasClass("active")&&(a=!1),this.$element.toggleClass("active")),c.prop("checked",this.$element.hasClass("active")),a&&c.trigger("change")}else this.$element.attr("aria-pressed",!this.$element.hasClass("active")),this.$element.toggleClass("active")};var d=a.fn.button;a.fn.button=b,a.fn.button.Constructor=c,a.fn.button.noConflict=function(){return a.fn.button=d,this},a(document).on("click.bs.button.data-api",'[data-toggle^="button"]',function(c){var d=a(c.target).closest(".btn");b.call(d,"toggle"),a(c.target).is('input[type="radio"], input[type="checkbox"]')||(c.preventDefault(),d.is("input,button")?d.trigger("focus"):d.find("input:visible,button:visible").first().trigger("focus"))}).on("focus.bs.button.data-api blur.bs.button.data-api",'[data-toggle^="button"]',function(b){a(b.target).closest(".btn").toggleClass("focus",/^focus(in)?$/.test(b.type))})}(jQuery),+function(a){"use strict";function b(b){return this.each(function(){var d=a(this),e=d.data("bs.carousel"),f=a.extend({},c.DEFAULTS,d.data(),"object"==typeof b&&b),g="string"==typeof b?b:f.slide;e||d.data("bs.carousel",e=new c(this,f)),"number"==typeof b?e.to(b):g?e[g]():f.interval&&e.pause().cycle()})}var c=function(b,c){this.$element=a(b),this.$indicators=this.$element.find(".carousel-indicators"),this.options=c,this.paused=null,this.sliding=null,this.interval=null,this.$active=null,this.$items=null,this.options.keyboard&&this.$element.on("keydown.bs.carousel",a.proxy(this.keydown,this)),"hover"==this.options.pause&&!("ontouchstart"in document.documentElement)&&this.$element.on("mouseenter.bs.carousel",a.proxy(this.pause,this)).on("mouseleave.bs.carousel",a.proxy(this.cycle,this))};c.VERSION="3.3.7",c.TRANSITION_DURATION=600,c.DEFAULTS={interval:5e3,pause:"hover",wrap:!0,keyboard:!0},c.prototype.keydown=function(a){if(!/input|textarea/i.test(a.target.tagName)){switch(a.which){case 37:this.prev();break;case 39:this.next();break;default:return}a.preventDefault()}},c.prototype.cycle=function(b){return b||(this.paused=!1),this.interval&&clearInterval(this.interval),this.options.interval&&!this.paused&&(this.interval=setInterval(a.proxy(this.next,this),this.options.interval)),this},c.prototype.getItemIndex=function(a){return this.$items=a.parent().children(".item"),this.$items.index(a||this.$active)},c.prototype.getItemForDirection=function(a,b){var c=this.getItemIndex(b),d="prev"==a&&0===c||"next"==a&&c==this.$items.length-1;if(d&&!this.options.wrap)return b;var e="prev"==a?-1:1,f=(c+e)%this.$items.length;return this.$items.eq(f)},c.prototype.to=function(a){var b=this,c=this.getItemIndex(this.$active=this.$element.find(".item.active"));if(!(a>this.$items.length-1||a<0))return this.sliding?this.$element.one("slid.bs.carousel",function(){b.to(a)}):c==a?this.pause().cycle():this.slide(a>c?"next":"prev",this.$items.eq(a))},c.prototype.pause=function(b){return b||(this.paused=!0),this.$element.find(".next, .prev").length&&a.support.transition&&(this.$element.trigger(a.support.transition.end),this.cycle(!0)),this.interval=clearInterval(this.interval),this},c.prototype.next=function(){if(!this.sliding)return this.slide("next")},c.prototype.prev=function(){if(!this.sliding)return this.slide("prev")},c.prototype.slide=function(b,d){var e=this.$element.find(".item.active"),f=d||this.getItemForDirection(b,e),g=this.interval,h="next"==b?"left":"right",i=this;if(f.hasClass("active"))return this.sliding=!1;var j=f[0],k=a.Event("slide.bs.carousel",{relatedTarget:j,direction:h});if(this.$element.trigger(k),!k.isDefaultPrevented()){if(this.sliding=!0,g&&this.pause(),this.$indicators.length){this.$indicators.find(".active").removeClass("active");var l=a(this.$indicators.children()[this.getItemIndex(f)]);l&&l.addClass("active")}var m=a.Event("slid.bs.carousel",{relatedTarget:j,direction:h});return a.support.transition&&this.$element.hasClass("slide")?(f.addClass(b),f[0].offsetWidth,e.addClass(h),f.addClass(h),e.one("bsTransitionEnd",function(){f.removeClass([b,h].join(" ")).addClass("active"),e.removeClass(["active",h].join(" ")),i.sliding=!1,setTimeout(function(){i.$element.trigger(m)},0)}).emulateTransitionEnd(c.TRANSITION_DURATION)):(e.removeClass("active"),f.addClass("active"),this.sliding=!1,this.$element.trigger(m)),g&&this.cycle(),this}};var d=a.fn.carousel;a.fn.carousel=b,a.fn.carousel.Constructor=c,a.fn.carousel.noConflict=function(){return a.fn.carousel=d,this};var e=function(c){var d,e=a(this),f=a(e.attr("data-target")||(d=e.attr("href"))&&d.replace(/.*(?=#[^\s]+$)/,""));if(f.hasClass("carousel")){var g=a.extend({},f.data(),e.data()),h=e.attr("data-slide-to");h&&(g.interval=!1),b.call(f,g),h&&f.data("bs.carousel").to(h),c.preventDefault()}};a(document).on("click.bs.carousel.data-api","[data-slide]",e).on("click.bs.carousel.data-api","[data-slide-to]",e),a(window).on("load",function(){a('[data-ride="carousel"]').each(function(){var c=a(this);b.call(c,c.data())})})}(jQuery),+function(a){"use strict";function b(b){var c,d=b.attr("data-target")||(c=b.attr("href"))&&c.replace(/.*(?=#[^\s]+$)/,"");return a(d)}function c(b){return this.each(function(){var c=a(this),e=c.data("bs.collapse"),f=a.extend({},d.DEFAULTS,c.data(),"object"==typeof b&&b);!e&&f.toggle&&/show|hide/.test(b)&&(f.toggle=!1),e||c.data("bs.collapse",e=new d(this,f)),"string"==typeof b&&e[b]()})}var d=function(b,c){this.$element=a(b),this.options=a.extend({},d.DEFAULTS,c),this.$trigger=a('[data-toggle="collapse"][href="#'+b.id+'"],[data-toggle="collapse"][data-target="#'+b.id+'"]'),this.transitioning=null,this.options.parent?this.$parent=this.getParent():this.addAriaAndCollapsedClass(this.$element,this.$trigger),this.options.toggle&&this.toggle()};d.VERSION="3.3.7",d.TRANSITION_DURATION=350,d.DEFAULTS={toggle:!0},d.prototype.dimension=function(){var a=this.$element.hasClass("width");return a?"width":"height"},d.prototype.show=function(){if(!this.transitioning&&!this.$element.hasClass("in")){var b,e=this.$parent&&this.$parent.children(".panel").children(".in, .collapsing");if(!(e&&e.length&&(b=e.data("bs.collapse"),b&&b.transitioning))){var f=a.Event("show.bs.collapse");if(this.$element.trigger(f),!f.isDefaultPrevented()){e&&e.length&&(c.call(e,"hide"),b||e.data("bs.collapse",null));var g=this.dimension();this.$element.removeClass("collapse").addClass("collapsing")[g](0).attr("aria-expanded",!0),this.$trigger.removeClass("collapsed").attr("aria-expanded",!0),this.transitioning=1;var h=function(){this.$element.removeClass("collapsing").addClass("collapse in")[g](""),this.transitioning=0,this.$element.trigger("shown.bs.collapse")};if(!a.support.transition)return h.call(this);var i=a.camelCase(["scroll",g].join("-"));this.$element.one("bsTransitionEnd",a.proxy(h,this)).emulateTransitionEnd(d.TRANSITION_DURATION)[g](this.$element[0][i])}}}},d.prototype.hide=function(){if(!this.transitioning&&this.$element.hasClass("in")){var b=a.Event("hide.bs.collapse");if(this.$element.trigger(b),!b.isDefaultPrevented()){var c=this.dimension();this.$element[c](this.$element[c]())[0].offsetHeight,this.$element.addClass("collapsing").removeClass("collapse in").attr("aria-expanded",!1),this.$trigger.addClass("collapsed").attr("aria-expanded",!1),this.transitioning=1;var e=function(){this.transitioning=0,this.$element.removeClass("collapsing").addClass("collapse").trigger("hidden.bs.collapse")};return a.support.transition?void this.$element[c](0).one("bsTransitionEnd",a.proxy(e,this)).emulateTransitionEnd(d.TRANSITION_DURATION):e.call(this)}}},d.prototype.toggle=function(){this[this.$element.hasClass("in")?"hide":"show"]()},d.prototype.getParent=function(){return a(this.options.parent).find('[data-toggle="collapse"][data-parent="'+this.options.parent+'"]').each(a.proxy(function(c,d){var e=a(d);this.addAriaAndCollapsedClass(b(e),e)},this)).end()},d.prototype.addAriaAndCollapsedClass=function(a,b){var c=a.hasClass("in");a.attr("aria-expanded",c),b.toggleClass("collapsed",!c).attr("aria-expanded",c)};var e=a.fn.collapse;a.fn.collapse=c,a.fn.collapse.Constructor=d,a.fn.collapse.noConflict=function(){return a.fn.collapse=e,this},a(document).on("click.bs.collapse.data-api",'[data-toggle="collapse"]',function(d){var e=a(this);e.attr("data-target")||d.preventDefault();var f=b(e),g=f.data("bs.collapse"),h=g?"toggle":e.data();c.call(f,h)})}(jQuery),+function(a){"use strict";function b(b){var c=b.attr("data-target");c||(c=b.attr("href"),c=c&&/#[A-Za-z]/.test(c)&&c.replace(/.*(?=#[^\s]*$)/,""));var d=c&&a(c);return d&&d.length?d:b.parent()}function c(c){c&&3===c.which||(a(e).remove(),a(f).each(function(){var d=a(this),e=b(d),f={relatedTarget:this};e.hasClass("open")&&(c&&"click"==c.type&&/input|textarea/i.test(c.target.tagName)&&a.contains(e[0],c.target)||(e.trigger(c=a.Event("hide.bs.dropdown",f)),c.isDefaultPrevented()||(d.attr("aria-expanded","false"),e.removeClass("open").trigger(a.Event("hidden.bs.dropdown",f)))))}))}function d(b){return this.each(function(){var c=a(this),d=c.data("bs.dropdown");d||c.data("bs.dropdown",d=new g(this)),"string"==typeof b&&d[b].call(c)})}var e=".dropdown-backdrop",f='[data-toggle="dropdown"]',g=function(b){a(b).on("click.bs.dropdown",this.toggle)};g.VERSION="3.3.7",g.prototype.toggle=function(d){var e=a(this);if(!e.is(".disabled, :disabled")){var f=b(e),g=f.hasClass("open");if(c(),!g){"ontouchstart"in document.documentElement&&!f.closest(".navbar-nav").length&&a(document.createElement("div")).addClass("dropdown-backdrop").insertAfter(a(this)).on("click",c);var h={relatedTarget:this};if(f.trigger(d=a.Event("show.bs.dropdown",h)),d.isDefaultPrevented())return;e.trigger("focus").attr("aria-expanded","true"),f.toggleClass("open").trigger(a.Event("shown.bs.dropdown",h))}return!1}},g.prototype.keydown=function(c){if(/(38|40|27|32)/.test(c.which)&&!/input|textarea/i.test(c.target.tagName)){var d=a(this);if(c.preventDefault(),c.stopPropagation(),!d.is(".disabled, :disabled")){var e=b(d),g=e.hasClass("open");if(!g&&27!=c.which||g&&27==c.which)return 27==c.which&&e.find(f).trigger("focus"),d.trigger("click");var h=" li:not(.disabled):visible a",i=e.find(".dropdown-menu"+h);if(i.length){var j=i.index(c.target);38==c.which&&j>0&&j--,40==c.which&&jdocument.documentElement.clientHeight;this.$element.css({paddingLeft:!this.bodyIsOverflowing&&a?this.scrollbarWidth:"",paddingRight:this.bodyIsOverflowing&&!a?this.scrollbarWidth:""})},c.prototype.resetAdjustments=function(){this.$element.css({paddingLeft:"",paddingRight:""})},c.prototype.checkScrollbar=function(){var a=window.innerWidth;if(!a){var b=document.documentElement.getBoundingClientRect();a=b.right-Math.abs(b.left)}this.bodyIsOverflowing=document.body.clientWidth
',trigger:"hover focus",title:"",delay:0,html:!1,container:!1,viewport:{selector:"body",padding:0}},c.prototype.init=function(b,c,d){if(this.enabled=!0,this.type=b,this.$element=a(c),this.options=this.getOptions(d),this.$viewport=this.options.viewport&&a(a.isFunction(this.options.viewport)?this.options.viewport.call(this,this.$element):this.options.viewport.selector||this.options.viewport),this.inState={click:!1,hover:!1,focus:!1},this.$element[0]instanceof document.constructor&&!this.options.selector)throw new Error("`selector` option must be specified when initializing "+this.type+" on the window.document object!");for(var e=this.options.trigger.split(" "),f=e.length;f--;){var g=e[f];if("click"==g)this.$element.on("click."+this.type,this.options.selector,a.proxy(this.toggle,this));else if("manual"!=g){var h="hover"==g?"mouseenter":"focusin",i="hover"==g?"mouseleave":"focusout";this.$element.on(h+"."+this.type,this.options.selector,a.proxy(this.enter,this)),this.$element.on(i+"."+this.type,this.options.selector,a.proxy(this.leave,this))}}this.options.selector?this._options=a.extend({},this.options,{trigger:"manual",selector:""}):this.fixTitle()},c.prototype.getDefaults=function(){return c.DEFAULTS},c.prototype.getOptions=function(b){return b=a.extend({},this.getDefaults(),this.$element.data(),b),b.delay&&"number"==typeof b.delay&&(b.delay={show:b.delay,hide:b.delay}),b},c.prototype.getDelegateOptions=function(){var b={},c=this.getDefaults();return this._options&&a.each(this._options,function(a,d){c[a]!=d&&(b[a]=d)}),b},c.prototype.enter=function(b){var c=b instanceof this.constructor?b:a(b.currentTarget).data("bs."+this.type);return c||(c=new this.constructor(b.currentTarget,this.getDelegateOptions()),a(b.currentTarget).data("bs."+this.type,c)),b instanceof a.Event&&(c.inState["focusin"==b.type?"focus":"hover"]=!0),c.tip().hasClass("in")||"in"==c.hoverState?void(c.hoverState="in"):(clearTimeout(c.timeout),c.hoverState="in",c.options.delay&&c.options.delay.show?void(c.timeout=setTimeout(function(){"in"==c.hoverState&&c.show()},c.options.delay.show)):c.show())},c.prototype.isInStateTrue=function(){for(var a in this.inState)if(this.inState[a])return!0;return!1},c.prototype.leave=function(b){var c=b instanceof this.constructor?b:a(b.currentTarget).data("bs."+this.type);if(c||(c=new this.constructor(b.currentTarget,this.getDelegateOptions()),a(b.currentTarget).data("bs."+this.type,c)),b instanceof a.Event&&(c.inState["focusout"==b.type?"focus":"hover"]=!1),!c.isInStateTrue())return clearTimeout(c.timeout),c.hoverState="out",c.options.delay&&c.options.delay.hide?void(c.timeout=setTimeout(function(){"out"==c.hoverState&&c.hide()},c.options.delay.hide)):c.hide()},c.prototype.show=function(){var b=a.Event("show.bs."+this.type);if(this.hasContent()&&this.enabled){this.$element.trigger(b);var d=a.contains(this.$element[0].ownerDocument.documentElement,this.$element[0]);if(b.isDefaultPrevented()||!d)return;var e=this,f=this.tip(),g=this.getUID(this.type);this.setContent(),f.attr("id",g),this.$element.attr("aria-describedby",g),this.options.animation&&f.addClass("fade");var h="function"==typeof this.options.placement?this.options.placement.call(this,f[0],this.$element[0]):this.options.placement,i=/\s?auto?\s?/i,j=i.test(h);j&&(h=h.replace(i,"")||"top"),f.detach().css({top:0,left:0,display:"block"}).addClass(h).data("bs."+this.type,this),this.options.container?f.appendTo(this.options.container):f.insertAfter(this.$element),this.$element.trigger("inserted.bs."+this.type);var k=this.getPosition(),l=f[0].offsetWidth,m=f[0].offsetHeight;if(j){var n=h,o=this.getPosition(this.$viewport);h="bottom"==h&&k.bottom+m>o.bottom?"top":"top"==h&&k.top-mo.width?"left":"left"==h&&k.left-lg.top+g.height&&(e.top=g.top+g.height-i)}else{var j=b.left-f,k=b.left+f+c;jg.right&&(e.left=g.left+g.width-k)}return e},c.prototype.getTitle=function(){var a,b=this.$element,c=this.options;return a=b.attr("data-original-title")||("function"==typeof c.title?c.title.call(b[0]):c.title)},c.prototype.getUID=function(a){do a+=~~(1e6*Math.random());while(document.getElementById(a));return a},c.prototype.tip=function(){if(!this.$tip&&(this.$tip=a(this.options.template),1!=this.$tip.length))throw new Error(this.type+" `template` option must consist of exactly 1 top-level element!");return this.$tip},c.prototype.arrow=function(){return this.$arrow=this.$arrow||this.tip().find(".tooltip-arrow")},c.prototype.enable=function(){this.enabled=!0},c.prototype.disable=function(){this.enabled=!1},c.prototype.toggleEnabled=function(){this.enabled=!this.enabled},c.prototype.toggle=function(b){var c=this;b&&(c=a(b.currentTarget).data("bs."+this.type),c||(c=new this.constructor(b.currentTarget,this.getDelegateOptions()),a(b.currentTarget).data("bs."+this.type,c))),b?(c.inState.click=!c.inState.click,c.isInStateTrue()?c.enter(c):c.leave(c)):c.tip().hasClass("in")?c.leave(c):c.enter(c)},c.prototype.destroy=function(){var a=this;clearTimeout(this.timeout),this.hide(function(){a.$element.off("."+a.type).removeData("bs."+a.type),a.$tip&&a.$tip.detach(),a.$tip=null,a.$arrow=null,a.$viewport=null,a.$element=null})};var d=a.fn.tooltip;a.fn.tooltip=b,a.fn.tooltip.Constructor=c,a.fn.tooltip.noConflict=function(){return a.fn.tooltip=d,this}}(jQuery),+function(a){"use strict";function b(b){return this.each(function(){var d=a(this),e=d.data("bs.popover"),f="object"==typeof b&&b;!e&&/destroy|hide/.test(b)||(e||d.data("bs.popover",e=new c(this,f)),"string"==typeof b&&e[b]())})}var c=function(a,b){this.init("popover",a,b)};if(!a.fn.tooltip)throw new Error("Popover requires tooltip.js");c.VERSION="3.3.7",c.DEFAULTS=a.extend({},a.fn.tooltip.Constructor.DEFAULTS,{placement:"right",trigger:"click",content:"",template:''}),c.prototype=a.extend({},a.fn.tooltip.Constructor.prototype),c.prototype.constructor=c,c.prototype.getDefaults=function(){return c.DEFAULTS},c.prototype.setContent=function(){var a=this.tip(),b=this.getTitle(),c=this.getContent();a.find(".popover-title")[this.options.html?"html":"text"](b),a.find(".popover-content").children().detach().end()[this.options.html?"string"==typeof c?"html":"append":"text"](c),a.removeClass("fade top bottom left right in"),a.find(".popover-title").html()||a.find(".popover-title").hide()},c.prototype.hasContent=function(){return this.getTitle()||this.getContent()},c.prototype.getContent=function(){var a=this.$element,b=this.options;return a.attr("data-content")||("function"==typeof b.content?b.content.call(a[0]):b.content)},c.prototype.arrow=function(){return this.$arrow=this.$arrow||this.tip().find(".arrow")};var d=a.fn.popover;a.fn.popover=b,a.fn.popover.Constructor=c,a.fn.popover.noConflict=function(){return a.fn.popover=d,this}}(jQuery),+function(a){"use strict";function b(c,d){this.$body=a(document.body),this.$scrollElement=a(a(c).is(document.body)?window:c),this.options=a.extend({},b.DEFAULTS,d),this.selector=(this.options.target||"")+" .nav li > a",this.offsets=[],this.targets=[],this.activeTarget=null,this.scrollHeight=0,this.$scrollElement.on("scroll.bs.scrollspy",a.proxy(this.process,this)),this.refresh(),this.process()}function c(c){return this.each(function(){var d=a(this),e=d.data("bs.scrollspy"),f="object"==typeof c&&c;e||d.data("bs.scrollspy",e=new b(this,f)),"string"==typeof c&&e[c]()})}b.VERSION="3.3.7",b.DEFAULTS={offset:10},b.prototype.getScrollHeight=function(){return this.$scrollElement[0].scrollHeight||Math.max(this.$body[0].scrollHeight,document.documentElement.scrollHeight)},b.prototype.refresh=function(){var b=this,c="offset",d=0;this.offsets=[],this.targets=[],this.scrollHeight=this.getScrollHeight(),a.isWindow(this.$scrollElement[0])||(c="position",d=this.$scrollElement.scrollTop()),this.$body.find(this.selector).map(function(){var b=a(this),e=b.data("target")||b.attr("href"),f=/^#./.test(e)&&a(e);return f&&f.length&&f.is(":visible")&&[[f[c]().top+d,e]]||null}).sort(function(a,b){return a[0]-b[0]}).each(function(){b.offsets.push(this[0]),b.targets.push(this[1])})},b.prototype.process=function(){var a,b=this.$scrollElement.scrollTop()+this.options.offset,c=this.getScrollHeight(),d=this.options.offset+c-this.$scrollElement.height(),e=this.offsets,f=this.targets,g=this.activeTarget;if(this.scrollHeight!=c&&this.refresh(),b>=d)return g!=(a=f[f.length-1])&&this.activate(a);if(g&&b=e[a]&&(void 0===e[a+1]||b .dropdown-menu > .active").removeClass("active").end().find('[data-toggle="tab"]').attr("aria-expanded",!1),b.addClass("active").find('[data-toggle="tab"]').attr("aria-expanded",!0),h?(b[0].offsetWidth,b.addClass("in")):b.removeClass("fade"),b.parent(".dropdown-menu").length&&b.closest("li.dropdown").addClass("active").end().find('[data-toggle="tab"]').attr("aria-expanded",!0),e&&e()}var g=d.find("> .active"),h=e&&a.support.transition&&(g.length&&g.hasClass("fade")||!!d.find("> .fade").length);g.length&&h?g.one("bsTransitionEnd",f).emulateTransitionEnd(c.TRANSITION_DURATION):f(),g.removeClass("in")};var d=a.fn.tab;a.fn.tab=b,a.fn.tab.Constructor=c,a.fn.tab.noConflict=function(){return a.fn.tab=d,this};var e=function(c){c.preventDefault(),b.call(a(this),"show")};a(document).on("click.bs.tab.data-api",'[data-toggle="tab"]',e).on("click.bs.tab.data-api",'[data-toggle="pill"]',e)}(jQuery),+function(a){"use strict";function b(b){return this.each(function(){var d=a(this),e=d.data("bs.affix"),f="object"==typeof b&&b;e||d.data("bs.affix",e=new c(this,f)),"string"==typeof b&&e[b]()})}var c=function(b,d){this.options=a.extend({},c.DEFAULTS,d),this.$target=a(this.options.target).on("scroll.bs.affix.data-api",a.proxy(this.checkPosition,this)).on("click.bs.affix.data-api",a.proxy(this.checkPositionWithEventLoop,this)),this.$element=a(b),this.affixed=null,this.unpin=null,this.pinnedOffset=null,this.checkPosition()};c.VERSION="3.3.7",c.RESET="affix affix-top affix-bottom",c.DEFAULTS={offset:0,target:window},c.prototype.getState=function(a,b,c,d){var e=this.$target.scrollTop(),f=this.$element.offset(),g=this.$target.height();if(null!=c&&"top"==this.affixed)return e=a-d&&"bottom"},c.prototype.getPinnedOffset=function(){if(this.pinnedOffset)return this.pinnedOffset;this.$element.removeClass(c.RESET).addClass("affix");var a=this.$target.scrollTop(),b=this.$element.offset();return this.pinnedOffset=b.top-a},c.prototype.checkPositionWithEventLoop=function(){setTimeout(a.proxy(this.checkPosition,this),1)},c.prototype.checkPosition=function(){if(this.$element.is(":visible")){var b=this.$element.height(),d=this.options.offset,e=d.top,f=d.bottom,g=Math.max(a(document).height(),a(document.body).height());"object"!=typeof d&&(f=e=d),"function"==typeof e&&(e=d.top(this.$element)),"function"==typeof f&&(f=d.bottom(this.$element));var h=this.getState(g,b,e,f);if(this.affixed!=h){null!=this.unpin&&this.$element.css("top","");var i="affix"+(h?"-"+h:""),j=a.Event(i+".bs.affix");if(this.$element.trigger(j),j.isDefaultPrevented())return;this.affixed=h,this.unpin="bottom"==h?this.getPinnedOffset():null,this.$element.removeClass(c.RESET).addClass(i).trigger(i.replace("affix","affixed")+".bs.affix")}"bottom"==h&&this.$element.offset({top:g-b-f})}};var d=a.fn.affix;a.fn.affix=b,a.fn.affix.Constructor=c,a.fn.affix.noConflict=function(){return a.fn.affix=d,this},a(window).on("load",function(){a('[data-spy="affix"]').each(function(){var c=a(this),d=c.data();d.offset=d.offset||{},null!=d.offsetBottom&&(d.offset.bottom=d.offsetBottom),null!=d.offsetTop&&(d.offset.top=d.offsetTop),b.call(c,d)})})}(jQuery); \ No newline at end of file diff --git a/canvas_exercise/shapes_game/vendor/jquery-1.12.4.min.js b/canvas_exercise/shapes_game/vendor/jquery-1.12.4.min.js deleted file mode 100644 index e8364758..00000000 --- a/canvas_exercise/shapes_game/vendor/jquery-1.12.4.min.js +++ /dev/null @@ -1,5 +0,0 @@ -/*! jQuery v1.12.4 | (c) jQuery Foundation | jquery.org/license */ -!function(a,b){"object"==typeof module&&"object"==typeof module.exports?module.exports=a.document?b(a,!0):function(a){if(!a.document)throw new Error("jQuery requires a window with a document");return b(a)}:b(a)}("undefined"!=typeof window?window:this,function(a,b){var c=[],d=a.document,e=c.slice,f=c.concat,g=c.push,h=c.indexOf,i={},j=i.toString,k=i.hasOwnProperty,l={},m="1.12.4",n=function(a,b){return new n.fn.init(a,b)},o=/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,p=/^-ms-/,q=/-([\da-z])/gi,r=function(a,b){return b.toUpperCase()};n.fn=n.prototype={jquery:m,constructor:n,selector:"",length:0,toArray:function(){return e.call(this)},get:function(a){return null!=a?0>a?this[a+this.length]:this[a]:e.call(this)},pushStack:function(a){var b=n.merge(this.constructor(),a);return b.prevObject=this,b.context=this.context,b},each:function(a){return n.each(this,a)},map:function(a){return this.pushStack(n.map(this,function(b,c){return a.call(b,c,b)}))},slice:function(){return this.pushStack(e.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},eq:function(a){var b=this.length,c=+a+(0>a?b:0);return this.pushStack(c>=0&&b>c?[this[c]]:[])},end:function(){return this.prevObject||this.constructor()},push:g,sort:c.sort,splice:c.splice},n.extend=n.fn.extend=function(){var a,b,c,d,e,f,g=arguments[0]||{},h=1,i=arguments.length,j=!1;for("boolean"==typeof g&&(j=g,g=arguments[h]||{},h++),"object"==typeof g||n.isFunction(g)||(g={}),h===i&&(g=this,h--);i>h;h++)if(null!=(e=arguments[h]))for(d in e)a=g[d],c=e[d],g!==c&&(j&&c&&(n.isPlainObject(c)||(b=n.isArray(c)))?(b?(b=!1,f=a&&n.isArray(a)?a:[]):f=a&&n.isPlainObject(a)?a:{},g[d]=n.extend(j,f,c)):void 0!==c&&(g[d]=c));return g},n.extend({expando:"jQuery"+(m+Math.random()).replace(/\D/g,""),isReady:!0,error:function(a){throw new Error(a)},noop:function(){},isFunction:function(a){return"function"===n.type(a)},isArray:Array.isArray||function(a){return"array"===n.type(a)},isWindow:function(a){return null!=a&&a==a.window},isNumeric:function(a){var b=a&&a.toString();return!n.isArray(a)&&b-parseFloat(b)+1>=0},isEmptyObject:function(a){var b;for(b in a)return!1;return!0},isPlainObject:function(a){var b;if(!a||"object"!==n.type(a)||a.nodeType||n.isWindow(a))return!1;try{if(a.constructor&&!k.call(a,"constructor")&&!k.call(a.constructor.prototype,"isPrototypeOf"))return!1}catch(c){return!1}if(!l.ownFirst)for(b in a)return k.call(a,b);for(b in a);return void 0===b||k.call(a,b)},type:function(a){return null==a?a+"":"object"==typeof a||"function"==typeof a?i[j.call(a)]||"object":typeof a},globalEval:function(b){b&&n.trim(b)&&(a.execScript||function(b){a.eval.call(a,b)})(b)},camelCase:function(a){return a.replace(p,"ms-").replace(q,r)},nodeName:function(a,b){return a.nodeName&&a.nodeName.toLowerCase()===b.toLowerCase()},each:function(a,b){var c,d=0;if(s(a)){for(c=a.length;c>d;d++)if(b.call(a[d],d,a[d])===!1)break}else for(d in a)if(b.call(a[d],d,a[d])===!1)break;return a},trim:function(a){return null==a?"":(a+"").replace(o,"")},makeArray:function(a,b){var c=b||[];return null!=a&&(s(Object(a))?n.merge(c,"string"==typeof a?[a]:a):g.call(c,a)),c},inArray:function(a,b,c){var d;if(b){if(h)return h.call(b,a,c);for(d=b.length,c=c?0>c?Math.max(0,d+c):c:0;d>c;c++)if(c in b&&b[c]===a)return c}return-1},merge:function(a,b){var c=+b.length,d=0,e=a.length;while(c>d)a[e++]=b[d++];if(c!==c)while(void 0!==b[d])a[e++]=b[d++];return a.length=e,a},grep:function(a,b,c){for(var d,e=[],f=0,g=a.length,h=!c;g>f;f++)d=!b(a[f],f),d!==h&&e.push(a[f]);return e},map:function(a,b,c){var d,e,g=0,h=[];if(s(a))for(d=a.length;d>g;g++)e=b(a[g],g,c),null!=e&&h.push(e);else for(g in a)e=b(a[g],g,c),null!=e&&h.push(e);return f.apply([],h)},guid:1,proxy:function(a,b){var c,d,f;return"string"==typeof b&&(f=a[b],b=a,a=f),n.isFunction(a)?(c=e.call(arguments,2),d=function(){return a.apply(b||this,c.concat(e.call(arguments)))},d.guid=a.guid=a.guid||n.guid++,d):void 0},now:function(){return+new Date},support:l}),"function"==typeof Symbol&&(n.fn[Symbol.iterator]=c[Symbol.iterator]),n.each("Boolean Number String Function Array Date RegExp Object Error Symbol".split(" "),function(a,b){i["[object "+b+"]"]=b.toLowerCase()});function s(a){var b=!!a&&"length"in a&&a.length,c=n.type(a);return"function"===c||n.isWindow(a)?!1:"array"===c||0===b||"number"==typeof b&&b>0&&b-1 in a}var t=function(a){var b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u="sizzle"+1*new Date,v=a.document,w=0,x=0,y=ga(),z=ga(),A=ga(),B=function(a,b){return a===b&&(l=!0),0},C=1<<31,D={}.hasOwnProperty,E=[],F=E.pop,G=E.push,H=E.push,I=E.slice,J=function(a,b){for(var c=0,d=a.length;d>c;c++)if(a[c]===b)return c;return-1},K="checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped",L="[\\x20\\t\\r\\n\\f]",M="(?:\\\\.|[\\w-]|[^\\x00-\\xa0])+",N="\\["+L+"*("+M+")(?:"+L+"*([*^$|!~]?=)"+L+"*(?:'((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\"|("+M+"))|)"+L+"*\\]",O=":("+M+")(?:\\((('((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\")|((?:\\\\.|[^\\\\()[\\]]|"+N+")*)|.*)\\)|)",P=new RegExp(L+"+","g"),Q=new RegExp("^"+L+"+|((?:^|[^\\\\])(?:\\\\.)*)"+L+"+$","g"),R=new RegExp("^"+L+"*,"+L+"*"),S=new RegExp("^"+L+"*([>+~]|"+L+")"+L+"*"),T=new RegExp("="+L+"*([^\\]'\"]*?)"+L+"*\\]","g"),U=new RegExp(O),V=new RegExp("^"+M+"$"),W={ID:new RegExp("^#("+M+")"),CLASS:new RegExp("^\\.("+M+")"),TAG:new RegExp("^("+M+"|[*])"),ATTR:new RegExp("^"+N),PSEUDO:new RegExp("^"+O),CHILD:new RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+L+"*(even|odd|(([+-]|)(\\d*)n|)"+L+"*(?:([+-]|)"+L+"*(\\d+)|))"+L+"*\\)|)","i"),bool:new RegExp("^(?:"+K+")$","i"),needsContext:new RegExp("^"+L+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+L+"*((?:-\\d)?\\d*)"+L+"*\\)|)(?=[^-]|$)","i")},X=/^(?:input|select|textarea|button)$/i,Y=/^h\d$/i,Z=/^[^{]+\{\s*\[native \w/,$=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,_=/[+~]/,aa=/'|\\/g,ba=new RegExp("\\\\([\\da-f]{1,6}"+L+"?|("+L+")|.)","ig"),ca=function(a,b,c){var d="0x"+b-65536;return d!==d||c?b:0>d?String.fromCharCode(d+65536):String.fromCharCode(d>>10|55296,1023&d|56320)},da=function(){m()};try{H.apply(E=I.call(v.childNodes),v.childNodes),E[v.childNodes.length].nodeType}catch(ea){H={apply:E.length?function(a,b){G.apply(a,I.call(b))}:function(a,b){var c=a.length,d=0;while(a[c++]=b[d++]);a.length=c-1}}}function fa(a,b,d,e){var f,h,j,k,l,o,r,s,w=b&&b.ownerDocument,x=b?b.nodeType:9;if(d=d||[],"string"!=typeof a||!a||1!==x&&9!==x&&11!==x)return d;if(!e&&((b?b.ownerDocument||b:v)!==n&&m(b),b=b||n,p)){if(11!==x&&(o=$.exec(a)))if(f=o[1]){if(9===x){if(!(j=b.getElementById(f)))return d;if(j.id===f)return d.push(j),d}else if(w&&(j=w.getElementById(f))&&t(b,j)&&j.id===f)return d.push(j),d}else{if(o[2])return H.apply(d,b.getElementsByTagName(a)),d;if((f=o[3])&&c.getElementsByClassName&&b.getElementsByClassName)return H.apply(d,b.getElementsByClassName(f)),d}if(c.qsa&&!A[a+" "]&&(!q||!q.test(a))){if(1!==x)w=b,s=a;else if("object"!==b.nodeName.toLowerCase()){(k=b.getAttribute("id"))?k=k.replace(aa,"\\$&"):b.setAttribute("id",k=u),r=g(a),h=r.length,l=V.test(k)?"#"+k:"[id='"+k+"']";while(h--)r[h]=l+" "+qa(r[h]);s=r.join(","),w=_.test(a)&&oa(b.parentNode)||b}if(s)try{return H.apply(d,w.querySelectorAll(s)),d}catch(y){}finally{k===u&&b.removeAttribute("id")}}}return i(a.replace(Q,"$1"),b,d,e)}function ga(){var a=[];function b(c,e){return a.push(c+" ")>d.cacheLength&&delete b[a.shift()],b[c+" "]=e}return b}function ha(a){return a[u]=!0,a}function ia(a){var b=n.createElement("div");try{return!!a(b)}catch(c){return!1}finally{b.parentNode&&b.parentNode.removeChild(b),b=null}}function ja(a,b){var c=a.split("|"),e=c.length;while(e--)d.attrHandle[c[e]]=b}function ka(a,b){var c=b&&a,d=c&&1===a.nodeType&&1===b.nodeType&&(~b.sourceIndex||C)-(~a.sourceIndex||C);if(d)return d;if(c)while(c=c.nextSibling)if(c===b)return-1;return a?1:-1}function la(a){return function(b){var c=b.nodeName.toLowerCase();return"input"===c&&b.type===a}}function ma(a){return function(b){var c=b.nodeName.toLowerCase();return("input"===c||"button"===c)&&b.type===a}}function na(a){return ha(function(b){return b=+b,ha(function(c,d){var e,f=a([],c.length,b),g=f.length;while(g--)c[e=f[g]]&&(c[e]=!(d[e]=c[e]))})})}function oa(a){return a&&"undefined"!=typeof a.getElementsByTagName&&a}c=fa.support={},f=fa.isXML=function(a){var b=a&&(a.ownerDocument||a).documentElement;return b?"HTML"!==b.nodeName:!1},m=fa.setDocument=function(a){var b,e,g=a?a.ownerDocument||a:v;return g!==n&&9===g.nodeType&&g.documentElement?(n=g,o=n.documentElement,p=!f(n),(e=n.defaultView)&&e.top!==e&&(e.addEventListener?e.addEventListener("unload",da,!1):e.attachEvent&&e.attachEvent("onunload",da)),c.attributes=ia(function(a){return a.className="i",!a.getAttribute("className")}),c.getElementsByTagName=ia(function(a){return a.appendChild(n.createComment("")),!a.getElementsByTagName("*").length}),c.getElementsByClassName=Z.test(n.getElementsByClassName),c.getById=ia(function(a){return o.appendChild(a).id=u,!n.getElementsByName||!n.getElementsByName(u).length}),c.getById?(d.find.ID=function(a,b){if("undefined"!=typeof b.getElementById&&p){var c=b.getElementById(a);return c?[c]:[]}},d.filter.ID=function(a){var b=a.replace(ba,ca);return function(a){return a.getAttribute("id")===b}}):(delete d.find.ID,d.filter.ID=function(a){var b=a.replace(ba,ca);return function(a){var c="undefined"!=typeof a.getAttributeNode&&a.getAttributeNode("id");return c&&c.value===b}}),d.find.TAG=c.getElementsByTagName?function(a,b){return"undefined"!=typeof b.getElementsByTagName?b.getElementsByTagName(a):c.qsa?b.querySelectorAll(a):void 0}:function(a,b){var c,d=[],e=0,f=b.getElementsByTagName(a);if("*"===a){while(c=f[e++])1===c.nodeType&&d.push(c);return d}return f},d.find.CLASS=c.getElementsByClassName&&function(a,b){return"undefined"!=typeof b.getElementsByClassName&&p?b.getElementsByClassName(a):void 0},r=[],q=[],(c.qsa=Z.test(n.querySelectorAll))&&(ia(function(a){o.appendChild(a).innerHTML="
",a.querySelectorAll("[msallowcapture^='']").length&&q.push("[*^$]="+L+"*(?:''|\"\")"),a.querySelectorAll("[selected]").length||q.push("\\["+L+"*(?:value|"+K+")"),a.querySelectorAll("[id~="+u+"-]").length||q.push("~="),a.querySelectorAll(":checked").length||q.push(":checked"),a.querySelectorAll("a#"+u+"+*").length||q.push(".#.+[+~]")}),ia(function(a){var b=n.createElement("input");b.setAttribute("type","hidden"),a.appendChild(b).setAttribute("name","D"),a.querySelectorAll("[name=d]").length&&q.push("name"+L+"*[*^$|!~]?="),a.querySelectorAll(":enabled").length||q.push(":enabled",":disabled"),a.querySelectorAll("*,:x"),q.push(",.*:")})),(c.matchesSelector=Z.test(s=o.matches||o.webkitMatchesSelector||o.mozMatchesSelector||o.oMatchesSelector||o.msMatchesSelector))&&ia(function(a){c.disconnectedMatch=s.call(a,"div"),s.call(a,"[s!='']:x"),r.push("!=",O)}),q=q.length&&new RegExp(q.join("|")),r=r.length&&new RegExp(r.join("|")),b=Z.test(o.compareDocumentPosition),t=b||Z.test(o.contains)?function(a,b){var c=9===a.nodeType?a.documentElement:a,d=b&&b.parentNode;return a===d||!(!d||1!==d.nodeType||!(c.contains?c.contains(d):a.compareDocumentPosition&&16&a.compareDocumentPosition(d)))}:function(a,b){if(b)while(b=b.parentNode)if(b===a)return!0;return!1},B=b?function(a,b){if(a===b)return l=!0,0;var d=!a.compareDocumentPosition-!b.compareDocumentPosition;return d?d:(d=(a.ownerDocument||a)===(b.ownerDocument||b)?a.compareDocumentPosition(b):1,1&d||!c.sortDetached&&b.compareDocumentPosition(a)===d?a===n||a.ownerDocument===v&&t(v,a)?-1:b===n||b.ownerDocument===v&&t(v,b)?1:k?J(k,a)-J(k,b):0:4&d?-1:1)}:function(a,b){if(a===b)return l=!0,0;var c,d=0,e=a.parentNode,f=b.parentNode,g=[a],h=[b];if(!e||!f)return a===n?-1:b===n?1:e?-1:f?1:k?J(k,a)-J(k,b):0;if(e===f)return ka(a,b);c=a;while(c=c.parentNode)g.unshift(c);c=b;while(c=c.parentNode)h.unshift(c);while(g[d]===h[d])d++;return d?ka(g[d],h[d]):g[d]===v?-1:h[d]===v?1:0},n):n},fa.matches=function(a,b){return fa(a,null,null,b)},fa.matchesSelector=function(a,b){if((a.ownerDocument||a)!==n&&m(a),b=b.replace(T,"='$1']"),c.matchesSelector&&p&&!A[b+" "]&&(!r||!r.test(b))&&(!q||!q.test(b)))try{var d=s.call(a,b);if(d||c.disconnectedMatch||a.document&&11!==a.document.nodeType)return d}catch(e){}return fa(b,n,null,[a]).length>0},fa.contains=function(a,b){return(a.ownerDocument||a)!==n&&m(a),t(a,b)},fa.attr=function(a,b){(a.ownerDocument||a)!==n&&m(a);var e=d.attrHandle[b.toLowerCase()],f=e&&D.call(d.attrHandle,b.toLowerCase())?e(a,b,!p):void 0;return void 0!==f?f:c.attributes||!p?a.getAttribute(b):(f=a.getAttributeNode(b))&&f.specified?f.value:null},fa.error=function(a){throw new Error("Syntax error, unrecognized expression: "+a)},fa.uniqueSort=function(a){var b,d=[],e=0,f=0;if(l=!c.detectDuplicates,k=!c.sortStable&&a.slice(0),a.sort(B),l){while(b=a[f++])b===a[f]&&(e=d.push(f));while(e--)a.splice(d[e],1)}return k=null,a},e=fa.getText=function(a){var b,c="",d=0,f=a.nodeType;if(f){if(1===f||9===f||11===f){if("string"==typeof a.textContent)return a.textContent;for(a=a.firstChild;a;a=a.nextSibling)c+=e(a)}else if(3===f||4===f)return a.nodeValue}else while(b=a[d++])c+=e(b);return c},d=fa.selectors={cacheLength:50,createPseudo:ha,match:W,attrHandle:{},find:{},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(a){return a[1]=a[1].replace(ba,ca),a[3]=(a[3]||a[4]||a[5]||"").replace(ba,ca),"~="===a[2]&&(a[3]=" "+a[3]+" "),a.slice(0,4)},CHILD:function(a){return a[1]=a[1].toLowerCase(),"nth"===a[1].slice(0,3)?(a[3]||fa.error(a[0]),a[4]=+(a[4]?a[5]+(a[6]||1):2*("even"===a[3]||"odd"===a[3])),a[5]=+(a[7]+a[8]||"odd"===a[3])):a[3]&&fa.error(a[0]),a},PSEUDO:function(a){var b,c=!a[6]&&a[2];return W.CHILD.test(a[0])?null:(a[3]?a[2]=a[4]||a[5]||"":c&&U.test(c)&&(b=g(c,!0))&&(b=c.indexOf(")",c.length-b)-c.length)&&(a[0]=a[0].slice(0,b),a[2]=c.slice(0,b)),a.slice(0,3))}},filter:{TAG:function(a){var b=a.replace(ba,ca).toLowerCase();return"*"===a?function(){return!0}:function(a){return a.nodeName&&a.nodeName.toLowerCase()===b}},CLASS:function(a){var b=y[a+" "];return b||(b=new RegExp("(^|"+L+")"+a+"("+L+"|$)"))&&y(a,function(a){return b.test("string"==typeof a.className&&a.className||"undefined"!=typeof a.getAttribute&&a.getAttribute("class")||"")})},ATTR:function(a,b,c){return function(d){var e=fa.attr(d,a);return null==e?"!="===b:b?(e+="","="===b?e===c:"!="===b?e!==c:"^="===b?c&&0===e.indexOf(c):"*="===b?c&&e.indexOf(c)>-1:"$="===b?c&&e.slice(-c.length)===c:"~="===b?(" "+e.replace(P," ")+" ").indexOf(c)>-1:"|="===b?e===c||e.slice(0,c.length+1)===c+"-":!1):!0}},CHILD:function(a,b,c,d,e){var f="nth"!==a.slice(0,3),g="last"!==a.slice(-4),h="of-type"===b;return 1===d&&0===e?function(a){return!!a.parentNode}:function(b,c,i){var j,k,l,m,n,o,p=f!==g?"nextSibling":"previousSibling",q=b.parentNode,r=h&&b.nodeName.toLowerCase(),s=!i&&!h,t=!1;if(q){if(f){while(p){m=b;while(m=m[p])if(h?m.nodeName.toLowerCase()===r:1===m.nodeType)return!1;o=p="only"===a&&!o&&"nextSibling"}return!0}if(o=[g?q.firstChild:q.lastChild],g&&s){m=q,l=m[u]||(m[u]={}),k=l[m.uniqueID]||(l[m.uniqueID]={}),j=k[a]||[],n=j[0]===w&&j[1],t=n&&j[2],m=n&&q.childNodes[n];while(m=++n&&m&&m[p]||(t=n=0)||o.pop())if(1===m.nodeType&&++t&&m===b){k[a]=[w,n,t];break}}else if(s&&(m=b,l=m[u]||(m[u]={}),k=l[m.uniqueID]||(l[m.uniqueID]={}),j=k[a]||[],n=j[0]===w&&j[1],t=n),t===!1)while(m=++n&&m&&m[p]||(t=n=0)||o.pop())if((h?m.nodeName.toLowerCase()===r:1===m.nodeType)&&++t&&(s&&(l=m[u]||(m[u]={}),k=l[m.uniqueID]||(l[m.uniqueID]={}),k[a]=[w,t]),m===b))break;return t-=e,t===d||t%d===0&&t/d>=0}}},PSEUDO:function(a,b){var c,e=d.pseudos[a]||d.setFilters[a.toLowerCase()]||fa.error("unsupported pseudo: "+a);return e[u]?e(b):e.length>1?(c=[a,a,"",b],d.setFilters.hasOwnProperty(a.toLowerCase())?ha(function(a,c){var d,f=e(a,b),g=f.length;while(g--)d=J(a,f[g]),a[d]=!(c[d]=f[g])}):function(a){return e(a,0,c)}):e}},pseudos:{not:ha(function(a){var b=[],c=[],d=h(a.replace(Q,"$1"));return d[u]?ha(function(a,b,c,e){var f,g=d(a,null,e,[]),h=a.length;while(h--)(f=g[h])&&(a[h]=!(b[h]=f))}):function(a,e,f){return b[0]=a,d(b,null,f,c),b[0]=null,!c.pop()}}),has:ha(function(a){return function(b){return fa(a,b).length>0}}),contains:ha(function(a){return a=a.replace(ba,ca),function(b){return(b.textContent||b.innerText||e(b)).indexOf(a)>-1}}),lang:ha(function(a){return V.test(a||"")||fa.error("unsupported lang: "+a),a=a.replace(ba,ca).toLowerCase(),function(b){var c;do if(c=p?b.lang:b.getAttribute("xml:lang")||b.getAttribute("lang"))return c=c.toLowerCase(),c===a||0===c.indexOf(a+"-");while((b=b.parentNode)&&1===b.nodeType);return!1}}),target:function(b){var c=a.location&&a.location.hash;return c&&c.slice(1)===b.id},root:function(a){return a===o},focus:function(a){return a===n.activeElement&&(!n.hasFocus||n.hasFocus())&&!!(a.type||a.href||~a.tabIndex)},enabled:function(a){return a.disabled===!1},disabled:function(a){return a.disabled===!0},checked:function(a){var b=a.nodeName.toLowerCase();return"input"===b&&!!a.checked||"option"===b&&!!a.selected},selected:function(a){return a.parentNode&&a.parentNode.selectedIndex,a.selected===!0},empty:function(a){for(a=a.firstChild;a;a=a.nextSibling)if(a.nodeType<6)return!1;return!0},parent:function(a){return!d.pseudos.empty(a)},header:function(a){return Y.test(a.nodeName)},input:function(a){return X.test(a.nodeName)},button:function(a){var b=a.nodeName.toLowerCase();return"input"===b&&"button"===a.type||"button"===b},text:function(a){var b;return"input"===a.nodeName.toLowerCase()&&"text"===a.type&&(null==(b=a.getAttribute("type"))||"text"===b.toLowerCase())},first:na(function(){return[0]}),last:na(function(a,b){return[b-1]}),eq:na(function(a,b,c){return[0>c?c+b:c]}),even:na(function(a,b){for(var c=0;b>c;c+=2)a.push(c);return a}),odd:na(function(a,b){for(var c=1;b>c;c+=2)a.push(c);return a}),lt:na(function(a,b,c){for(var d=0>c?c+b:c;--d>=0;)a.push(d);return a}),gt:na(function(a,b,c){for(var d=0>c?c+b:c;++db;b++)d+=a[b].value;return d}function ra(a,b,c){var d=b.dir,e=c&&"parentNode"===d,f=x++;return b.first?function(b,c,f){while(b=b[d])if(1===b.nodeType||e)return a(b,c,f)}:function(b,c,g){var h,i,j,k=[w,f];if(g){while(b=b[d])if((1===b.nodeType||e)&&a(b,c,g))return!0}else while(b=b[d])if(1===b.nodeType||e){if(j=b[u]||(b[u]={}),i=j[b.uniqueID]||(j[b.uniqueID]={}),(h=i[d])&&h[0]===w&&h[1]===f)return k[2]=h[2];if(i[d]=k,k[2]=a(b,c,g))return!0}}}function sa(a){return a.length>1?function(b,c,d){var e=a.length;while(e--)if(!a[e](b,c,d))return!1;return!0}:a[0]}function ta(a,b,c){for(var d=0,e=b.length;e>d;d++)fa(a,b[d],c);return c}function ua(a,b,c,d,e){for(var f,g=[],h=0,i=a.length,j=null!=b;i>h;h++)(f=a[h])&&(c&&!c(f,d,e)||(g.push(f),j&&b.push(h)));return g}function va(a,b,c,d,e,f){return d&&!d[u]&&(d=va(d)),e&&!e[u]&&(e=va(e,f)),ha(function(f,g,h,i){var j,k,l,m=[],n=[],o=g.length,p=f||ta(b||"*",h.nodeType?[h]:h,[]),q=!a||!f&&b?p:ua(p,m,a,h,i),r=c?e||(f?a:o||d)?[]:g:q;if(c&&c(q,r,h,i),d){j=ua(r,n),d(j,[],h,i),k=j.length;while(k--)(l=j[k])&&(r[n[k]]=!(q[n[k]]=l))}if(f){if(e||a){if(e){j=[],k=r.length;while(k--)(l=r[k])&&j.push(q[k]=l);e(null,r=[],j,i)}k=r.length;while(k--)(l=r[k])&&(j=e?J(f,l):m[k])>-1&&(f[j]=!(g[j]=l))}}else r=ua(r===g?r.splice(o,r.length):r),e?e(null,g,r,i):H.apply(g,r)})}function wa(a){for(var b,c,e,f=a.length,g=d.relative[a[0].type],h=g||d.relative[" "],i=g?1:0,k=ra(function(a){return a===b},h,!0),l=ra(function(a){return J(b,a)>-1},h,!0),m=[function(a,c,d){var e=!g&&(d||c!==j)||((b=c).nodeType?k(a,c,d):l(a,c,d));return b=null,e}];f>i;i++)if(c=d.relative[a[i].type])m=[ra(sa(m),c)];else{if(c=d.filter[a[i].type].apply(null,a[i].matches),c[u]){for(e=++i;f>e;e++)if(d.relative[a[e].type])break;return va(i>1&&sa(m),i>1&&qa(a.slice(0,i-1).concat({value:" "===a[i-2].type?"*":""})).replace(Q,"$1"),c,e>i&&wa(a.slice(i,e)),f>e&&wa(a=a.slice(e)),f>e&&qa(a))}m.push(c)}return sa(m)}function xa(a,b){var c=b.length>0,e=a.length>0,f=function(f,g,h,i,k){var l,o,q,r=0,s="0",t=f&&[],u=[],v=j,x=f||e&&d.find.TAG("*",k),y=w+=null==v?1:Math.random()||.1,z=x.length;for(k&&(j=g===n||g||k);s!==z&&null!=(l=x[s]);s++){if(e&&l){o=0,g||l.ownerDocument===n||(m(l),h=!p);while(q=a[o++])if(q(l,g||n,h)){i.push(l);break}k&&(w=y)}c&&((l=!q&&l)&&r--,f&&t.push(l))}if(r+=s,c&&s!==r){o=0;while(q=b[o++])q(t,u,g,h);if(f){if(r>0)while(s--)t[s]||u[s]||(u[s]=F.call(i));u=ua(u)}H.apply(i,u),k&&!f&&u.length>0&&r+b.length>1&&fa.uniqueSort(i)}return k&&(w=y,j=v),t};return c?ha(f):f}return h=fa.compile=function(a,b){var c,d=[],e=[],f=A[a+" "];if(!f){b||(b=g(a)),c=b.length;while(c--)f=wa(b[c]),f[u]?d.push(f):e.push(f);f=A(a,xa(e,d)),f.selector=a}return f},i=fa.select=function(a,b,e,f){var i,j,k,l,m,n="function"==typeof a&&a,o=!f&&g(a=n.selector||a);if(e=e||[],1===o.length){if(j=o[0]=o[0].slice(0),j.length>2&&"ID"===(k=j[0]).type&&c.getById&&9===b.nodeType&&p&&d.relative[j[1].type]){if(b=(d.find.ID(k.matches[0].replace(ba,ca),b)||[])[0],!b)return e;n&&(b=b.parentNode),a=a.slice(j.shift().value.length)}i=W.needsContext.test(a)?0:j.length;while(i--){if(k=j[i],d.relative[l=k.type])break;if((m=d.find[l])&&(f=m(k.matches[0].replace(ba,ca),_.test(j[0].type)&&oa(b.parentNode)||b))){if(j.splice(i,1),a=f.length&&qa(j),!a)return H.apply(e,f),e;break}}}return(n||h(a,o))(f,b,!p,e,!b||_.test(a)&&oa(b.parentNode)||b),e},c.sortStable=u.split("").sort(B).join("")===u,c.detectDuplicates=!!l,m(),c.sortDetached=ia(function(a){return 1&a.compareDocumentPosition(n.createElement("div"))}),ia(function(a){return a.innerHTML="","#"===a.firstChild.getAttribute("href")})||ja("type|href|height|width",function(a,b,c){return c?void 0:a.getAttribute(b,"type"===b.toLowerCase()?1:2)}),c.attributes&&ia(function(a){return a.innerHTML="",a.firstChild.setAttribute("value",""),""===a.firstChild.getAttribute("value")})||ja("value",function(a,b,c){return c||"input"!==a.nodeName.toLowerCase()?void 0:a.defaultValue}),ia(function(a){return null==a.getAttribute("disabled")})||ja(K,function(a,b,c){var d;return c?void 0:a[b]===!0?b.toLowerCase():(d=a.getAttributeNode(b))&&d.specified?d.value:null}),fa}(a);n.find=t,n.expr=t.selectors,n.expr[":"]=n.expr.pseudos,n.uniqueSort=n.unique=t.uniqueSort,n.text=t.getText,n.isXMLDoc=t.isXML,n.contains=t.contains;var u=function(a,b,c){var d=[],e=void 0!==c;while((a=a[b])&&9!==a.nodeType)if(1===a.nodeType){if(e&&n(a).is(c))break;d.push(a)}return d},v=function(a,b){for(var c=[];a;a=a.nextSibling)1===a.nodeType&&a!==b&&c.push(a);return c},w=n.expr.match.needsContext,x=/^<([\w-]+)\s*\/?>(?:<\/\1>|)$/,y=/^.[^:#\[\.,]*$/;function z(a,b,c){if(n.isFunction(b))return n.grep(a,function(a,d){return!!b.call(a,d,a)!==c});if(b.nodeType)return n.grep(a,function(a){return a===b!==c});if("string"==typeof b){if(y.test(b))return n.filter(b,a,c);b=n.filter(b,a)}return n.grep(a,function(a){return n.inArray(a,b)>-1!==c})}n.filter=function(a,b,c){var d=b[0];return c&&(a=":not("+a+")"),1===b.length&&1===d.nodeType?n.find.matchesSelector(d,a)?[d]:[]:n.find.matches(a,n.grep(b,function(a){return 1===a.nodeType}))},n.fn.extend({find:function(a){var b,c=[],d=this,e=d.length;if("string"!=typeof a)return this.pushStack(n(a).filter(function(){for(b=0;e>b;b++)if(n.contains(d[b],this))return!0}));for(b=0;e>b;b++)n.find(a,d[b],c);return c=this.pushStack(e>1?n.unique(c):c),c.selector=this.selector?this.selector+" "+a:a,c},filter:function(a){return this.pushStack(z(this,a||[],!1))},not:function(a){return this.pushStack(z(this,a||[],!0))},is:function(a){return!!z(this,"string"==typeof a&&w.test(a)?n(a):a||[],!1).length}});var A,B=/^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]*))$/,C=n.fn.init=function(a,b,c){var e,f;if(!a)return this;if(c=c||A,"string"==typeof a){if(e="<"===a.charAt(0)&&">"===a.charAt(a.length-1)&&a.length>=3?[null,a,null]:B.exec(a),!e||!e[1]&&b)return!b||b.jquery?(b||c).find(a):this.constructor(b).find(a);if(e[1]){if(b=b instanceof n?b[0]:b,n.merge(this,n.parseHTML(e[1],b&&b.nodeType?b.ownerDocument||b:d,!0)),x.test(e[1])&&n.isPlainObject(b))for(e in b)n.isFunction(this[e])?this[e](b[e]):this.attr(e,b[e]);return this}if(f=d.getElementById(e[2]),f&&f.parentNode){if(f.id!==e[2])return A.find(a);this.length=1,this[0]=f}return this.context=d,this.selector=a,this}return a.nodeType?(this.context=this[0]=a,this.length=1,this):n.isFunction(a)?"undefined"!=typeof c.ready?c.ready(a):a(n):(void 0!==a.selector&&(this.selector=a.selector,this.context=a.context),n.makeArray(a,this))};C.prototype=n.fn,A=n(d);var D=/^(?:parents|prev(?:Until|All))/,E={children:!0,contents:!0,next:!0,prev:!0};n.fn.extend({has:function(a){var b,c=n(a,this),d=c.length;return this.filter(function(){for(b=0;d>b;b++)if(n.contains(this,c[b]))return!0})},closest:function(a,b){for(var c,d=0,e=this.length,f=[],g=w.test(a)||"string"!=typeof a?n(a,b||this.context):0;e>d;d++)for(c=this[d];c&&c!==b;c=c.parentNode)if(c.nodeType<11&&(g?g.index(c)>-1:1===c.nodeType&&n.find.matchesSelector(c,a))){f.push(c);break}return this.pushStack(f.length>1?n.uniqueSort(f):f)},index:function(a){return a?"string"==typeof a?n.inArray(this[0],n(a)):n.inArray(a.jquery?a[0]:a,this):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(a,b){return this.pushStack(n.uniqueSort(n.merge(this.get(),n(a,b))))},addBack:function(a){return this.add(null==a?this.prevObject:this.prevObject.filter(a))}});function F(a,b){do a=a[b];while(a&&1!==a.nodeType);return a}n.each({parent:function(a){var b=a.parentNode;return b&&11!==b.nodeType?b:null},parents:function(a){return u(a,"parentNode")},parentsUntil:function(a,b,c){return u(a,"parentNode",c)},next:function(a){return F(a,"nextSibling")},prev:function(a){return F(a,"previousSibling")},nextAll:function(a){return u(a,"nextSibling")},prevAll:function(a){return u(a,"previousSibling")},nextUntil:function(a,b,c){return u(a,"nextSibling",c)},prevUntil:function(a,b,c){return u(a,"previousSibling",c)},siblings:function(a){return v((a.parentNode||{}).firstChild,a)},children:function(a){return v(a.firstChild)},contents:function(a){return n.nodeName(a,"iframe")?a.contentDocument||a.contentWindow.document:n.merge([],a.childNodes)}},function(a,b){n.fn[a]=function(c,d){var e=n.map(this,b,c);return"Until"!==a.slice(-5)&&(d=c),d&&"string"==typeof d&&(e=n.filter(d,e)),this.length>1&&(E[a]||(e=n.uniqueSort(e)),D.test(a)&&(e=e.reverse())),this.pushStack(e)}});var G=/\S+/g;function H(a){var b={};return n.each(a.match(G)||[],function(a,c){b[c]=!0}),b}n.Callbacks=function(a){a="string"==typeof a?H(a):n.extend({},a);var b,c,d,e,f=[],g=[],h=-1,i=function(){for(e=a.once,d=b=!0;g.length;h=-1){c=g.shift();while(++h-1)f.splice(c,1),h>=c&&h--}),this},has:function(a){return a?n.inArray(a,f)>-1:f.length>0},empty:function(){return f&&(f=[]),this},disable:function(){return e=g=[],f=c="",this},disabled:function(){return!f},lock:function(){return e=!0,c||j.disable(),this},locked:function(){return!!e},fireWith:function(a,c){return e||(c=c||[],c=[a,c.slice?c.slice():c],g.push(c),b||i()),this},fire:function(){return j.fireWith(this,arguments),this},fired:function(){return!!d}};return j},n.extend({Deferred:function(a){var b=[["resolve","done",n.Callbacks("once memory"),"resolved"],["reject","fail",n.Callbacks("once memory"),"rejected"],["notify","progress",n.Callbacks("memory")]],c="pending",d={state:function(){return c},always:function(){return e.done(arguments).fail(arguments),this},then:function(){var a=arguments;return n.Deferred(function(c){n.each(b,function(b,f){var g=n.isFunction(a[b])&&a[b];e[f[1]](function(){var a=g&&g.apply(this,arguments);a&&n.isFunction(a.promise)?a.promise().progress(c.notify).done(c.resolve).fail(c.reject):c[f[0]+"With"](this===d?c.promise():this,g?[a]:arguments)})}),a=null}).promise()},promise:function(a){return null!=a?n.extend(a,d):d}},e={};return d.pipe=d.then,n.each(b,function(a,f){var g=f[2],h=f[3];d[f[1]]=g.add,h&&g.add(function(){c=h},b[1^a][2].disable,b[2][2].lock),e[f[0]]=function(){return e[f[0]+"With"](this===e?d:this,arguments),this},e[f[0]+"With"]=g.fireWith}),d.promise(e),a&&a.call(e,e),e},when:function(a){var b=0,c=e.call(arguments),d=c.length,f=1!==d||a&&n.isFunction(a.promise)?d:0,g=1===f?a:n.Deferred(),h=function(a,b,c){return function(d){b[a]=this,c[a]=arguments.length>1?e.call(arguments):d,c===i?g.notifyWith(b,c):--f||g.resolveWith(b,c)}},i,j,k;if(d>1)for(i=new Array(d),j=new Array(d),k=new Array(d);d>b;b++)c[b]&&n.isFunction(c[b].promise)?c[b].promise().progress(h(b,j,i)).done(h(b,k,c)).fail(g.reject):--f;return f||g.resolveWith(k,c),g.promise()}});var I;n.fn.ready=function(a){return n.ready.promise().done(a),this},n.extend({isReady:!1,readyWait:1,holdReady:function(a){a?n.readyWait++:n.ready(!0)},ready:function(a){(a===!0?--n.readyWait:n.isReady)||(n.isReady=!0,a!==!0&&--n.readyWait>0||(I.resolveWith(d,[n]),n.fn.triggerHandler&&(n(d).triggerHandler("ready"),n(d).off("ready"))))}});function J(){d.addEventListener?(d.removeEventListener("DOMContentLoaded",K),a.removeEventListener("load",K)):(d.detachEvent("onreadystatechange",K),a.detachEvent("onload",K))}function K(){(d.addEventListener||"load"===a.event.type||"complete"===d.readyState)&&(J(),n.ready())}n.ready.promise=function(b){if(!I)if(I=n.Deferred(),"complete"===d.readyState||"loading"!==d.readyState&&!d.documentElement.doScroll)a.setTimeout(n.ready);else if(d.addEventListener)d.addEventListener("DOMContentLoaded",K),a.addEventListener("load",K);else{d.attachEvent("onreadystatechange",K),a.attachEvent("onload",K);var c=!1;try{c=null==a.frameElement&&d.documentElement}catch(e){}c&&c.doScroll&&!function f(){if(!n.isReady){try{c.doScroll("left")}catch(b){return a.setTimeout(f,50)}J(),n.ready()}}()}return I.promise(b)},n.ready.promise();var L;for(L in n(l))break;l.ownFirst="0"===L,l.inlineBlockNeedsLayout=!1,n(function(){var a,b,c,e;c=d.getElementsByTagName("body")[0],c&&c.style&&(b=d.createElement("div"),e=d.createElement("div"),e.style.cssText="position:absolute;border:0;width:0;height:0;top:0;left:-9999px",c.appendChild(e).appendChild(b),"undefined"!=typeof b.style.zoom&&(b.style.cssText="display:inline;margin:0;border:0;padding:1px;width:1px;zoom:1",l.inlineBlockNeedsLayout=a=3===b.offsetWidth,a&&(c.style.zoom=1)),c.removeChild(e))}),function(){var a=d.createElement("div");l.deleteExpando=!0;try{delete a.test}catch(b){l.deleteExpando=!1}a=null}();var M=function(a){var b=n.noData[(a.nodeName+" ").toLowerCase()],c=+a.nodeType||1;return 1!==c&&9!==c?!1:!b||b!==!0&&a.getAttribute("classid")===b},N=/^(?:\{[\w\W]*\}|\[[\w\W]*\])$/,O=/([A-Z])/g;function P(a,b,c){if(void 0===c&&1===a.nodeType){var d="data-"+b.replace(O,"-$1").toLowerCase();if(c=a.getAttribute(d),"string"==typeof c){try{c="true"===c?!0:"false"===c?!1:"null"===c?null:+c+""===c?+c:N.test(c)?n.parseJSON(c):c}catch(e){}n.data(a,b,c)}else c=void 0; -}return c}function Q(a){var b;for(b in a)if(("data"!==b||!n.isEmptyObject(a[b]))&&"toJSON"!==b)return!1;return!0}function R(a,b,d,e){if(M(a)){var f,g,h=n.expando,i=a.nodeType,j=i?n.cache:a,k=i?a[h]:a[h]&&h;if(k&&j[k]&&(e||j[k].data)||void 0!==d||"string"!=typeof b)return k||(k=i?a[h]=c.pop()||n.guid++:h),j[k]||(j[k]=i?{}:{toJSON:n.noop}),"object"!=typeof b&&"function"!=typeof b||(e?j[k]=n.extend(j[k],b):j[k].data=n.extend(j[k].data,b)),g=j[k],e||(g.data||(g.data={}),g=g.data),void 0!==d&&(g[n.camelCase(b)]=d),"string"==typeof b?(f=g[b],null==f&&(f=g[n.camelCase(b)])):f=g,f}}function S(a,b,c){if(M(a)){var d,e,f=a.nodeType,g=f?n.cache:a,h=f?a[n.expando]:n.expando;if(g[h]){if(b&&(d=c?g[h]:g[h].data)){n.isArray(b)?b=b.concat(n.map(b,n.camelCase)):b in d?b=[b]:(b=n.camelCase(b),b=b in d?[b]:b.split(" ")),e=b.length;while(e--)delete d[b[e]];if(c?!Q(d):!n.isEmptyObject(d))return}(c||(delete g[h].data,Q(g[h])))&&(f?n.cleanData([a],!0):l.deleteExpando||g!=g.window?delete g[h]:g[h]=void 0)}}}n.extend({cache:{},noData:{"applet ":!0,"embed ":!0,"object ":"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000"},hasData:function(a){return a=a.nodeType?n.cache[a[n.expando]]:a[n.expando],!!a&&!Q(a)},data:function(a,b,c){return R(a,b,c)},removeData:function(a,b){return S(a,b)},_data:function(a,b,c){return R(a,b,c,!0)},_removeData:function(a,b){return S(a,b,!0)}}),n.fn.extend({data:function(a,b){var c,d,e,f=this[0],g=f&&f.attributes;if(void 0===a){if(this.length&&(e=n.data(f),1===f.nodeType&&!n._data(f,"parsedAttrs"))){c=g.length;while(c--)g[c]&&(d=g[c].name,0===d.indexOf("data-")&&(d=n.camelCase(d.slice(5)),P(f,d,e[d])));n._data(f,"parsedAttrs",!0)}return e}return"object"==typeof a?this.each(function(){n.data(this,a)}):arguments.length>1?this.each(function(){n.data(this,a,b)}):f?P(f,a,n.data(f,a)):void 0},removeData:function(a){return this.each(function(){n.removeData(this,a)})}}),n.extend({queue:function(a,b,c){var d;return a?(b=(b||"fx")+"queue",d=n._data(a,b),c&&(!d||n.isArray(c)?d=n._data(a,b,n.makeArray(c)):d.push(c)),d||[]):void 0},dequeue:function(a,b){b=b||"fx";var c=n.queue(a,b),d=c.length,e=c.shift(),f=n._queueHooks(a,b),g=function(){n.dequeue(a,b)};"inprogress"===e&&(e=c.shift(),d--),e&&("fx"===b&&c.unshift("inprogress"),delete f.stop,e.call(a,g,f)),!d&&f&&f.empty.fire()},_queueHooks:function(a,b){var c=b+"queueHooks";return n._data(a,c)||n._data(a,c,{empty:n.Callbacks("once memory").add(function(){n._removeData(a,b+"queue"),n._removeData(a,c)})})}}),n.fn.extend({queue:function(a,b){var c=2;return"string"!=typeof a&&(b=a,a="fx",c--),arguments.lengthh;h++)b(a[h],c,g?d:d.call(a[h],h,b(a[h],c)));return e?a:j?b.call(a):i?b(a[0],c):f},Z=/^(?:checkbox|radio)$/i,$=/<([\w:-]+)/,_=/^$|\/(?:java|ecma)script/i,aa=/^\s+/,ba="abbr|article|aside|audio|bdi|canvas|data|datalist|details|dialog|figcaption|figure|footer|header|hgroup|main|mark|meter|nav|output|picture|progress|section|summary|template|time|video";function ca(a){var b=ba.split("|"),c=a.createDocumentFragment();if(c.createElement)while(b.length)c.createElement(b.pop());return c}!function(){var a=d.createElement("div"),b=d.createDocumentFragment(),c=d.createElement("input");a.innerHTML="
a",l.leadingWhitespace=3===a.firstChild.nodeType,l.tbody=!a.getElementsByTagName("tbody").length,l.htmlSerialize=!!a.getElementsByTagName("link").length,l.html5Clone="<:nav>"!==d.createElement("nav").cloneNode(!0).outerHTML,c.type="checkbox",c.checked=!0,b.appendChild(c),l.appendChecked=c.checked,a.innerHTML="",l.noCloneChecked=!!a.cloneNode(!0).lastChild.defaultValue,b.appendChild(a),c=d.createElement("input"),c.setAttribute("type","radio"),c.setAttribute("checked","checked"),c.setAttribute("name","t"),a.appendChild(c),l.checkClone=a.cloneNode(!0).cloneNode(!0).lastChild.checked,l.noCloneEvent=!!a.addEventListener,a[n.expando]=1,l.attributes=!a.getAttribute(n.expando)}();var da={option:[1,""],legend:[1,"
","
"],area:[1,"",""],param:[1,"",""],thead:[1,"","
"],tr:[2,"","
"],col:[2,"","
"],td:[3,"","
"],_default:l.htmlSerialize?[0,"",""]:[1,"X
","
"]};da.optgroup=da.option,da.tbody=da.tfoot=da.colgroup=da.caption=da.thead,da.th=da.td;function ea(a,b){var c,d,e=0,f="undefined"!=typeof a.getElementsByTagName?a.getElementsByTagName(b||"*"):"undefined"!=typeof a.querySelectorAll?a.querySelectorAll(b||"*"):void 0;if(!f)for(f=[],c=a.childNodes||a;null!=(d=c[e]);e++)!b||n.nodeName(d,b)?f.push(d):n.merge(f,ea(d,b));return void 0===b||b&&n.nodeName(a,b)?n.merge([a],f):f}function fa(a,b){for(var c,d=0;null!=(c=a[d]);d++)n._data(c,"globalEval",!b||n._data(b[d],"globalEval"))}var ga=/<|&#?\w+;/,ha=/r;r++)if(g=a[r],g||0===g)if("object"===n.type(g))n.merge(q,g.nodeType?[g]:g);else if(ga.test(g)){i=i||p.appendChild(b.createElement("div")),j=($.exec(g)||["",""])[1].toLowerCase(),m=da[j]||da._default,i.innerHTML=m[1]+n.htmlPrefilter(g)+m[2],f=m[0];while(f--)i=i.lastChild;if(!l.leadingWhitespace&&aa.test(g)&&q.push(b.createTextNode(aa.exec(g)[0])),!l.tbody){g="table"!==j||ha.test(g)?""!==m[1]||ha.test(g)?0:i:i.firstChild,f=g&&g.childNodes.length;while(f--)n.nodeName(k=g.childNodes[f],"tbody")&&!k.childNodes.length&&g.removeChild(k)}n.merge(q,i.childNodes),i.textContent="";while(i.firstChild)i.removeChild(i.firstChild);i=p.lastChild}else q.push(b.createTextNode(g));i&&p.removeChild(i),l.appendChecked||n.grep(ea(q,"input"),ia),r=0;while(g=q[r++])if(d&&n.inArray(g,d)>-1)e&&e.push(g);else if(h=n.contains(g.ownerDocument,g),i=ea(p.appendChild(g),"script"),h&&fa(i),c){f=0;while(g=i[f++])_.test(g.type||"")&&c.push(g)}return i=null,p}!function(){var b,c,e=d.createElement("div");for(b in{submit:!0,change:!0,focusin:!0})c="on"+b,(l[b]=c in a)||(e.setAttribute(c,"t"),l[b]=e.attributes[c].expando===!1);e=null}();var ka=/^(?:input|select|textarea)$/i,la=/^key/,ma=/^(?:mouse|pointer|contextmenu|drag|drop)|click/,na=/^(?:focusinfocus|focusoutblur)$/,oa=/^([^.]*)(?:\.(.+)|)/;function pa(){return!0}function qa(){return!1}function ra(){try{return d.activeElement}catch(a){}}function sa(a,b,c,d,e,f){var g,h;if("object"==typeof b){"string"!=typeof c&&(d=d||c,c=void 0);for(h in b)sa(a,h,c,d,b[h],f);return a}if(null==d&&null==e?(e=c,d=c=void 0):null==e&&("string"==typeof c?(e=d,d=void 0):(e=d,d=c,c=void 0)),e===!1)e=qa;else if(!e)return a;return 1===f&&(g=e,e=function(a){return n().off(a),g.apply(this,arguments)},e.guid=g.guid||(g.guid=n.guid++)),a.each(function(){n.event.add(this,b,e,d,c)})}n.event={global:{},add:function(a,b,c,d,e){var f,g,h,i,j,k,l,m,o,p,q,r=n._data(a);if(r){c.handler&&(i=c,c=i.handler,e=i.selector),c.guid||(c.guid=n.guid++),(g=r.events)||(g=r.events={}),(k=r.handle)||(k=r.handle=function(a){return"undefined"==typeof n||a&&n.event.triggered===a.type?void 0:n.event.dispatch.apply(k.elem,arguments)},k.elem=a),b=(b||"").match(G)||[""],h=b.length;while(h--)f=oa.exec(b[h])||[],o=q=f[1],p=(f[2]||"").split(".").sort(),o&&(j=n.event.special[o]||{},o=(e?j.delegateType:j.bindType)||o,j=n.event.special[o]||{},l=n.extend({type:o,origType:q,data:d,handler:c,guid:c.guid,selector:e,needsContext:e&&n.expr.match.needsContext.test(e),namespace:p.join(".")},i),(m=g[o])||(m=g[o]=[],m.delegateCount=0,j.setup&&j.setup.call(a,d,p,k)!==!1||(a.addEventListener?a.addEventListener(o,k,!1):a.attachEvent&&a.attachEvent("on"+o,k))),j.add&&(j.add.call(a,l),l.handler.guid||(l.handler.guid=c.guid)),e?m.splice(m.delegateCount++,0,l):m.push(l),n.event.global[o]=!0);a=null}},remove:function(a,b,c,d,e){var f,g,h,i,j,k,l,m,o,p,q,r=n.hasData(a)&&n._data(a);if(r&&(k=r.events)){b=(b||"").match(G)||[""],j=b.length;while(j--)if(h=oa.exec(b[j])||[],o=q=h[1],p=(h[2]||"").split(".").sort(),o){l=n.event.special[o]||{},o=(d?l.delegateType:l.bindType)||o,m=k[o]||[],h=h[2]&&new RegExp("(^|\\.)"+p.join("\\.(?:.*\\.|)")+"(\\.|$)"),i=f=m.length;while(f--)g=m[f],!e&&q!==g.origType||c&&c.guid!==g.guid||h&&!h.test(g.namespace)||d&&d!==g.selector&&("**"!==d||!g.selector)||(m.splice(f,1),g.selector&&m.delegateCount--,l.remove&&l.remove.call(a,g));i&&!m.length&&(l.teardown&&l.teardown.call(a,p,r.handle)!==!1||n.removeEvent(a,o,r.handle),delete k[o])}else for(o in k)n.event.remove(a,o+b[j],c,d,!0);n.isEmptyObject(k)&&(delete r.handle,n._removeData(a,"events"))}},trigger:function(b,c,e,f){var g,h,i,j,l,m,o,p=[e||d],q=k.call(b,"type")?b.type:b,r=k.call(b,"namespace")?b.namespace.split("."):[];if(i=m=e=e||d,3!==e.nodeType&&8!==e.nodeType&&!na.test(q+n.event.triggered)&&(q.indexOf(".")>-1&&(r=q.split("."),q=r.shift(),r.sort()),h=q.indexOf(":")<0&&"on"+q,b=b[n.expando]?b:new n.Event(q,"object"==typeof b&&b),b.isTrigger=f?2:3,b.namespace=r.join("."),b.rnamespace=b.namespace?new RegExp("(^|\\.)"+r.join("\\.(?:.*\\.|)")+"(\\.|$)"):null,b.result=void 0,b.target||(b.target=e),c=null==c?[b]:n.makeArray(c,[b]),l=n.event.special[q]||{},f||!l.trigger||l.trigger.apply(e,c)!==!1)){if(!f&&!l.noBubble&&!n.isWindow(e)){for(j=l.delegateType||q,na.test(j+q)||(i=i.parentNode);i;i=i.parentNode)p.push(i),m=i;m===(e.ownerDocument||d)&&p.push(m.defaultView||m.parentWindow||a)}o=0;while((i=p[o++])&&!b.isPropagationStopped())b.type=o>1?j:l.bindType||q,g=(n._data(i,"events")||{})[b.type]&&n._data(i,"handle"),g&&g.apply(i,c),g=h&&i[h],g&&g.apply&&M(i)&&(b.result=g.apply(i,c),b.result===!1&&b.preventDefault());if(b.type=q,!f&&!b.isDefaultPrevented()&&(!l._default||l._default.apply(p.pop(),c)===!1)&&M(e)&&h&&e[q]&&!n.isWindow(e)){m=e[h],m&&(e[h]=null),n.event.triggered=q;try{e[q]()}catch(s){}n.event.triggered=void 0,m&&(e[h]=m)}return b.result}},dispatch:function(a){a=n.event.fix(a);var b,c,d,f,g,h=[],i=e.call(arguments),j=(n._data(this,"events")||{})[a.type]||[],k=n.event.special[a.type]||{};if(i[0]=a,a.delegateTarget=this,!k.preDispatch||k.preDispatch.call(this,a)!==!1){h=n.event.handlers.call(this,a,j),b=0;while((f=h[b++])&&!a.isPropagationStopped()){a.currentTarget=f.elem,c=0;while((g=f.handlers[c++])&&!a.isImmediatePropagationStopped())a.rnamespace&&!a.rnamespace.test(g.namespace)||(a.handleObj=g,a.data=g.data,d=((n.event.special[g.origType]||{}).handle||g.handler).apply(f.elem,i),void 0!==d&&(a.result=d)===!1&&(a.preventDefault(),a.stopPropagation()))}return k.postDispatch&&k.postDispatch.call(this,a),a.result}},handlers:function(a,b){var c,d,e,f,g=[],h=b.delegateCount,i=a.target;if(h&&i.nodeType&&("click"!==a.type||isNaN(a.button)||a.button<1))for(;i!=this;i=i.parentNode||this)if(1===i.nodeType&&(i.disabled!==!0||"click"!==a.type)){for(d=[],c=0;h>c;c++)f=b[c],e=f.selector+" ",void 0===d[e]&&(d[e]=f.needsContext?n(e,this).index(i)>-1:n.find(e,this,null,[i]).length),d[e]&&d.push(f);d.length&&g.push({elem:i,handlers:d})}return h]","i"),va=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:-]+)[^>]*)\/>/gi,wa=/\s*$/g,Aa=ca(d),Ba=Aa.appendChild(d.createElement("div"));function Ca(a,b){return n.nodeName(a,"table")&&n.nodeName(11!==b.nodeType?b:b.firstChild,"tr")?a.getElementsByTagName("tbody")[0]||a.appendChild(a.ownerDocument.createElement("tbody")):a}function Da(a){return a.type=(null!==n.find.attr(a,"type"))+"/"+a.type,a}function Ea(a){var b=ya.exec(a.type);return b?a.type=b[1]:a.removeAttribute("type"),a}function Fa(a,b){if(1===b.nodeType&&n.hasData(a)){var c,d,e,f=n._data(a),g=n._data(b,f),h=f.events;if(h){delete g.handle,g.events={};for(c in h)for(d=0,e=h[c].length;e>d;d++)n.event.add(b,c,h[c][d])}g.data&&(g.data=n.extend({},g.data))}}function Ga(a,b){var c,d,e;if(1===b.nodeType){if(c=b.nodeName.toLowerCase(),!l.noCloneEvent&&b[n.expando]){e=n._data(b);for(d in e.events)n.removeEvent(b,d,e.handle);b.removeAttribute(n.expando)}"script"===c&&b.text!==a.text?(Da(b).text=a.text,Ea(b)):"object"===c?(b.parentNode&&(b.outerHTML=a.outerHTML),l.html5Clone&&a.innerHTML&&!n.trim(b.innerHTML)&&(b.innerHTML=a.innerHTML)):"input"===c&&Z.test(a.type)?(b.defaultChecked=b.checked=a.checked,b.value!==a.value&&(b.value=a.value)):"option"===c?b.defaultSelected=b.selected=a.defaultSelected:"input"!==c&&"textarea"!==c||(b.defaultValue=a.defaultValue)}}function Ha(a,b,c,d){b=f.apply([],b);var e,g,h,i,j,k,m=0,o=a.length,p=o-1,q=b[0],r=n.isFunction(q);if(r||o>1&&"string"==typeof q&&!l.checkClone&&xa.test(q))return a.each(function(e){var f=a.eq(e);r&&(b[0]=q.call(this,e,f.html())),Ha(f,b,c,d)});if(o&&(k=ja(b,a[0].ownerDocument,!1,a,d),e=k.firstChild,1===k.childNodes.length&&(k=e),e||d)){for(i=n.map(ea(k,"script"),Da),h=i.length;o>m;m++)g=k,m!==p&&(g=n.clone(g,!0,!0),h&&n.merge(i,ea(g,"script"))),c.call(a[m],g,m);if(h)for(j=i[i.length-1].ownerDocument,n.map(i,Ea),m=0;h>m;m++)g=i[m],_.test(g.type||"")&&!n._data(g,"globalEval")&&n.contains(j,g)&&(g.src?n._evalUrl&&n._evalUrl(g.src):n.globalEval((g.text||g.textContent||g.innerHTML||"").replace(za,"")));k=e=null}return a}function Ia(a,b,c){for(var d,e=b?n.filter(b,a):a,f=0;null!=(d=e[f]);f++)c||1!==d.nodeType||n.cleanData(ea(d)),d.parentNode&&(c&&n.contains(d.ownerDocument,d)&&fa(ea(d,"script")),d.parentNode.removeChild(d));return a}n.extend({htmlPrefilter:function(a){return a.replace(va,"<$1>")},clone:function(a,b,c){var d,e,f,g,h,i=n.contains(a.ownerDocument,a);if(l.html5Clone||n.isXMLDoc(a)||!ua.test("<"+a.nodeName+">")?f=a.cloneNode(!0):(Ba.innerHTML=a.outerHTML,Ba.removeChild(f=Ba.firstChild)),!(l.noCloneEvent&&l.noCloneChecked||1!==a.nodeType&&11!==a.nodeType||n.isXMLDoc(a)))for(d=ea(f),h=ea(a),g=0;null!=(e=h[g]);++g)d[g]&&Ga(e,d[g]);if(b)if(c)for(h=h||ea(a),d=d||ea(f),g=0;null!=(e=h[g]);g++)Fa(e,d[g]);else Fa(a,f);return d=ea(f,"script"),d.length>0&&fa(d,!i&&ea(a,"script")),d=h=e=null,f},cleanData:function(a,b){for(var d,e,f,g,h=0,i=n.expando,j=n.cache,k=l.attributes,m=n.event.special;null!=(d=a[h]);h++)if((b||M(d))&&(f=d[i],g=f&&j[f])){if(g.events)for(e in g.events)m[e]?n.event.remove(d,e):n.removeEvent(d,e,g.handle);j[f]&&(delete j[f],k||"undefined"==typeof d.removeAttribute?d[i]=void 0:d.removeAttribute(i),c.push(f))}}}),n.fn.extend({domManip:Ha,detach:function(a){return Ia(this,a,!0)},remove:function(a){return Ia(this,a)},text:function(a){return Y(this,function(a){return void 0===a?n.text(this):this.empty().append((this[0]&&this[0].ownerDocument||d).createTextNode(a))},null,a,arguments.length)},append:function(){return Ha(this,arguments,function(a){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var b=Ca(this,a);b.appendChild(a)}})},prepend:function(){return Ha(this,arguments,function(a){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var b=Ca(this,a);b.insertBefore(a,b.firstChild)}})},before:function(){return Ha(this,arguments,function(a){this.parentNode&&this.parentNode.insertBefore(a,this)})},after:function(){return Ha(this,arguments,function(a){this.parentNode&&this.parentNode.insertBefore(a,this.nextSibling)})},empty:function(){for(var a,b=0;null!=(a=this[b]);b++){1===a.nodeType&&n.cleanData(ea(a,!1));while(a.firstChild)a.removeChild(a.firstChild);a.options&&n.nodeName(a,"select")&&(a.options.length=0)}return this},clone:function(a,b){return a=null==a?!1:a,b=null==b?a:b,this.map(function(){return n.clone(this,a,b)})},html:function(a){return Y(this,function(a){var b=this[0]||{},c=0,d=this.length;if(void 0===a)return 1===b.nodeType?b.innerHTML.replace(ta,""):void 0;if("string"==typeof a&&!wa.test(a)&&(l.htmlSerialize||!ua.test(a))&&(l.leadingWhitespace||!aa.test(a))&&!da[($.exec(a)||["",""])[1].toLowerCase()]){a=n.htmlPrefilter(a);try{for(;d>c;c++)b=this[c]||{},1===b.nodeType&&(n.cleanData(ea(b,!1)),b.innerHTML=a);b=0}catch(e){}}b&&this.empty().append(a)},null,a,arguments.length)},replaceWith:function(){var a=[];return Ha(this,arguments,function(b){var c=this.parentNode;n.inArray(this,a)<0&&(n.cleanData(ea(this)),c&&c.replaceChild(b,this))},a)}}),n.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(a,b){n.fn[a]=function(a){for(var c,d=0,e=[],f=n(a),h=f.length-1;h>=d;d++)c=d===h?this:this.clone(!0),n(f[d])[b](c),g.apply(e,c.get());return this.pushStack(e)}});var Ja,Ka={HTML:"block",BODY:"block"};function La(a,b){var c=n(b.createElement(a)).appendTo(b.body),d=n.css(c[0],"display");return c.detach(),d}function Ma(a){var b=d,c=Ka[a];return c||(c=La(a,b),"none"!==c&&c||(Ja=(Ja||n("