text
stringlengths
1
22.8M
Parveen Rizvi, better known as Sangeeta, (; born 14 June 1947) is a Pakistani film actress, filmmaker and director of television drama serials. Early life Parveen Rizvi was born on 14 June 1947 in Karachi, British India. Parveen Rizvi's (or Sangeeta's) mother Mehtab Rizvi also had a career in show business. Additionally, Parveen's younger sister, Nasreen Rizvi (professionally known as Kaveeta) is also associated with Pakistani cinema. The British-American actress Jiah Khan was her niece. Career Acting In 1969, Sangeeta appeared on the film Koh-e-Noor (1969) as a child star; it was directed by Agha Husaini. In 1971, she moved to Lahore from her birthplace of Karachi and started a more serious career in Lollywood movies in Lahore. Her role as a supporting actress in Riaz Shahid's movie Yeh Aman (1971) was well-liked by the Pakistani public. She went on to act in dozens of other movies before deciding to become a film producer-director with her own film Society Girl in 1976. Sangeeta has over 120 films to her credit as an actress and a producer-director. In 2022 on August 14, she was honored by the Government of Pakistan with the Pride of Performance for her contributions towards the film and television industry. Film directing Sangeeta directed her debut film in 1976, Society Girl, which was a box-office hit. Her second film as director was Mujhay Galay Laga Lo, starring Sangeeta, Kaveeta, Ghulam Mohiuddin, Nayyar Sultana, and Bahar Begum. In 1978, she directed the critically acclaimed film Mutthi Bhar Chawal. Her film Mian Biwi Razi (1982) celebrated its Platinum Jubilee and was a highly successful movie. Her film Thori Si Bewafai was the first Pakistani film to be shot in United States. During the 1990s, she directed commercially successful films like Khilona (1996) and Nikah (1998). In 2019, she directed the romantic film Sirf Tum Hi To Ho. Personal life Sangeeta's first marriage was to fellow Pakistani actor Humayun Qureshi. Together, they had a daughter. After some years, this marriage failed and they divorced. Sangeeta,then married the business tycoon Naveed Akbar Butt with him she had two daughter but they divorced and took the custoday of her daughters. She is also the aunt of British American actress Jiah Khan. Filmography As director As actress Television series Awards and recognition References External links 1947 births Living people Muhajir people Nigar Award winners Pakistani film actresses Pakistani film directors Actresses in Pashto cinema Pakistani film producers Pakistani television actresses Actresses in Punjabi cinema Pakistani television directors 20th-century Pakistani actresses Actresses in Urdu cinema 21st-century Pakistani actresses Recipients of the Pride of Performance Women television directors Rizvi family People from Karachi PTV Award winners Actresses from Karachi
Aenetus toxopeusi is a moth of the family Hepialidae. It is known from New Guinea. References Moths described in 1956 Hepialidae
```shell # nested native ${JO:-jo} a[]=1 a[]=2 geo[lat]=111 geo[lon]=222 ```
Stichomyces is a genus of fungi in the family Laboulbeniaceae. The genus contain 7 species. References External links Stichomyces at Index Fungorum Laboulbeniomycetes
```c++ //===- AMDGPUPerfHintAnalysis.cpp - analysis of functions memory traffic --===// // // See path_to_url for license information. // //===your_sha256_hash------===// // /// \file /// \brief Analyzes if a function potentially memory bound and if a kernel /// kernel may benefit from limiting number of waves to reduce cache thrashing. /// //===your_sha256_hash------===// #include "AMDGPU.h" #include "AMDGPUPerfHintAnalysis.h" #include "Utils/AMDGPUBaseInfo.h" #include "llvm/ADT/SmallSet.h" #include "llvm/ADT/Statistic.h" #include "llvm/Analysis/CallGraph.h" #include "llvm/Analysis/ValueTracking.h" #include "llvm/CodeGen/TargetLowering.h" #include "llvm/CodeGen/TargetPassConfig.h" #include "llvm/CodeGen/TargetSubtargetInfo.h" #include "llvm/IR/Instructions.h" #include "llvm/IR/IntrinsicInst.h" #include "llvm/Support/CommandLine.h" #include "llvm/Target/TargetMachine.h" using namespace llvm; #define DEBUG_TYPE "amdgpu-perf-hint" static cl::opt<unsigned> MemBoundThresh("amdgpu-membound-threshold", cl::init(50), cl::Hidden, cl::desc("Function mem bound threshold in %")); static cl::opt<unsigned> LimitWaveThresh("amdgpu-limit-wave-threshold", cl::init(50), cl::Hidden, cl::desc("Kernel limit wave threshold in %")); static cl::opt<unsigned> IAWeight("amdgpu-indirect-access-weight", cl::init(1000), cl::Hidden, cl::desc("Indirect access memory instruction weight")); static cl::opt<unsigned> LSWeight("amdgpu-large-stride-weight", cl::init(1000), cl::Hidden, cl::desc("Large stride memory access weight")); static cl::opt<unsigned> LargeStrideThresh("amdgpu-large-stride-threshold", cl::init(64), cl::Hidden, cl::desc("Large stride memory access threshold")); STATISTIC(NumMemBound, "Number of functions marked as memory bound"); STATISTIC(NumLimitWave, "Number of functions marked as needing limit wave"); char llvm::AMDGPUPerfHintAnalysis::ID = 0; char &llvm::AMDGPUPerfHintAnalysisID = AMDGPUPerfHintAnalysis::ID; INITIALIZE_PASS(AMDGPUPerfHintAnalysis, DEBUG_TYPE, "Analysis if a function is memory bound", true, true) namespace { struct AMDGPUPerfHint { friend AMDGPUPerfHintAnalysis; public: AMDGPUPerfHint(AMDGPUPerfHintAnalysis::FuncInfoMap &FIM_, const TargetLowering *TLI_) : FIM(FIM_), DL(nullptr), TLI(TLI_) {} bool runOnFunction(Function &F); private: struct MemAccessInfo { const Value *V = nullptr; const Value *Base = nullptr; int64_t Offset = 0; MemAccessInfo() = default; bool isLargeStride(MemAccessInfo &Reference) const; #if !defined(NDEBUG) || defined(LLVM_ENABLE_DUMP) Printable print() const { return Printable([this](raw_ostream &OS) { OS << "Value: " << *V << '\n' << "Base: " << *Base << " Offset: " << Offset << '\n'; }); } #endif }; MemAccessInfo makeMemAccessInfo(Instruction *) const; MemAccessInfo LastAccess; // Last memory access info AMDGPUPerfHintAnalysis::FuncInfoMap &FIM; const DataLayout *DL; const TargetLowering *TLI; AMDGPUPerfHintAnalysis::FuncInfo *visit(const Function &F); static bool isMemBound(const AMDGPUPerfHintAnalysis::FuncInfo &F); static bool needLimitWave(const AMDGPUPerfHintAnalysis::FuncInfo &F); bool isIndirectAccess(const Instruction *Inst) const; /// Check if the instruction is large stride. /// The purpose is to identify memory access pattern like: /// x = a[i]; /// y = a[i+1000]; /// z = a[i+2000]; /// In the above example, the second and third memory access will be marked /// large stride memory access. bool isLargeStride(const Instruction *Inst); bool isGlobalAddr(const Value *V) const; bool isLocalAddr(const Value *V) const; bool isGlobalLoadUsedInBB(const Instruction &) const; }; static std::pair<const Value *, const Type *> getMemoryInstrPtrAndType( const Instruction *Inst) { if (auto LI = dyn_cast<LoadInst>(Inst)) return {LI->getPointerOperand(), LI->getType()}; if (auto SI = dyn_cast<StoreInst>(Inst)) return {SI->getPointerOperand(), SI->getValueOperand()->getType()}; if (auto AI = dyn_cast<AtomicCmpXchgInst>(Inst)) return {AI->getPointerOperand(), AI->getCompareOperand()->getType()}; if (auto AI = dyn_cast<AtomicRMWInst>(Inst)) return {AI->getPointerOperand(), AI->getValOperand()->getType()}; if (auto MI = dyn_cast<AnyMemIntrinsic>(Inst)) return {MI->getRawDest(), Type::getInt8Ty(MI->getContext())}; return {nullptr, nullptr}; } bool AMDGPUPerfHint::isIndirectAccess(const Instruction *Inst) const { LLVM_DEBUG(dbgs() << "[isIndirectAccess] " << *Inst << '\n'); SmallSet<const Value *, 32> WorkSet; SmallSet<const Value *, 32> Visited; if (const Value *MO = getMemoryInstrPtrAndType(Inst).first) { if (isGlobalAddr(MO)) WorkSet.insert(MO); } while (!WorkSet.empty()) { const Value *V = *WorkSet.begin(); WorkSet.erase(*WorkSet.begin()); if (!Visited.insert(V).second) continue; LLVM_DEBUG(dbgs() << " check: " << *V << '\n'); if (auto LD = dyn_cast<LoadInst>(V)) { auto M = LD->getPointerOperand(); if (isGlobalAddr(M)) { LLVM_DEBUG(dbgs() << " is IA\n"); return true; } continue; } if (auto GEP = dyn_cast<GetElementPtrInst>(V)) { auto P = GEP->getPointerOperand(); WorkSet.insert(P); for (unsigned I = 1, E = GEP->getNumIndices() + 1; I != E; ++I) WorkSet.insert(GEP->getOperand(I)); continue; } if (auto U = dyn_cast<UnaryInstruction>(V)) { WorkSet.insert(U->getOperand(0)); continue; } if (auto BO = dyn_cast<BinaryOperator>(V)) { WorkSet.insert(BO->getOperand(0)); WorkSet.insert(BO->getOperand(1)); continue; } if (auto S = dyn_cast<SelectInst>(V)) { WorkSet.insert(S->getFalseValue()); WorkSet.insert(S->getTrueValue()); continue; } if (auto E = dyn_cast<ExtractElementInst>(V)) { WorkSet.insert(E->getVectorOperand()); continue; } LLVM_DEBUG(dbgs() << " dropped\n"); } LLVM_DEBUG(dbgs() << " is not IA\n"); return false; } // Returns true if the global load `I` is used in its own basic block. bool AMDGPUPerfHint::isGlobalLoadUsedInBB(const Instruction &I) const { const auto *Ld = dyn_cast<LoadInst>(&I); if (!Ld) return false; if (!isGlobalAddr(Ld->getPointerOperand())) return false; for (const User *Usr : Ld->users()) { if (const Instruction *UsrInst = dyn_cast<Instruction>(Usr)) { if (UsrInst->getParent() == I.getParent()) return true; } } return false; } AMDGPUPerfHintAnalysis::FuncInfo *AMDGPUPerfHint::visit(const Function &F) { AMDGPUPerfHintAnalysis::FuncInfo &FI = FIM[&F]; LLVM_DEBUG(dbgs() << "[AMDGPUPerfHint] process " << F.getName() << '\n'); for (auto &B : F) { LastAccess = MemAccessInfo(); unsigned UsedGlobalLoadsInBB = 0; for (auto &I : B) { if (const Type *Ty = getMemoryInstrPtrAndType(&I).second) { unsigned Size = divideCeil(Ty->getPrimitiveSizeInBits(), 32); // TODO: Check if the global load and its user are close to each other // instead (Or do this analysis in GCNSchedStrategy?). if (isGlobalLoadUsedInBB(I)) UsedGlobalLoadsInBB += Size; if (isIndirectAccess(&I)) FI.IAMInstCost += Size; if (isLargeStride(&I)) FI.LSMInstCost += Size; FI.MemInstCost += Size; FI.InstCost += Size; continue; } if (auto *CB = dyn_cast<CallBase>(&I)) { Function *Callee = CB->getCalledFunction(); if (!Callee || Callee->isDeclaration()) { ++FI.InstCost; continue; } if (&F == Callee) // Handle immediate recursion continue; auto Loc = FIM.find(Callee); if (Loc == FIM.end()) continue; FI.MemInstCost += Loc->second.MemInstCost; FI.InstCost += Loc->second.InstCost; FI.IAMInstCost += Loc->second.IAMInstCost; FI.LSMInstCost += Loc->second.LSMInstCost; } else if (auto *GEP = dyn_cast<GetElementPtrInst>(&I)) { TargetLoweringBase::AddrMode AM; auto *Ptr = GetPointerBaseWithConstantOffset(GEP, AM.BaseOffs, *DL); AM.BaseGV = dyn_cast_or_null<GlobalValue>(const_cast<Value *>(Ptr)); AM.HasBaseReg = !AM.BaseGV; if (TLI->isLegalAddressingMode(*DL, AM, GEP->getResultElementType(), GEP->getPointerAddressSpace())) // Offset will likely be folded into load or store continue; ++FI.InstCost; } else { ++FI.InstCost; } } if (!FI.HasDenseGlobalMemAcc) { unsigned GlobalMemAccPercentage = UsedGlobalLoadsInBB * 100 / B.size(); if (GlobalMemAccPercentage > 50) { LLVM_DEBUG(dbgs() << "[HasDenseGlobalMemAcc] Set to true since " << B.getName() << " has " << GlobalMemAccPercentage << "% global memory access\n"); FI.HasDenseGlobalMemAcc = true; } } } return &FI; } bool AMDGPUPerfHint::runOnFunction(Function &F) { const Module &M = *F.getParent(); DL = &M.getDataLayout(); if (F.hasFnAttribute("amdgpu-wave-limiter") && F.hasFnAttribute("amdgpu-memory-bound")) return false; const AMDGPUPerfHintAnalysis::FuncInfo *Info = visit(F); LLVM_DEBUG(dbgs() << F.getName() << " MemInst cost: " << Info->MemInstCost << '\n' << " IAMInst cost: " << Info->IAMInstCost << '\n' << " LSMInst cost: " << Info->LSMInstCost << '\n' << " TotalInst cost: " << Info->InstCost << '\n'); bool Changed = false; if (isMemBound(*Info)) { LLVM_DEBUG(dbgs() << F.getName() << " is memory bound\n"); NumMemBound++; F.addFnAttr("amdgpu-memory-bound", "true"); Changed = true; } if (AMDGPU::isEntryFunctionCC(F.getCallingConv()) && needLimitWave(*Info)) { LLVM_DEBUG(dbgs() << F.getName() << " needs limit wave\n"); NumLimitWave++; F.addFnAttr("amdgpu-wave-limiter", "true"); Changed = true; } return Changed; } bool AMDGPUPerfHint::isMemBound(const AMDGPUPerfHintAnalysis::FuncInfo &FI) { // Reverting optimal scheduling in favour of occupancy with basic block(s) // having dense global memory access can potentially hurt performance. if (FI.HasDenseGlobalMemAcc) return true; return FI.MemInstCost * 100 / FI.InstCost > MemBoundThresh; } bool AMDGPUPerfHint::needLimitWave(const AMDGPUPerfHintAnalysis::FuncInfo &FI) { return ((FI.MemInstCost + FI.IAMInstCost * IAWeight + FI.LSMInstCost * LSWeight) * 100 / FI.InstCost) > LimitWaveThresh; } bool AMDGPUPerfHint::isGlobalAddr(const Value *V) const { if (auto PT = dyn_cast<PointerType>(V->getType())) { unsigned As = PT->getAddressSpace(); // Flat likely points to global too. return As == AMDGPUAS::GLOBAL_ADDRESS || As == AMDGPUAS::FLAT_ADDRESS; } return false; } bool AMDGPUPerfHint::isLocalAddr(const Value *V) const { if (auto PT = dyn_cast<PointerType>(V->getType())) return PT->getAddressSpace() == AMDGPUAS::LOCAL_ADDRESS; return false; } bool AMDGPUPerfHint::isLargeStride(const Instruction *Inst) { LLVM_DEBUG(dbgs() << "[isLargeStride] " << *Inst << '\n'); MemAccessInfo MAI = makeMemAccessInfo(const_cast<Instruction *>(Inst)); bool IsLargeStride = MAI.isLargeStride(LastAccess); if (MAI.Base) LastAccess = std::move(MAI); return IsLargeStride; } AMDGPUPerfHint::MemAccessInfo AMDGPUPerfHint::makeMemAccessInfo(Instruction *Inst) const { MemAccessInfo MAI; const Value *MO = getMemoryInstrPtrAndType(Inst).first; LLVM_DEBUG(dbgs() << "[isLargeStride] MO: " << *MO << '\n'); // Do not treat local-addr memory access as large stride. if (isLocalAddr(MO)) return MAI; MAI.V = MO; MAI.Base = GetPointerBaseWithConstantOffset(MO, MAI.Offset, *DL); return MAI; } bool AMDGPUPerfHint::MemAccessInfo::isLargeStride( MemAccessInfo &Reference) const { if (!Base || !Reference.Base || Base != Reference.Base) return false; uint64_t Diff = Offset > Reference.Offset ? Offset - Reference.Offset : Reference.Offset - Offset; bool Result = Diff > LargeStrideThresh; LLVM_DEBUG(dbgs() << "[isLargeStride compare]\n" << print() << "<=>\n" << Reference.print() << "Result:" << Result << '\n'); return Result; } } // namespace bool AMDGPUPerfHintAnalysis::runOnSCC(CallGraphSCC &SCC) { auto *TPC = getAnalysisIfAvailable<TargetPassConfig>(); if (!TPC) return false; const TargetMachine &TM = TPC->getTM<TargetMachine>(); bool Changed = false; for (CallGraphNode *I : SCC) { Function *F = I->getFunction(); if (!F || F->isDeclaration()) continue; const TargetSubtargetInfo *ST = TM.getSubtargetImpl(*F); AMDGPUPerfHint Analyzer(FIM, ST->getTargetLowering()); if (Analyzer.runOnFunction(*F)) Changed = true; } return Changed; } bool AMDGPUPerfHintAnalysis::isMemoryBound(const Function *F) const { auto FI = FIM.find(F); if (FI == FIM.end()) return false; return AMDGPUPerfHint::isMemBound(FI->second); } bool AMDGPUPerfHintAnalysis::needsWaveLimiter(const Function *F) const { auto FI = FIM.find(F); if (FI == FIM.end()) return false; return AMDGPUPerfHint::needLimitWave(FI->second); } ```
Matt Nixson is a British journalist, PR executive and author. Early life Born in Manchester, Nixson grew up in Disley, Cheshire, and attended Poynton County High School. Education He attended the University of Warwick (1992-1995) where he studied English and American Literature and ran the Offbeat music society, as well as creating and DJing at Supersonic, a Student's Union indie disco, for two years. Career After starting his newspaper career in New Smyrna Beach, Florida, Nixson returned to the UK in 1997 and worked for a number of local, regional and national newspapers including the Hendon & Finchley Times, Brighton Argus, Evening Standard, Mail on Sunday, before joining News International in January 2005. He worked as Features Editor for The News of the World (Jan 2005 - Dec 2010) before being promoted to Head of Features on The Sun (Jan 2011 - July 2011). In 2012 Nixson began working in PR, initially looking after the family of Stockwell shooting victim Thusha Kamleswaran. In June 2012, he joined AOB PR. He returned to Associated Newspapers in January 2013 and has worked in a series of senior roles, most recently as Books Editor for the Mail on Sunday. Legal case Nixson was dismissed from News International in July 2011 at the height of the phone hacking scandal but was told six weeks later that he was of no interest to police investigating allegations of wrongdoing at the company. Media commentator Roy Greenslade revealed in his blog that, four months after his dismissal, Nixson had still not been given a reason for his sacking. However, Greenslade wrote "I have been given information about the reason for his dismissal. It involves a payment though I cannot disclose the details. However, I do know - as the police decision confirms - that it did not involve illegality". It later emerged Nixson had allegedly sanctioned a payment for a story about jailed Soham killer Ian Huntley. With the support of the NUJ, Nixson subsequently launched legal action against News International for wrongful dismissal, stating that he had never engaged in phone hacking or any other illicit newsgathering activities. In July 2012, Press Gazette featured Nixson's case in an article entitled "Why has NI put Nixson in suspended animation?". Writing a few days later, Editor Dominic Ponsford revealed the story had "generated the most impassioned response of any story I've worked on at Press Gazette" with "some 150 comments (at the time of writing)". Ponsford wrote that "Journalists from across the industry have put their heads above the parapet with signed comments testifying to Nixson’s professionalism and urging the publisher to either reinstate him or settle the case – thereby allowing him get on with his life and support his family". The story was subsequently taken up by Martin Bright on his The Spectator blog and Roy Greenslade in The Guardian. The Guardian also reported Nixson was in talks to return to The Sun. On 4 October 2012, Press Gazette reported the case had been settled, with Nixson saying in a statement: "I am particularly grateful to the many journalists, former colleagues and friends in the press, including at News International, who have provided incredible support to me and my family over the last year.” In his Guardian blog, commentator Roy Greenslade wrote: "We cannot know how much Nixson got from News International but I am certain his lawyers performed well on his behalf. The company paid him compensation and his costs, and Press Gazette is suggesting it could have cost the publisher as much as £1m." Personal Nixson was born in Manchester and brought up in Cheshire. He is married with one daughter and one son and lives in South London. References External links LinkedIn Twitter @MattNixson Alumni of the University of Warwick Journalists from Manchester People from Disley 1974 births Living people
```c++ // Boost string_algo library trim.hpp header file ---------------------------// // // (See accompanying file LICENSE_1_0.txt or copy at // path_to_url // See path_to_url for updates, documentation, and revision history. #ifndef BOOST_STRING_TRIM_DETAIL_HPP #define BOOST_STRING_TRIM_DETAIL_HPP #include <boost/algorithm/string/config.hpp> #include <iterator> namespace boost { namespace algorithm { namespace detail { // trim iterator helper -----------------------------------------------// template< typename ForwardIteratorT, typename PredicateT > inline ForwardIteratorT trim_end_iter_select( ForwardIteratorT InBegin, ForwardIteratorT InEnd, PredicateT IsSpace, std::forward_iterator_tag ) { ForwardIteratorT TrimIt=InBegin; for( ForwardIteratorT It=InBegin; It!=InEnd; ++It ) { if ( !IsSpace(*It) ) { TrimIt=It; ++TrimIt; } } return TrimIt; } template< typename ForwardIteratorT, typename PredicateT > inline ForwardIteratorT trim_end_iter_select( ForwardIteratorT InBegin, ForwardIteratorT InEnd, PredicateT IsSpace, std::bidirectional_iterator_tag ) { for( ForwardIteratorT It=InEnd; It!=InBegin; ) { if ( !IsSpace(*(--It)) ) return ++It; } return InBegin; } // Search for first non matching character from the beginning of the sequence template< typename ForwardIteratorT, typename PredicateT > inline ForwardIteratorT trim_begin( ForwardIteratorT InBegin, ForwardIteratorT InEnd, PredicateT IsSpace ) { ForwardIteratorT It=InBegin; for(; It!=InEnd; ++It ) { if (!IsSpace(*It)) return It; } return It; } // Search for first non matching character from the end of the sequence template< typename ForwardIteratorT, typename PredicateT > inline ForwardIteratorT trim_end( ForwardIteratorT InBegin, ForwardIteratorT InEnd, PredicateT IsSpace ) { typedef BOOST_STRING_TYPENAME std::iterator_traits<ForwardIteratorT>::iterator_category category; return ::boost::algorithm::detail::trim_end_iter_select( InBegin, InEnd, IsSpace, category() ); } } // namespace detail } // namespace algorithm } // namespace boost #endif // BOOST_STRING_TRIM_DETAIL_HPP ```
Pacelli is an Italian surname. Notable people with the surname include: Asprilio Pacelli (1570–1623), Italian Baroque composer Ernesto Pacelli (died 1925), Vatican financial adviser, cousin of Pius XII Eugenio Pacelli (1876–1958), Pope Pius XII Francesco Pacelli (1872–1935), Vatican lawyer, elder brother of Pius XII Frank Pacelli (1934–1999), American TV personality Vincent "Vinny Basile" Pacelli, American Mafioso indicted in Operation Old Bridge William V. Pacelli (1893–1942), American politician Italian-language surnames
```objective-c //=============================================================================== //=============================================================================== // // Permission is hereby granted, free of charge, to any person obtaining a copy // of this software and associated documentation files(the "Software"), to deal // in the Software without restriction, including without limitation the rights // to use, copy, modify, merge, publish, distribute, sublicense, and / or sell // copies of the Software, and to permit persons to whom the Software is // furnished to do so, subject to the following conditions : // // The above copyright notice and this permission notice shall be included in // all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT.IN NO EVENT SHALL THE // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN // THE SOFTWARE. // // File Name: Codec_DXT5.h // Description: interface for the CCodec_DXT5 class // ////////////////////////////////////////////////////////////////////////////// #ifndef _CODEC_DXT5_H_INCLUDED_ #define _CODEC_DXT5_H_INCLUDED_ #include "codec_common.h" #include "codec_dxtc.h" class CCodec_DXT5 : public CCodec_DXTC { public: CCodec_DXT5(); virtual ~CCodec_DXT5(); virtual CodecError Compress(CCodecBuffer& bufferIn, CCodecBuffer& bufferOut, Codec_Feedback_Proc pFeedbackProc = NULL, CMP_DWORD_PTR pUser1 = NULL, CMP_DWORD_PTR pUser2 = NULL); virtual CodecError Compress_Fast(CCodecBuffer& bufferIn, CCodecBuffer& bufferOut, Codec_Feedback_Proc pFeedbackProc = NULL, CMP_DWORD_PTR pUser1 = NULL, CMP_DWORD_PTR pUser2 = NULL); virtual CodecError Compress_SuperFast(CCodecBuffer& bufferIn, CCodecBuffer& bufferOut, Codec_Feedback_Proc pFeedbackProc = NULL, CMP_DWORD_PTR pUser1 = NULL, CMP_DWORD_PTR pUser2 = NULL); virtual CodecError Decompress(CCodecBuffer& bufferIn, CCodecBuffer& bufferOut, Codec_Feedback_Proc pFeedbackProc = NULL, CMP_DWORD_PTR pUser1 = NULL, CMP_DWORD_PTR pUser2 = NULL); }; #endif // !defined(_CODEC_DXT5_H_INCLUDED_) ```
In economics, a durable good or a hard good or consumer durable is a good that does not quickly wear out or, more specifically, one that yields utility over time rather than being completely consumed in one use. Items like bricks could be considered perfectly durable goods because they should theoretically never wear out. Highly durable goods such as refrigerators or cars usually continue to be useful for several years of use, so durable goods are typically characterized by long periods between successive purchases. Durable goods are known to form an imperative part of economic production. This can be exemplified from the fact that personal expenditures on durables exceeded the total value of $800 billion in 2000. In the year 2000 itself, durable goods production composed of approximately 60 percent of aggregate production within the manufacturing sector in the United States. Examples of consumer durable goods include vehicles, books, household goods (home appliances, consumer electronics, furniture, tools, etc.), sports equipment, jewelry, medical equipment, and toys. Nondurable goods or soft goods (consumables) are the opposite of durable goods. They may be defined either as goods that are immediately consumed in one use or ones that have a lifespan of less than three years. Examples of nondurable goods include fast-moving consumer goods such as food, cosmetics, cleaning products, medication, clothing, packaging and fuel. While durable goods can usually be rented as well as bought, nondurable goods generally are not rented. Durability According to Cooper (1994, p5) "durability is the ability of a product to perform its required function over a lengthy period under normal conditions of use without excessive expenditure on maintenance or repair". Several units may be used to measure the durability of a product according to its field of application such as years of existence, hours of use and operational cycles. Product life spans and sustainable consumption The life span of household goods is significant for sustainable consumption. The longer product life spans could contribute to eco-efficiency and sufficiency, thus slowing consumption in order to progress towards a sustainable consumption. Cooper (2005) proposed a model to demonstrate the crucial role of product life spans for sustainable production and consumption. Durability, as a characteristic relating to the quality of goods that can be demanded by consumers, was not clear until an amendment of the law in 1994 relating to the quality standards for supplied goods. See also Coase conjecture Disposable product Industrial organization Pacman conjecture Planned obsolescence Putty-putty References Goods (economics) Waste minimisation
Fahim is a 2019 French biographical comedy drama film directed by Pierre-François Martin-Laval. It is based on the autobiographical book by Fahim Mohammad, Xavier Parmentier and Sophie Le Callennec. The film stars Assad Ahmed, Gérard Depardieu, Mizanur Rahaman and Isabelle Nanty. Cast Assad Ahmed as Fahim Mohammad Gérard Depardieu as Sylvain Charpentier Mizanur Rahaman as Nura Isabelle Nanty as Mathilde Sarah Touffic Othman-Schmitt as Luna Victor Herroux as Louis Tiago Toubi as Max Alexandre Naud as Alex Pierre Gommé as Eliot Axel Keravec as Dufard Didier Flamand as Fressin Pierre-François Martin-Laval as Peroni Sabrina Uddin as Mahamuda Release It had its premiere at the Angoulême Francophone Film Festival on August 23, 2019. It was released in France by Wild Bunch Distribution on October 16, 2019. References External links Fahim on Twitter 2019 films 2010s Bengali-language films 2019 comedy-drama films Bengali-language biographical films 2010s French-language films French biographical drama films French comedy-drama films Films about chess Films about refugees Films about illegal immigration to Europe Films set in Bangladesh Films set in Dhaka Films set in India Films set in Paris Films set in Marseille Films set in 2011 Films set in 2012 Films shot in Paris Comedy-drama films based on actual events Biographical films about children Films based on autobiographies Films directed by Pierre-François Martin-Laval Wild Bunch (company) films Films about immigration to France 2010s French films
```shell Finding a tag Pushing tags to a server You can use git offline! The three states in git Remote repositories: viewing, editing and deleting ```
Chippie (hr2-Computermagazin) was a German radio program. It was one of the first programs on computer topics, produced by the Hessischer Rundfunk (Hessian Broadcasting). History Chippie started in 1990. At first it was broadcast together with the youth magazine Radio unfrisiert, who won the Civis media prize that year. Later it got its own one-hour slot. The show was hosted by Claudia Bultje and Patrick Conley. Topics on the program were, for example: "Computer in Theater, Opera and Rock Concert" (2 May 1992), "Computer and Money" (5 September 1992), "Computers and Sex" (24 October 1992) and "Data Networks" (2 July 1994). The first computer magazine in German radio was Bit, byte, gebissen (BR, 1985). Today well-known programs are the Chaosradio (RBB) and Matrix (ORF). References Barbara Krebs: "Chippie – das Computermagazin". In: PCpur & TEST Magazin, Vol. 5, No. 3 (March 1992): p. 154. External links Game Boy & Co. Interview mit Chippie-Moderator Patrick Conley (hr3, 24. November 1991) 1990 radio programme debuts German talk radio programs Science radio programmes Hessischer Rundfunk
Khojasan is a Baku Metro station. It was opened on 23 December 2022. The station is ground-based. See also List of Baku metro stations Reference Baku Metro stations Railway stations opened in 2022 2022 establishments in Azerbaijan Azerbaijan stubs European rapid transit stubs
Boris Škanata (18 May 1927 – 20 October 1962) was a Yugoslav swimmer who won a bronze medal in the 100 m backstroke at the 1950 European Aquatics Championships. He finished seventh in the same event at the 1952 Summer Olympics. Death Škanata died in a car crash on 20 October 1962 at the 25th kilometre of the Belgrade–Zagreb highway. Also killed with him were FK Partizan footballers Čedomir Lazarević and Bruno Belin and Radnički footballer Vladimir Josipović. Personal life He had a son named Aleksandar (born 1951). References 1927 births 1962 deaths People from Tivat Male backstroke swimmers Swimmers at the 1952 Summer Olympics Olympic swimmers for Yugoslavia Montenegrin male swimmers Montenegrin male water polo players Yugoslav male swimmers European Aquatics Championships medalists in swimming Road incident deaths in Yugoslavia Road incident deaths in Serbia
```php <?php namespace MathPHP\Tests\Statistics\Multivariate\PCA; use MathPHP\Functions\Map\Multi; use MathPHP\LinearAlgebra\NumericMatrix; use MathPHP\LinearAlgebra\MatrixFactory; use MathPHP\SampleData; use MathPHP\Statistics\Multivariate\PCA; use MathPHP\Exception; class CenterTrueScaleTrueTest extends \PHPUnit\Framework\TestCase { /** @var PCA */ private static $pca; /** @var NumericMatrix */ private static $matrix; /** * R code for expected values: * library(mdatools) * data = mtcars[,c(1:7,10,11)] * model = pca(data, center=TRUE, scale=TRUE) * * @throws Exception\MathException */ public static function setUpBeforeClass(): void { $mtCars = new SampleData\MtCars(); // Remove and categorical variables self::$matrix = MatrixFactory::create($mtCars->getData())->columnExclude(8)->columnExclude(7); self::$pca = new PCA(self::$matrix, true, true); } /** * @test The class returns the correct R-squared values * * R code for expected values: * model$calres$expvar / 100 */ public function testRsq() { // Given $expected = [0.628437719, 0.231344477, 0.056023869, 0.029447503, 0.020350960, 0.013754799, 0.011673547, 0.006501528, 0.002465598]; // When $R2 = self::$pca->getR2(); // Then $this->assertEqualsWithDelta($expected, $R2, .00001); } /** * @test The class returns the correct cumulative R-squared values * * R code for expected values: * model$calres$cumexpvar / 100 */ public function testCumRsq() { // Given $expected = [0.6284377, 0.8597822, 0.9158061, 0.9452536, 0.9656045, 0.9793593, 0.9910329, 0.9975344, 1.0000000]; // When $cumR2 = self::$pca->getCumR2(); // Then $this->assertEqualsWithDelta($expected, $cumR2, .00001); } /** * @test The class returns the correct loadings * * R code for expected values: * model$loadings * * @throws \Exception */ public function testLoadings() { // Given $expected = [ [-0.3931477, 0.02753861, -0.22119309, -0.006126378, -0.320762, 0.72015586, -0.38138068, -0.12465987, 0.11492862], [0.4025537, 0.01570975, -0.25231615, 0.040700251, 0.1171397, 0.2243255, -0.15893251, 0.81032177, 0.16266295], [0.3973528, -0.08888469, -0.07825139, 0.339493732, -0.4867849, -0.01967516, -0.18233095, -0.06416707, -0.66190812], [0.3670814, 0.26941371, -0.01721159, 0.068300993, -0.2947317, 0.35394225, 0.69620751, -0.16573993, 0.25177306], [-0.3118165, 0.34165268, 0.14995507, 0.845658485, 0.1619259, -0.01536794, 0.04767957, 0.13505066, 0.03809096], [0.3734771, -0.17194306, 0.45373418, 0.191260029, -0.1874822, -0.08377237, -0.42777608, -0.19839375, 0.56918844], [-0.2243508, -0.48404435, 0.62812782, -0.030329127, -0.1482495, 0.2575294, 0.27622581, 0.3561335, -0.16873731], [-0.2094749, 0.55078264, 0.20658376, -0.282381831, -0.562486, -0.32298239, -0.08555707, 0.31636479, 0.04719694], [0.2445807, 0.4843131, 0.46412069, -0.214492216, 0.399782, 0.35706914, -0.2060421, -0.10832772, -0.32045892] ]; // And since each column could be multiplied by -1, we will compare the two and adjust. $loadings = self::$pca->getLoadings(); $load_array = $loadings->getMatrix(); // Get an array that's roughly ones and negative ones. $quotiant = Multi::divide($expected[1], $load_array[1]); // Convert to exactly one or negative one. Cannot be zero. $signum = \array_map( function ($x) { return $x <=> 0; }, $quotiant ); $sign_change = MatrixFactory::diagonal($signum); // Multiplying a sign change matrix on the right changes column signs. $sign_adjusted = $loadings->multiply($sign_change); // Then $this->assertEqualsWithDelta($expected, $sign_adjusted->getMatrix(), .00001); } /** * @test The class returns the correct scores * * R code for expected values: * model$calres$scores * new = matrix(c(1:9), 1, 9) * result = predict(model, new) * result$scores * * @throws \Exception */ public function testScores() { // Given $expected = [ [-0.66422351, 1.1734476, -0.20431724, -0.12601751, 0.75200784, -0.12506777, -0.42357334, -0.003259165, -0.167051112], [-0.63719807, 0.9769448, 0.11077779, -0.08567709, 0.65668822, -0.06619437, -0.44849307, 0.056643244, -0.071592094], [-2.29973601, -0.3265893, -0.21014955, -0.10862524, -0.07622329, -0.56693648, 0.38612406, -0.202035744, 0.11450503], [-0.2152967, -1.9768101, -0.32946822, -0.30806225, -0.24391787, 0.08382435, 0.03299362, -0.023714111, -0.145255757], [1.58697405, -0.8287285, -1.03299254, 0.14738418, -0.22270405, 0.18280435, -0.05793795, 0.152342587, -0.154646072], [0.04960512, -2.4466838, 0.11177774, -0.87154914, -0.12574876, -0.23043022, 0.22451528, 0.098663134, -0.004233901], [2.71439677, 0.3610529, -0.65206041, 0.09633337, 0.29674234, 0.27763557, 0.44227307, -0.306373481, -0.18698081], [-2.04370658, -0.8006412, 0.84898795, -0.27451338, -0.26307848, -0.19042527, -0.394164, -0.187088365, -0.01046133], [-2.29506729, -1.3056004, 1.9684845, 0.05055875, -0.45988113, 0.20443847, 0.53713423, 0.413455512, -0.169005773], [-0.38252133, 0.5811211, 0.88632274, 0.07026946, 0.45835852, -0.07984989, -0.26113412, 0.204105964, 0.110461785], [-0.36652708, 0.4121971, 1.1486095, 0.06150898, 0.48309076, -0.16066456, -0.07979514, 0.352641772, 0.027108266], [1.88466875, -0.7241198, -0.20604588, -0.21856675, 0.27996207, 0.17135058, -0.0891448, 0.092140434, 0.396034809], [1.67107231, -0.7144354, -0.32644071, -0.28933625, 0.28061777, 0.33682412, 0.03346598, 0.182323579, 0.196526577], [1.77692371, -0.8411687, -0.08557921, -0.28421711, 0.34961695, 0.13926264, 0.20632469, 0.295340402, 0.147796262], [3.64958983, -0.9480878, 0.88315862, 0.21645793, -0.34788247, -0.24002207, -0.31053111, -0.171865268, -0.251117818], [3.71033756, -0.8426945, 0.93230325, 0.34099021, -0.34260485, -0.22646211, -0.28589695, -0.239313268, -0.028994385], [3.331963, -0.4805609, 0.67061959, 0.65189724, -0.43940743, 0.3104575, -0.38304409, -0.359765688, 0.223097923], [-3.45236266, -0.4327074, -0.22604214, 0.10018032, -0.33470301, 0.57303421, -0.24650594, -0.066340528, 0.220271421], [-3.85477722, 0.7084152, -0.22670973, 1.19340342, 0.53954318, 0.37207104, -0.20055288, 0.087333576, -0.241702175], [-3.85488283, -0.3872111, -0.25488964, 0.21962306, -0.30372397, 0.83750899, -0.10186868, 0.104053562, 0.042833437], [-1.90375523, -1.5725638, 0.06620424, 0.07989679, 0.5012657, -0.07212137, 0.74680802, -0.408144457, -0.082722856], [1.80402354, -1.1340965, -1.00776416, -0.58796239, 0.09903732, -0.33920894, -0.14045443, 0.156086022, -0.050247532], [1.46483534, -0.9777629, -0.76680342, -0.03308788, 0.26871378, -0.31479492, 0.03753417, 0.370979414, -0.043466032], [2.60135738, 0.7649595, -0.4891514, 0.9524755, 0.53065965, 0.05970074, 0.38212238, -0.28961299, 0.08206984], [1.87424485, -0.9791561, -0.89787633, 0.22438738, -0.50770999, 0.20785973, -0.32709161, 0.027471038, -0.130958896], [-3.14830645, -0.2552569, -0.36230545, 0.06406082, 0.03361267, -0.0958673, 0.1035227, -0.020876499, 0.021084764], [-2.77939557, 1.6373369, -0.35969974, 0.3188654, -0.4325103, -0.69006515, -0.2631312, -0.105695694, 0.085027267], [-2.90895427, 1.3962368, -0.91635036, -0.90254314, -0.75861156, 0.05473409, -0.03491081, -0.236552376, -0.04634105], [1.54812696, 3.0206982, -0.51945216, 0.8656085, -0.86048411, -0.50704173, 0.37940892, 0.548070377, 0.053196712], [0.08049995, 2.8346567, 0.34481747, -1.14659658, 0.29944552, -0.08124583, -0.26924964, -0.123537656, -0.047915313], [2.96252801, 3.9993896, 0.70296512, -0.73000448, -0.22756074, 0.65580986, 0.49422807, -0.082329298, -0.053112079], [-1.90443632, 0.108419, 0.39906976, 0.31285789, 0.11738974, -0.48091826, 0.31102454, -0.315146031, 0.165790892], ]; // And since each column could be multiplied by -1, we will compare the two and adjust. $scores = self::$pca->getScores(); $score_array = $scores->getMatrix(); // Get an array that's roughly ones and negative ones. $quotiant = Multi::divide($expected[1], $score_array[1]); // Convert to exactly one or negative one. Cannot be zero. $signum = \array_map( function ($x) { return $x <=> 0; }, $quotiant ); $signature = MatrixFactory::diagonal($signum); // Multiplying a sign change matrix on the right changes column signs. $sign_adjusted = $scores->multiply($signature); // Then $this->assertEqualsWithDelta($expected, $sign_adjusted->getMatrix(), .00001); // And Given $expected = MatrixFactory::create([[0.1257286, 7.899684, 2.327884, -0.366373, 1.284736, -5.869623, -3.59103, -1.97999, 1.738207]]); $sign_adjusted = $expected->multiply($signature); // When $scores = self::$pca->getScores(MatrixFactory::create([[1,2,3,4,5,6,7,8,9]])); // Then $this->assertEqualsWithDelta($sign_adjusted->getMatrix(), $scores->getMatrix(), .00001); } /** * @test The class returns the correct eigenvalues * * R code for expected values: * model$eigenvals */ public function testEigenvalues() { // Given $expected = [5.65593947, 2.08210029, 0.50421482, 0.26502753, 0.18315864, 0.12379319, 0.105061920, .05851375, 0.02219038]; // When $eigenvalues = self::$pca->getEigenvalues()->getVector(); // Then $this->assertEqualsWithDelta($expected, $eigenvalues, .00001); } /** * @test The class returns the correct critical T distances * * R code for expected values: * model$T2lim */ public function testCriticalT2() { // Given $expected = [4.159615, 6.852714, 9.40913, 12.01948, 14.76453, 17.69939, 20.87304, 24.33584, 28.14389]; // When $criticalT2 = self::$pca->getCriticalT2(); // Then $this->assertEqualsWithDelta($expected, $criticalT2, .00001); } /** * @test The class returns the correct critical Q distances * * R code for expected values: * model$Qlim */ public function testCriticalQ() { // Given $expected = [9.799571, 3.054654, 1.785614, 1.200338, 0.7974437, 0.534007, 0.2584248, 0.08314212, 0]; // When $criticalQ = self::$pca->getCriticalQ(); // Then $this->assertEqualsWithDelta($expected, $criticalQ, .00001); } /** * @test The class returns the correct T distances * * R code for expected values: * model$calres$T2 * * @throws \Exception */ public function testGetTDistances() { // Given $expected = [ [0.0780052327, 0.7393467, 0.8221398, 0.8820597, 3.969633, 4.095989, 5.80369, 5.803872, 7.061447], [0.0717867274, 0.5301802, 0.5545185, 0.5822158, 2.936674, 2.97207, 4.886617, 4.94145, 5.172425], [0.9350852706, 0.9863127, 1.0739, 1.1184216, 1.150143, 3.746545, 5.16563, 5.863217, 6.454077], [0.008195397, 1.8850397, 2.1003236, 2.4584085, 2.783241, 2.840001, 2.850363, 2.859973, 3.810801], [0.4452817489, 0.7751366, 2.8914441, 2.9734058, 3.244193, 3.514139, 3.54609, 3.942719, 5.020456], [0.0004350591, 2.8755423, 2.9003219, 5.7664314, 5.852765, 6.281691, 6.761476, 6.927837, 6.928645], [1.3026924773, 1.365302, 2.2085592, 2.2435748, 2.724338, 3.347002, 5.208813, 6.812961, 8.388501], [0.7384691114, 1.046344, 2.4758548, 2.7601935, 3.138064, 3.430987, 4.909784, 5.507969, 5.512901], [0.9312924774, 1.7499814, 9.4350614, 9.4447064, 10.599392, 10.937012, 13.683137, 16.604595, 17.891772], [0.025870603, 0.1880634, 1.746066, 1.7646973, 2.91175, 2.963255, 3.61231, 4.324267, 4.874136], [0.023752393, 0.1053558, 2.7219067, 2.7361821, 4.01036, 4.218878, 4.279483, 6.404731, 6.437847], [0.6280081903, 0.879845, 0.9640451, 1.1442959, 1.572224, 1.809402, 1.885041, 2.030133, 9.098221], [0.4937256968, 0.7388714, 0.9502169, 1.2660915, 1.696027, 2.612478, 2.623139, 3.191242, 4.931757], [0.5582552432, 0.8980874, 0.9126126, 1.2174087, 1.884765, 2.04143, 2.446618, 3.93731, 4.921688], [2.3549590602, 2.7866724, 4.3335709, 4.5103602, 5.171111, 5.636489, 6.554324, 7.059123, 9.900902], [2.4340085101, 2.7750747, 4.498922, 4.9376475, 5.578502, 5.992783, 6.770772, 7.749531, 7.787415], [1.9628882995, 2.0738046, 2.9657471, 4.5692409, 5.623403, 6.401991, 7.798527, 10.010509, 12.253493], [2.1073082516, 2.1972346, 2.2985705, 2.3364386, 2.948073, 5.600628, 6.179002, 6.254217, 8.440727], [2.6272041022, 2.8682357, 2.9701711, 8.3439967, 9.933367, 11.051658, 11.434494, 11.564842, 14.197511], [2.6273480696, 2.6993583, 2.8282095, 3.0102068, 3.513859, 9.179932, 9.278705, 9.463741, 9.546421], [0.640792567, 1.8285149, 1.8372076, 1.8612938, 3.23315, 3.275168, 8.583677, 11.430562, 11.738942], [0.5754129681, 1.1931425, 3.2073408, 4.5117327, 4.565284, 5.494759, 5.682529, 6.09889, 6.21267], [0.379378631, 0.8385401, 2.0046849, 2.0088158, 2.403048, 3.203543, 3.216953, 5.568976, 5.654117], [1.196452022, 1.4774966, 1.9520346, 5.3751114, 6.912575, 6.941366, 8.331189, 9.764625, 10.068155], [0.621080505, 1.0815515, 2.6804372, 2.8704164, 4.277772, 4.626787, 5.645129, 5.658026, 6.430894], [1.752464565, 1.783758, 2.0440939, 2.0595783, 2.065747, 2.139988, 2.241994, 2.249442, 2.269476], [1.365827867, 2.6534085, 2.9100132, 3.2936532, 4.314982, 8.161639, 8.82066, 9.011582, 9.337382], [1.4961289803, 2.4324321, 4.0977897, 7.1713728, 10.313411, 10.337612, 10.349212, 11.305518, 11.402293], [0.4237487167, 4.8061589, 5.3413089, 8.1684797, 12.211057, 14.287837, 15.657993, 20.791506, 20.919034], [0.0011457411, 3.8603637, 4.0961741, 9.0567294, 9.546292, 9.599614, 10.289639, 10.550459, 10.653922], [1.5517443671, 9.2339474, 10.2140058, 12.224765, 12.507492, 15.981726, 18.306654, 18.422492, 18.549614], [0.6412511483, 0.6468967, 0.9627476, 1.3320679, 1.407305, 3.275602, 4.196356, 5.893684, 7.132357], ]; // When $TDistances = self::$pca->getT2Distances()->getMatrix(); // Then $this->assertEqualsWithDelta($expected, $TDistances, .00001); } /** * @test The class returns the correct T distances * * R code for expected values: * new = matrix(c(1:9), 1, 9) * result = predict(model, new) * result$T2 * * @throws \Exception */ public function testT2WithNewData() { // Given $expected = [[0.002794881, 29.97494, 40.72243, 41.2289, 50.24047, 328.5471, 451.289, 518.2879, 654.4443]]; $newdata = MatrixFactory::create([[1,2,3,4,5,6,7,8,9]]); // When $TDistances = self::$pca->getT2Distances($newdata)->getMatrix(); // Then $this->assertEqualsWithDelta($expected, $TDistances, .0001); } /** * @test The class returns the correct Q residuals * * R code for expected values: * model$calres$Q * * @throws \Exception */ public function testGetQResiduals() { // Given $expected = [ [2.2230939, 0.8461148, 0.80436922, 0.78848881, 0.22297302, 0.20733107, 0.0279166962, 0.02790607, 4.999714E-31], [1.6191345, 0.6647133, 0.65244159, 0.64510102, 0.21386161, 0.20947992, 0.008333885, 0.005125428, 6.842829E-31], [0.6928714, 0.5862109, 0.54204804, 0.53024859, 0.5244386, 0.20302164, 0.053929844, 0.0131114, 1.57464E-30], [4.2005024, 0.2927243, 0.18417497, 0.08927262, 0.0297767, 0.02275017, 0.0216615939, 0.02109923, 2.915298E-30], [1.9090817, 1.2222907, 0.1552171, 0.133495, 0.08389791, 0.05048048, 0.0471236715, 0.02391541, 1.932863E-30], [6.8874241, 0.9011625, 0.88866819, 0.12907029, 0.11325754, 0.06015945, 0.00975234, 0.00001792591, 2.53645E-30], [1.0543916, 0.9240324, 0.49884964, 0.48956953, 0.40151351, 0.324432, 0.1288265333, 0.03496182, 2.948984E-30], [1.7331133, 1.092087, 0.37130642, 0.29594882, 0.22673854, 0.19047676, 0.0351114957, 0.0001094394, 1.131099E-30], [6.3233872, 4.6187948, 0.74386353, 0.74130734, 0.52981669, 0.4880216, 0.199508412, 0.02856295, 3.754023E-30], [1.4667281, 1.1290264, 0.34345841, 0.33852062, 0.12842808, 0.12205208, 0.0538610506, 0.01220181, 7.749942E-31], [1.8836417, 1.7137353, 0.39443148, 0.39064813, 0.15727144, 0.13145834, 0.1250910774, 0.0007348581, 1.165573E-30], [0.8955959, 0.3712463, 0.32879143, 0.28102, 0.20264125, 0.17328022, 0.1653334295, 0.1568436, 1.146506E-30], [0.9658784, 0.4554604, 0.34889684, 0.26518138, 0.18643504, 0.07298456, 0.071864583, 0.0386227, 2.124879E-30], [1.0889335, 0.3813688, 0.37404503, 0.29326566, 0.17103365, 0.15163957, 0.1090696882, 0.02184374, 2.317664E-30], [2.0933538, 1.1944834, 0.41451424, 0.3676602, 0.24663799, 0.1890274, 0.0925978287, 0.06306016, 5.534352E-30], [2.0041095, 1.2939754, 0.42478607, 0.30851175, 0.19113367, 0.13984858, 0.0581115149, 0.0008406744, 4.42474E-30], [1.721029, 1.4900902, 1.04035958, 0.61538957, 0.42231067, 0.32592681, 0.1792040337, 0.04977268, 5.090618E-30], [0.8024469, 0.6152112, 0.56411615, 0.55408006, 0.44205395, 0.11368574, 0.0529205643, 0.0485195, 4.009016E-30], [2.5132733, 2.0114213, 1.96002398, 0.53581226, 0.24470541, 0.10626855, 0.066047095, 0.05841994, 4.686943E-30], [1.0798441, 0.9299116, 0.86494292, 0.81670863, 0.72446038, 0.02303907, 0.0126618472, 0.001834703, 8.184432E-30], [3.4713395, 0.9983825, 0.99399948, 0.98761599, 0.73634868, 0.73114719, 0.1734249687, 0.006843071, 2.761784E-30], [2.8189495, 1.5327746, 0.51718598, 0.1714862, 0.16167781, 0.04661511, 0.0268876607, 0.002524814, 2.742524E-30], [1.8573293, 0.9013091, 0.31332158, 0.31222677, 0.24001968, 0.14092384, 0.1395150215, 0.001889296, 2.143608E-30], [2.2534341, 1.6682712, 1.42900208, 0.5217925, 0.24019284, 0.23662866, 0.0906111425, 0.006735459, 3.858793E-30], [2.2411472, 1.2824005, 0.4762186, 0.4258689, 0.16809947, 0.12489381, 0.0179048904, 0.01715023, 3.575296E-30], [0.2224428, 0.1572867, 0.02602148, 0.02191769, 0.02078788, 0.01159734, 0.0008803955, 0.0004445673, 1.98756E-30], [3.6628254, 0.9819534, 0.85256946, 0.75089431, 0.56382916, 0.08763924, 0.0184012158, 0.007229636, 5.472723E-30], [4.2415698, 2.2920927, 1.45239473, 0.63781061, 0.0623191, 0.05932328, 0.0581045197, 0.002147493, 5.016662E-30], [11.5884126, 2.463795, 2.19396446, 1.44468638, 0.70425347, 0.44716216, 0.3032110286, 0.00282989, 3.386989E-30], [9.655183, 1.6199041, 1.50100503, 0.1863213, 0.09665368, 0.0900528, 0.0175574295, 0.002295877, 5.777982E-30], [17.7579146, 1.7627973, 1.26863739, 0.73573085, 0.68394696, 0.25386039, 0.0095990062, 0.002820893, 9.523531E-30], [0.737494, 0.7257394, 0.56648268, 0.46860262, 0.45482227, 0.22353991, 0.1268036408, 0.02748662, 2.271057E-30], ]; // When $qResiduals = self::$pca->getQResiduals()->getMatrix(); // Then $this->assertEqualsWithDelta($expected, $qResiduals, .00001); } /** * @test The class returns the correct Q residuals * * R code for expected values: * new = matrix(c(1:9), 1, 9) * result = predict(model, new) * result$Q * * @throws \Exception */ public function testQWithNewData() { // Given $expected = [[123.8985, 61.49351, 56.07446, 55.94023, 54.28968, 19.83721, 6.941721, 3.021362, 6.86309e-29]]; $newData = MatrixFactory::create([[1,2,3,4,5,6,7,8,9]]); // When $qResiduals = self::$pca->getQResiduals($newData)->getMatrix(); // Then $this->assertEqualsWithDelta($expected, $qResiduals, .0001); } } ```
```cmake # Automatically generated by scripts/boost/generate-ports.ps1 vcpkg_from_github( OUT_SOURCE_PATH SOURCE_PATH REPO boostorg/integer REF boost-${VERSION} SHA512 your_sha256_hashyour_sha256_hash HEAD_REF master ) set(FEATURE_OPTIONS "") boost_configure_and_install( SOURCE_PATH "${SOURCE_PATH}" OPTIONS ${FEATURE_OPTIONS} ) ```
The Jervis Gordon Grist Mill Historic District, also known as the Milford Grist Mill and Rowe's Mill, is an historic grist mill and national historic district that are located in Milford, Pike County, Pennsylvania. The buildings were added to the National Register of Historic Places in 1985. History and architectural features This district includes three contributing buildings and one contributing structure. The buildings are a late-nineteenth century grist mill, blacksmith complex, and miller's house. The contributing structure consists of the mill pond, dam, head race, and tail race. The Jervis Gordon Grist Mill consists of the original two-story structure that was built in 1882, with a shed addition that was erected in 1904, a rear enclosure covering the water wheel, and a machine shop addition that dates roughly to 1908. The mill includes original grinding machinery. The blacksmith complex consists of three sections built roughly between 1860 and 1870. The miller's house is a wood-frame structure that dates to the late-eighteenth century, with a two-story addition built in the early- to mid-nineteenth century. The buildings were added to the National Register of Historic Places in 1985. The Jervis Gordon Grist Mill, now known as the Upper Mill, has been restored and is open for self-guided tours. Admission is free. References External links The Upper Mill - official site Grinding mills on the National Register of Historic Places in Pennsylvania Buildings and structures in Pike County, Pennsylvania Museums in Pike County, Pennsylvania Grinding mills in Pennsylvania Mill museums in Pennsylvania Historic districts on the National Register of Historic Places in Pennsylvania National Register of Historic Places in Pike County, Pennsylvania
(; ), shortened to SWR (), is a regional public broadcasting corporation serving the southwest of Germany, specifically the federal states of Baden-Württemberg and Rhineland-Palatinate. The corporation has main offices in three cities: Stuttgart, Baden-Baden and Mainz, with the director's office being in Stuttgart. It is a part of the ARD consortium. It broadcasts on two television channels and six radio channels, with its main television and radio office in Baden-Baden and regional offices in Stuttgart and Mainz. It is (after WDR) the second largest broadcasting organization in Germany. SWR, with a coverage of 55,600 km2 (21,500 sq. mi.), and an audience reach estimated to be 14.7 million. SWR employs 3,700 people in its various offices and facilities. History SWR was established on 1 January 1998 through the merger of Süddeutscher Rundfunk (SDR, Southern German Broadcasting), formerly headquartered in Stuttgart, and Südwestfunk (SWF, South West Radio), formerly headquartered in Baden-Baden. The new corporation began broadcasting on 1 September 1998. Its predecessor organizations, SDR and SWF, were formally dissolved at 24:00 on 30 September 1998, SWR legally succeeding them with effect from 0:00 on 1 October 1998. The existence of two public broadcasting corporations in southwest Germany was a legacy of the Allied occupation of Germany after the Second World War. The French Military Government established SWF as the sole public broadcaster in their occupation zone. This area was later divided into the states of South Baden, Württemberg-Hohenzollern and Rhineland-Palatinate. The American Military Government established SDR in Württemberg-Baden. When Baden, Württemberg-Hohenzollern and Württemberg-Baden merged to form Baden-Württemberg in 1952, the corporations were not merged, although SDR and SWF operated several joint services. The two corporations had intended to merge in 1990, but the merger was pushed back by the reunification process. Several channel mergers and changes took effect from 1 September 1998: SWF 1 and SDR 1 became SWR1 Baden-Württemberg and SWR1 Rheinland-Pfalz: regional programmes for their respective states (Länder) S 2 Kultur became SWR2 SWF3 and SDR 3 became the pop station SWR3 S 4 Baden-Württemberg became SWR4 Baden-Württemberg SWF 4 Rheinland-Pfalz became SWR4 Rheinland-Pfalz DASDING was unchanged and continued broadcasting The television channel Südwest 3 became Südwest BW and Südwest RP, and today transmits as SWR Fernsehen A radio news channel, SWR cont.ra, was added in July 2002. This was relaunched with a new programme format on 9 January 2012 as SWRinfo. It was relaunched again as SWR Aktuell on 6 February 2017. Finances Licensing fees required for radio and TV sets are €17.50 per month, as of 1 April 2015. These fees are not collected directly by the SWR but by the Beitragsservice von ARD, ZDF und Deutschlandradio that is a common organisation of ARD, its members, ZDF and Deutschlandradio. In 2016, the SWR received over from these fees, out of nearly collected in total that year. Studios and offices SWR operates studios in the following cities: in Baden-Württemberg: Baden-Baden, Stuttgart, Freiburg im Breisgau, Friedrichshafen, Heilbronn, Karlsruhe, Mannheim, Tübingen and Ulm in Rhineland-Palatinate: Kaiserslautern, Koblenz, Mainz and Trier SWR regional offices are in: in Baden-Württemberg: Lörrach, Offenburg and Villingen-Schwenningen in Rhineland-Palatinate: Bad Neuenahr-Ahrweiler, Betzdorf, Idar-Oberstein and Landau, as well as a recently opened office in Worms. Plans exist for new offices in Traben-Trarbach and Gerolstein. In Baden-Württemberg there are also "Korrespondentenbüros" (roughly: "correspondence offices") for the SWR in Aalen, Albstadt-Ebingen, Biberach, Buchen, Konstanz, Mosbach, Pforzheim, Ravensburg, Schwäbisch Hall, Tauberbischofsheim and Waldshut-Tiengen. Programming SWR provides programs to various TV and radio networks, some done in collaboration with other broadcasters, and others completely independently. Television channels Das Erste "Erstes Deutsches Fernsehen" (German Television One) – Collaborative program for the ARD. SWR's portion is 16.95 percent. SWR also contributes to ARD digital, delivered over cable and satellite networks. SWR Fernsehen ("Unser Drittes") – ["SWR television – Our Third"] – The channel three network for Baden-Württemberg and the Rhineland-Palatinate. The programming is transmitted in two different versions, one for Baden-Württemberg and one for the Rhineland-Palatinate. The Saarländischer Rundfunk (SR, Saarland Broadcasting) retransmits over 70 percent of these programs under the banner "SR Fernsehen" ("SR Television). Phoenix – Collaborative network programming between the ARD and ZDF. KiKA – Children's network from ARD and ZDF. arte – Franco-German cultural network 3sat – Cultural network from ARD, ZDF, ORF (Austrian Broadcasting), and SRG (Swiss Broadcasting). EinsPlus Radio channels SWR operates six radio channels on FM and DAB, all of which are also streamed on the internet. (Eins gehört gehört – SWR1): plays international pop and rock music from 1960–1990, European pop music, German pop and a limited number of contemporary hits to a target audience of adults aged 30–55, in two regional versions: (Lust auf Kultur): speech-based radio, including features, radio plays, and readings, plus classical music and jazz. (Mehr Hits – mehr Kicks – einfach SWR3): plays pop and contemporary music to a target audience of 14- to 39-year-olds. (Da sind wir daheim): plays German hits and "oldies" in two regional versions, each with local and sub-local opt-outs at specified times daily: Baden Radio (Karlsruhe) Bodensee Radio (Friedrichshafen) Franken Radio (Heilbronn) Kurpfalz Radio (Mannheim) Radio Stuttgart (Stuttgart) Radio Südbaden (Freiburg) Hochrhein Radio (Lörrach) Ortenau Radio (Offenburg) Radio Breisgau (Freiburg) Radio Schwarzwald-Baar-Heuberg (Villingen-Schwenningen) Radio Tübingen (Tübingen) Schwaben Radio (Ulm) Radio Kaiserslautern (Kaiserslautern) Radio Koblenz (Koblenz) Radio Ludwigshafen (Ludwigshafen) Radio Mainz (Mainz) Radio Trier (Trier) DASDING (Live – laut – lässig): youth-oriented programming. : news, topical talk, and coverage of current affairs. : news, politics, culture, entertainment and sports (2002–2012) : news station replaced by SWR Aktuell (2012–2017) Organization Since 2007, the managing director of SWR has been Peter Boudgoust, who was previously the administrative director of SWR. The managing director's office is located in Stuttgart. Seven other directors serve under him (locations of their offices in parentheses): Jan Büttner – Administration (Stuttgart) Dr. Christoph Hauser – Information, Sport, Film, Service & Entertainment (Baden-Baden) Gerold Hug – Culture, Knowledge, Young Formats (Baden-Baden) Stefanie Schneider – Regional Programming for Baden-Württemberg (Stuttgart) Dr. Simone Schelberg – Regional Programming for Rhineland-Palatinate (Mainz) Dr. Hermann Eicher – Legal Department (Mainz) Michael Eberhard – Engineering and Production (Baden-Baden) Transmitter locations Fernsehturm Stuttgart (Stuttgart TV Tower – a large TV/radio transmission tower in a steel-reinforced concrete structure, also containing a tower restaurant and viewing deck) Rheinsender at Wolfsheim for FM Fernsehturm Heidelberg (Heidelberg TV Tower – a large TV/radio transmission tower in a steel-reinforced concrete structure, containing a viewing deck). Transmitter Aalen for FM and TV Transmitter Waldenburg for FM and TV Transmitter Bad Mergentheim-Löffelstelzen for FM and TV Transmitter Ulm-Kuhberg for VHF Transmitter Freiburg-Lehen for FM and TV Transmitter Ulm-Ermingen for FM and TV Transmitter Hornisgrinde for FM and TV Transmitter Raichberg for FM and TV Transmitter Wannenberg for FM and TV Transmitter Blauen for FM and TV Transmitter Bad Marienberg for FM and TV Transmitter Fernsehturm St. Chrischona (Switzerland) for FM and TV Transmitter Feldberg im Schwarzwald for FM and TV Transmitter Weinbiet for FM and TV Transmitter Haardtkopf for FM and TV Transmitter Kettrichhof for FM and TV Transmitter Witthoh for FM and TV Transmitter Saarburg for FM and TV Transmitter Potzberg for FM and TV Transmitter Eifel for FM and TV Transmitter Waldburg for FM and TV Transmitter Dieblich-Naßheck(Koblenz) for FM and TV Transmitter Donnersberg for FM and TV Transmitter Linz am Rhein for FM and TV Transmitter Grünten im Allgäu for FM At present, there is a new TV tower at Waldenburg under construction, which should replacer in 2008 old TV tower Waldenburg. Orchestras and choruses SWR operates the following musical organizations: "SWR Symphony Orchestra Baden-Baden and Freiburg" – an orchestra with a rich tradition dating back to its establishment in 1946. Formerly the SWF Symphony Orchestra in Baden-Baden. Past chief conductors included Hans Rosbaud and Ernest Bour. The Orchestra is best known through the Donaueschingen Festival for new music. "Radio Symphony Orchestra Stuttgart of the SWR" in Stuttgart. Also originally organized in 1946, this was the former SDR Radio Symphony Orchestra. A former major chief conductor was Hans Müller-Kray. The Orchestra was best known through its festival appearances in Schwetzingen. "SWR Vocal Ensemble Stuttgart" – originally the "Southern Radio Chorus" Stuttgart, again dating from 1946. Deutsche Radio Philharmonie Saarbrücken Kaiserslautern – which merged in 1973 from the Rundfunkorchester Kaiserslautern and the Rundfunk-Sinfonieorchester Saarbrücken. "SWR Big Band" – originally the "Southern Radio Dance Orchestra", also organized in 1951, and was led for many years by Erwin Lehn. "SWR 3 Band" – a cover band in which several announcers of SWR3 play (e.g. Stefanie Tücking, Michael Spleth and Jan Garcia). "SWR 4 Band" – a cover band in which several music editors of SWR4 Baden-Württemberg [Radio Stuttgart] play (e.g. Wolfgang Gutmann, Rolf-Dieter Fröschlin, Helmut Link, Karlheinz Link and Peter Schönfeld). Responsibilities within the ARD Within the ARD, SWR is responsible for the coordination of the joint network programming on the networks 3sat and arte as well as the main Internet site for the ARD, ARD.de. The offices for ARTE Deutschland TV GmbH are in Baden-Baden, and the offices for ARD.de are in Mainz. SWR is also responsible for some of the foreign studios operated on behalf of the ARD: ARD-Studio Algiers (Algeria, Morocco, Tunisia) ARD-Studio Buenos Aires (Argentina, Bolivia, Brazil, Chile, Paraguay, Peru, Uruguay) ARD-Studio Geneva (covering the Geneva offices of the United Nations, as well as Switzerland and Liechtenstein) ARD-Studio Johannesburg (Angola, Botswana, Lesotho, Mozambique, Namibia, Zimbabwe, South Africa, Eswatini) ARD-Studio Cairo (Egypt, Iraq, Yemen, Jordan, Qatar, Kuwait, Lebanon, Libya, Oman, Saudi Arabia, Sudan, Syria, United Arab Emirates) ARD-Studio Mexico City (Anguilla, Antigua and Barbuda, Aruba, Bahamas, Barbados, Belize, Costa Rica, Dominica, Dominican Republic, Ecuador, El Salvador, Grenada, Guadeloupe, Guatemala, Haiti, Jamaica, Virgin Islands, Cayman Islands, Colombia, Cuba, Martinique, Mexico, Montserrat, Nicaragua, Netherlands Antilles, Panama, Puerto Rico, St. Kitts and Nevis, St. Lucia, St. Vincent and the Grenadines, Suriname, Trinidad and Tobago, Turks and Caicos Islands, Venezuela) ARD-Studio Strasbourg/Straßburg (covering the offices of the European Union and the European Council) Subsidiaries of SWR The following companies are subsidiaries of SWR-Holding GmbH: Südwest-Werbung GmbH – Advertising for radio and TV programs SWR Media GmbH – Licenses of SWR, including use of excerpts and sponsorships Südfunk Wirtschaftsbetriebe GmbH – Handles rent/leases for the "Parkhotel Stuttgart" Fernsehturm Betriebs GmbH – Responsible for the viewing deck and restaurant at the Fernsehturm Stuttgart Schwetzinger Festspiele GmbH – Responsible for the festival at Schwetzingen Maran-Film-GmbH – Film production company Bavaria Film GmbH – Film und TV production company Telepool GmbH – International management for productions of SWR and other public broadcasting services Der Audio Verlag GmbH – Production and management for audio recordings TR-Verlagsunion GmbH – Print publisher of various materials related to broadcasting Haus des Dokumentarfilms e. V. – Not-for-profit organization responsible for various documentaries See also Television in Germany References External links SWR.de, SWR's homepage (in German) SWR Symphony Orchestra homepage (in German) ARD (broadcaster) German-language television networks Television stations in Germany Radio stations in Germany Television networks in Germany Baden-Baden Mass media in Mainz Television channels and stations established in 1998 Mass media in Stuttgart
Shipai Town may refer to: Shipai, Dongguan, Guangdong Shipai Town, Anhui
Still Life with Guitar is the fourteenth studio album by Kevin Ayers. It was the final recording to feature guitarist Ollie Halsall, who died shortly after its release. Ayers would not record another album of new material for fifteen years. Track listing All tracks composed by Kevin Ayers; except where noted. "Feeling This Way" – 2:43 "Something in Between" (Ayers, Mark Nevin) – 3:15 "Thank You Very Much" – 3:18 "There Goes Johnny" – 4:03 "Ghost Train" (Ayers, Peter Halsall) – 4:27 "I Don't Depend on You" – 3:36 "When Your Parents Go to Sleep" – 4:46 "M16" – 2:54 "Don't Blame Them" – 1:53 "Irene Goodnight" (Traditional; arranged by Ayers) – 3:29 Personnel Musicians Kevin Ayers – guitar, vocals Ollie Halsall – acoustic guitar (tracks 5, 8–9), vibraphone (track 6) Mark E. Nevin – acoustic guitar (tracks 3–4, 7, 10) Mike Oldfield – guitar (track 6) B.J. Cole – pedal steel guitar (tracks 4, 7) Kevin Armstrong – guitar (tracks 1, 7) Stuart Bruce – synthesizer (track 8), backing vocals (track 6) Simon Clarke – Hammond organ (track 6) Graham Henderson – Hammond organ (track 7), piano (track 2), accordion (track 4, 10) Anthony Moore – synthesizer (track 2), keyboards (tracks 3, 5) Danny Thompson – double bass (tracks 4–9) Richard Lee – double bass (track 10) Simon Edwards – guitarrón (track 3) Roy Dodds – drums (tracks 3–5, 7, 9–10) Gavin Harrison – drums (tracks 6, 8) Steve Monti – drums (track 1) Ben Darlow – backing vocals (track 6) Technical Kevin Ayers – producer Dave Vatch – producer Ben Darlow – engineer Martin Mitchell – engineer Stuart Bruce – engineer Mathias Augustyniak, Michaël Amzalag – art direction, design, illustration Dan Salzmann – photography References 1992 albums Kevin Ayers albums Albums produced by Kevin Ayers
Roses Bloom on the Moorland () is a 1952 West German drama film directed by Hans H. König and starring Ruth Niehaus, Hermann Schomberg and Armin Dahlen. It is also known in English by the alternative titles Rape on the Moor and Roses Bloom on the Grave in the Heather. The film's sets were designed by Max Mellin. The film was shot on moorlands in the vicinity of Bremen. It is notable amongst post-war heimatfilm for its gloomy, gothic atmosphere. Synopsis In a German village a peasant girl is pressured by her family to marry a wealthy farmer, although she is in love with her childhood sweetheart who has recently returned from the city. Her fiancée tries to rape her on the moorland, echoing a similar tragedy that took place on the same spot hundreds of years ago during the Thirty Years War when a Swedish soldier attacked a local woman. Cast Ruth Niehaus as Dorothee Aden Hermann Schomberg as Dietrich Eschmann Armin Dahlen as Ludwig Amelung, Architekt Gisela von Collande as Fiete, Eschmanns Magd Lotte Brackebusch as Sophie Amelung Hilde Körber as Friederike Aden Hedwig Wangel as Kräuterjule Ingeborg Morawski as Gesine, Magd bei Adens Albert Florath as Stallmacher, Wirt Ernst Waldow as Albert Berndsen, Handelsvertreter Walter Ladengast as Fromann, ein alter Schäfer Otto Friebel as Heini Schütt, Verkäufer Konrad Mayerhoff as Wilhelm Aden Anderl Kern Josef Dahmen as Der schwedische Leutnant Fred Berthold References Bibliography Maggie Hoffgen. Studying German Cinema. Columbia University Press, 2009. Alexandra Ludewig. Screening Nostalgia: 100 Years of German Heimat Film. Transcript, 2014. External links 1952 films West German films German drama films 1952 drama films 1950s German-language films Films directed by Hans H. König German black-and-white films 1950s German films
Illawarra, an electoral district of the Legislative Assembly in the Australian state of New South Wales, has had three incarnations, the first from 1859 to 1904, the second from 1927 to 1968 and the third from 1971 to 2007. Election results Elections in the 2000s 2003 Elections in the 1990s 1999 1995 1991 Elections in the 1980s 1988 1984 1981 Elections in the 1970s 1978 1976 1973 1971 1968 - 1971 Elections in the 1960s 1965 1962 Elections in the 1950s 1959 1956 1953 1950 Elections in the 1940s 1947 1944 1941 Elections in the 1930s 1938 1935 1932 1930 Elections in the 1920s 1927 1904 - 1927 Elections in the 1900s 1904 by-election 1901 Elections in the 1890s 1898 1895 1894 1891 by-election 1891 Elections in the 1880s 1889 1887 1885 1882 1880 1880 by-election Elections in the 1870s 1877 1874-75 1872 Elections in the 1860s 1869-70 1866 by-election 1864-65 1860 Elections in the 1850s 1859 by-election 1859 References New South Wales state electoral results by district
The 2005 German Grand Prix (officially the Formula 1 Grosser Mobil 1 Preis von Deutschland 2005) was a Formula One motor race held on 24 July 2005 in the Hockenheimring, Hockenheim, Germany at 14:00 CEST (UTC+2). The 67-lap race was the twelfth round of the 2005 Formula One season. Renault driver Fernando Alonso won the race, taking his sixth victory of the season, whilst Juan Pablo Montoya finished second for the McLaren team. BAR-Honda driver Jenson Button, completed the podium by finishing in third position. It was his first podium finish of the season, because the BAR team had been disqualified from the . As a consequence of the race, Alonso extended his lead in the Drivers' Championship by 10 points to 36 points over his main title rival, McLaren driver Kimi Räikkönen, who had retired from the lead of the race, but still remained second in the standings. Ferrari driver and reigning world champion Michael Schumacher, finished the race in fifth position and retained third place in the standings, albeit being 40 points behind Alonso. Juan Pablo Montoya was still in fourth, and Rubens Barichello remained fifth despite finishing out of the points. In the Constructors' Championship, Renault extended their lead to 22 points from title rivals McLaren. McLaren increased the gap between themselves and third placed Ferrari to 17 points, whilst Toyota and Williams remained fourth and fifth respectively. Friday drivers The bottom 6 teams in the 2004 Constructors' Championship were entitled to run a third car in free practice on Friday. These drivers drove on Friday but did not compete in qualifying or the race. Report Kimi Räikkönen qualified first and maintained this position after the start and first round of pitstops. Meanwhile, his teammate Juan Pablo Montoya, had gained nine positions in the first lap after he had failed to set a qualifying time and started last on the grid. However, on lap 35, Räikkönen's car suffered a hydraulics failure forcing his retirement from the race. This meant that Fernando Alonso inherited first position. It was Räikkönen's fifth consecutive retirement at the circuit. Michael Schumacher and Rubens Barrichello suffered from the poor durability of the Bridgestone tyres on their Ferraris again, particularly Schumacher who had chosen a softer compound. This allowed Jenson Button to overtake Schumacher to take second place, although he quickly pitted, allowing Montoya take gain the position. Montoya then managed to stay ahead of Button after his own second stop. In the final laps of the race, Schumacher's problems allowed Giancarlo Fisichella to take his fourth place. During the race Jacques Villeneuve was in three separate collisions; he clashed with Barrichello on lap 1, Robert Doornbos on lap 4, and Tiago Monteiro on lap 27. Classification Qualifying Race Championship standings after the race Drivers' Championship standings Constructors' Championship standings Note: Only the top five positions are included for both sets of standings. See also 2005 Hockenheimring GP2 Series round References German Grand Prix Grand Prix German Grand Prix Grand Prix
```makefile libavcodec/aic.o: libavcodec/aic.c libavcodec/avcodec.h \ libavutil/samplefmt.h libavutil/avutil.h libavutil/common.h \ libavutil/attributes.h libavutil/macros.h libavutil/version.h \ libavutil/avconfig.h config.h libavutil/intmath.h libavutil/mem.h \ libavutil/error.h libavutil/internal.h libavutil/timer.h libavutil/log.h \ libavutil/cpu.h libavutil/dict.h libavutil/pixfmt.h libavutil/libm.h \ libavutil/intfloat.h libavutil/mathematics.h libavutil/rational.h \ libavutil/attributes.h libavutil/avutil.h libavutil/buffer.h \ libavutil/cpu.h libavutil/channel_layout.h libavutil/dict.h \ libavutil/frame.h libavutil/buffer.h libavutil/samplefmt.h \ libavutil/log.h libavutil/pixfmt.h libavutil/rational.h \ libavcodec/version.h libavutil/version.h libavcodec/bytestream.h \ libavutil/avassert.h libavutil/common.h libavutil/intreadwrite.h \ libavutil/bswap.h libavcodec/internal.h libavutil/mathematics.h \ libavcodec/get_bits.h libavcodec/mathops.h libavcodec/vlc.h \ libavcodec/golomb.h libavcodec/put_bits.h libavcodec/idctdsp.h \ libavcodec/thread.h libavcodec/unary.h ```
Gaya College, Gaya (GCG) is an public state college located in Gaya, Bihar, India. Established in February 1944 during the British Raj, it is affiliated with Magadh University, Bodhgaya and is one of the prestigious colleges in Bihar. It was previously placed under Patna University between 1944 and 1951 and then Dr. B. R. Ambedkar Bihar University from 1952 until the establishment of Magadh University in 1962. Degrees B.A. In all major subjects B.Sc. In all major subjects B.Com. In all major subjects M.A. In all major subjects M.Sc. In all major subjects M.Com. In all major subjects B.B.A. B.C.A. B.B.M. M.B.A. M.C.A. Bio-Technology Philosophy Persian B.Ed Facilities Hostels Sports ground Indoor Games Sports Facility Health Centre/Medical Common Rooms for Teachers Canteen for Students Banking facilities- students can use atm in the campus NCC NSS References Colleges affiliated to Magadh University Universities and colleges in Bihar Education in Gaya, India Universities and colleges established in 1944 1945 establishments in India
A dolly is an unpowered vehicle designed for connection to a tractor unit, truck or prime mover vehicle with strong traction power. United States Classification by axle configuration There are several types of dolly bogie: Full trailer - 2 axle (4 wheels), with a draw bar which also controls the trailer's front axle steering. The draw bar does not take load of the full trailer. Heavy full trailer needs to have its own brakes remotely controlled by the prime mover vehicle. Semi-trailer - 1 axle (2 wheels), without the front axle but have a landing gear. Large semi-trailer of truck size is designed for connection via the fifth wheel on the tractor unit or the semi-trailer truck. Small semi-trailer such as travel trailer and boat trailer is designed for connection via a tow hitch of a passenger vehicle. Either the fifth wheel or the tow hitch takes up to half the load of the semi-trailer. Road train - special large dolly bogie equipped with a fifth wheel for further connection by the gooseneck type drawbar of another similar dolly and form a road train. The last dolly in a road train needs its own rear lights, brakes remotely controlled by the prime mover vehicle, and registration plate. Tow dolly - a semi-trailer designed as automobile rescue equipment. It is designed to couple to the concerned automobile's powered wheel, i.e. the front wheel of a Front-wheel drive automobile, or the rear wheel of a rear-wheel drive automobile, by locking the powered wheels onto the tow dolly's tray. The tow dolly is tow hitch connected to a tractor or truck. Tow dollies are legal in all 50 US states and Canada. In the U.S. and Canada brakes are required on any loaded car tow dolly. Classification by coupling configuration There are two basic types: Converter dolly, equipped with between one and three axles and designed to connect to a towbar on the rear of the truck or trailer in front. There are two variants of this: An A-dolly has a single drawbar with a centred coupling. A C-dolly has two separate couplings side-by-side. Low loader dolly, equipped with a gooseneck type drawbar that attaches to the fifth wheel coupling on the rear of a prime mover to distribute the mass on the fifth wheel on the dolly between the prime mover and the wheels of the dolly. These are predominantly fitted with two axles. Australia Converter dollies are used in road trains in Australia, most commonly with two or three axles and a hinged drawbar. They are also frequently referred to as road train dollies. The C-dolly design is not allowed in Australia, as it prevents articulation between the dolly wheels and the axles of the truck or trailer in front of the dolly. Australian rules require articulation between axle groups. Low-loader dollies – which present a kingpin rather than a drawbar coupling – are used with many low loaders to allow heavy cargo to be carried without overloading the wheels of the prime mover or the low loader. Airport dolly Dollies are used for the transportation of loose baggages, oversized bags, mail bags, loose cargo carton boxes, etc. between an aircraft and the terminal or sorting facility. In the US, these dollies are called baggage carts, but in Europe baggage cart means baggage trolleys used by individual passengers. See also Axle track Boat dolly Flatbed trolley Road train Roll trailer Wheelbase References External links Diagrams of A-dolly & C-dolly. Evaluation of dollies, University of Michigan Legal definition of a dolly in Oregon, USA Images of trailer dollies Trucks
Krikorian is an Armenian surname. It is a patronym from Krikor, an Armenian equivalent of Gregory. Notable people with the surname include: Adam Krikorian (born 1974), American water polo coach Blake Krikorian (1967–2016), American entrepreneur David Krikorian (born 1968), Cincinnati politician and Ohio congressional candidate Krikor Krikorian, technical consulting, co-founder of KBC Advanced Technologies Mark Krikorian (fl. c. 2000), executive director of the Center for Immigration Studies Mark Krikorian (born 1960), American soccer coach Raffi Krikorian (born 1978), Armenian-American technology executive Steve M. Krikorian (born 1950), aka Tonio K, American musician See also Krikorian Premier Theaters Kerkorian (surname) Grigoryan, a variant of Krikorian Armenian-language surnames Patronymic surnames Surnames from given names
Close to You is the second studio album by the American music duo the Carpenters, released on August 19, 1970. In 2003, the album was ranked No. 175 on Rolling Stones list of the 500 greatest albums of all time, maintaining the rating in a 2012 revised list. The album contains the hit singles "(They Long to Be) Close to You" and "We've Only Just Begun". The success of the title track earned Carpenters an international reputation. The album topped the Canadian Albums Chart and peaked at #2 on the U.S. Billboard albums chart. It was also successful in the United Kingdom, entering the top 50 of the official chart for 76 weeks during the first half of the 1970s. The album and its singles earned Carpenters eight Grammy Award nominations including Album of the Year, Song of the Year and Record of the Year. Carpenters won the Best New Artist and Best Contemporary Vocal Performance by a Duo, Group or Chorus for the album. Background and song information According to session drummer Hal Blaine, the Carpenters' parents were in the recording studio for the Close to You album and "you could tell right away they ruled the roost." Blaine said that Karen's mother dictated her singing style and was unhappy that Karen did not perform as a drummer for all of the songs. Blaine countered that although Karen was a capable drummer, she was accustomed to playing loudly for live performances and thus was unfamiliar with the requirements of recording in a professional studio. However, she had been informed beforehand of Blaine's involvement and indicated her approval. "(They Long to Be) Close to You" was the first Burt Bacharach/Hal David composition that Carpenters covered. The song was recorded several times by various artists during the 1960s but without popular success. It became Carpenters' first RIAA-certified Gold single, as well as their first Billboard Hot 100 single to reach the top 10. It remained at #1 for four weeks and became one of the Carpenters' most iconic songs. Richard devoted the song to Karen. "We've Only Just Begun", composed by Paul Williams and Roger Nichols, first appeared in a 1970 Crocker-Citizens Bank commercial that depicted a married couple beginning their life together. In August 1970, it became Carpenters' second RIAA-certified Gold single. Originally written by Ralph Carmichael for the early contemporary Christian musical Tell It Like It Is, "Love Is Surrender" was a song that Richard and Karen heard during their teenage years. "Maybe It's You" was written by Richard Carpenter and John Bettis for their previous band Spectrum. The oboe solo was played by Doug Strawn. "Reason to Believe" was composed by Tim Hardin in the 1960s, and Rod Stewart charted with a version of the song in 1971. Karen loved the song is because it was among the first that she performed with Richard as a group. "Help!" was written by John Lennon and Paul McCartney in early 1965, one of four Beatles covers that Carpenters recorded; the others were "Ticket to Ride", "Can't Buy Me Love" and "Nowhere Man". "Baby It's You" was composed by Burt Bacharach, Barney Williams, and Mack David. It was sung by Richard and Karen in 1970 and performed on their television show Make Your Own Kind of Music. "I'll Never Fall in Love Again" is another Bacharach composition and was included in a medley on the following year's album Carpenters. The song was originally included in the score for Bacharach and David's 1968 musical Promises, Promises, and Dionne Warwick's version hit the top ten in January 1970. "Crescent Noon", composed by Richard Carpenter and John Bettis, was originally performed by Karen and Richard when they were members of the California State University, Long Beach choir in 1969. "Mr. Guder" was dedicated to Vic Guder, Richard and Bettis's boss at Disneyland who had fired them. They had been hired to play old-time music on piano and banjo at the park's "Coke Corner" on Main Street, U.S.A., but they persisted in playing contemporary songs that the patrons requested. Critical reception Close to You was nominated for Record of the Year and Album of the Year at the 13th annual Grammy awards. "Close to You" won Carpenters a Grammy for Best New Artist and another Grammy for Best Contemporary Vocal Performance by a Duo, Group or Chorus that same year. AllMusic's retrospective review deemed Close to You "a surprisingly strong album," particularly praising Richard Carpenter's original compositions "Maybe It's You", "Crescent Noon" and "Mr. Guder", describing them as superlative displays of both Karen Carpenter's vocal work and Richard's arranging talents. Track listing All lead vocals by Karen Carpenter except where noted. Personnel Musicians Karen Carpenter – vocals, drums Hal Blaine – drums Richard Carpenter – vocals, keyboards, arrangements and orchestration Joe Osborn – bass Danny Woodhams – bass Jim Horn – woodwinds Bob Messenger – woodwinds Doug Strawn – woodwinds Technical Jack Daugherty – producer Ray Gerhardt – engineer Dick Bogert – engineer Tom Wilkes – art direction Kessel/Brehm Photography – photography Bernie Grundman, Richard Carpenter – remastering at Bernie Grundman Mastering Charts Weekly charts Year-end charts Certifications References 1970 albums The Carpenters albums Albums produced by Jack Daugherty (musician) A&M Records albums Albums recorded at A&M Studios
Algeria competed at the 2019 Military World Games held in Wuhan, China from 18 to 27 October 2019. In total, athletes representing Algeria won two silver and five bronze medals and the country finished in 37th place in the medal table. Medal summary Medal by sports Medalists References 2019 Military World Games - Athletics results 2019 Military World Games Results Nations at the 2019 Military World Games 2019 in Algerian sport
Jamie Simpson (born 6 September 1986) is a coach with the Central Queensland Capras, a feeder club for the NRL club the Brisbane Broncos in the Queensland Cup and a former rugby league footballer who played in the 2000s and 2010s. Simpson played as a and as a . Simpson also played as a lock and in his schoolboy years at St. Brendan's College, Yeppoon. Simpson is an avid worker in the community and is an ambassador for The Men of League Foundation and Lymphoma Australia. Background Simpson was born in Rockhampton, Queensland, Australia. Early life and cancer survival Simpson was convinced by his mother to join the Fitzroy Junior Rugby League club while a young student at the Rockhampton primary school 'The Hall'. His obvious natural skill was complemented by an occasionally hostile temperament. He decided to attend St. Brendan's College in Yeppoon for its rugby league program. It was there that Simpson developed greater self-discipline, with coach Terry Hansen observing "I knew he'd turned the corner" after an on-field incident in 2001 where Simpson refused to respond to an opposing player's punches after the ball was played. In late 2001, he was selected in the school's 1st XIII at age 15. In June 2002, Simpson represented St Brendan's College at Confraternity Carnival for the 2nd XIII. In August the same year, Jamie was part of the only 2nd XIII to win the local Open Schoolboys competition against Nth Rocky High School after the 1st XIII withdrew to compete in the arrive alive competition. This historic win came after an overtime game which saw Jamie play a high-impact game. Hundreds of students invaded the pitch at full-time to be part of the full-time war cry and celebration. However, in August 2002 he was diagnosed with cancer. Simpson played what could potentially have been his last game, a pre-season match against Kirwan State High School, prior to his team being informed of the diagnosis. From 2002 to 2003, Simpson was undergoing chemotherapy for life-threatening Hodgkin's lymphoma. Despite this, he continued to be involved in rugby league by volunteering as an assistant coach for a school's 2nd XIII team. Coach Mannie Navarro and his wife Ek were so moved with Simpson's courageous, selfless optimism that they later named their third son James Neal Navarro 11.11.2008 after Jamie. While hospitalised in isolation in late 2003, Brisbane Broncos coach Wayne Bennett gave him an autographed copy of his book Don't Die with the Music in You with a personal message: "Tough time comes and goes, but tough guys last forever" and was also encouraged to pursue a professional career by family friend Scott Minto. After finally beating cancer, Simpson returned to St. Brendan's College to complete his senior education in 2004, with a newfound determination to make the most of his abilities. As part of a victorious St. Brendan's side, he was awarded player of the Confraternity Carnival, and later represented Queensland Schoolboys. Simpson was rumored to have been pursued by several clubs, ultimately settling on the Brisbane Broncos. Simpson was South Sydney's nominee for the 2009 Ken Stephen Medal for Services to the Community for his work in helping and visiting young people with cancer. Early career Simpson started his senior career for Broncos feeder clubs Aspley and the Toowoomba Clydesdales in 2005-2006. Simpson was a frequent try-scorer in the QLD Cup for Aspley, and gained representative honours for the Queensland City origin side in 2007, he was overlooked for selection in first-grade for the Broncos in favor of older players. First-Grade career Simpson was then lured to the South Sydney Rabbitohs for the 2008 NRL season. Injury delayed his first grade début in until round 13, where he scored a try against the New Zealand Warriors. Once given the opportunity in the NRL, Simpson's début season was a major success. Commentators believe that Simpson's performance was a major component of a mid season resurgence for the Rabbitohs, even relegating former international Nigel Vagana from inclusion in the side. Simpson's 2009 season included an accidental collision with a referee in round 19, and a hat trick of tries in round 20. On 14 January 2011 it had been announced that Simpson had signed for Huddersfield Giants on a 3 year deal. However, he only played nine times for them and was unavailable to play for four months following shoulder surgery in April. The Giants released him from contract on 16 December 2011 and he was expected to return to the NRL in Australia. In January 2012 he signed with the Queensland Cup team Eastern Suburbs Tigers, based in Brisbane, who are a feeder club for the NRL team the Brisbane Broncos. In June 2013, he signed with Central Queensland Capra's team based in Rockhampton, who are feeder club to the Brisbane Broncos and compete in the Intrust Super Cup. His signing was a major coup for the Central Queensland team who are also part of the CQ NRL bid pushing for another team in Queensland. Simpson was hoping to re kindle some early career form and help raise the profile of CQ Capra's. Coaching career In 2015/2016, Simpson was announced as the Under 18 Mal Meninga Cup coach for the CQ Capras, bringing a new youthful style of Rugby league to the team. Simpson had a successful season leading the minnows to the quarter-finals. Jamie has also mentored and helped his players receive NRL and Queensland cup contracts. Sam Murphy has been contracted to the North Queensland Cowboys, Kobe Hetherington to one of Simpsons old clubs the Brisbane Broncos , Eli Noovao to Melbourne Storms Feeder club East Tigers, Chalice Atoi to the Central Queensland Capras and lastly Zac Hetherington and Josh Wilkinson have been contracted to the Canterbury Bulldogs. He also spent 2015 as the A-grade coach for local Rockhampton Rugby League side, the Fitzroy Gracemere Sharks of which he was a JR Fitzroy Sharks player growing up as a child in Rockhampton. Radio career In 2012, Simpson joined Southern Cross Austereo in Rockhampton as a promotions staff member for Hot FM and Sea FM. Soon after he began work at Southern Cross Austereo, he became a relief announcer for both stations. With his quick wit and laid back attitude, Simpson has gained plaudits for his work in the industry and he formed a great relationship with Hot FM breakfast announcers, Browny (Paul Brown) & EJ (Emilie-Jain Palmer). Simpson became known for conducting live crosses to Browny & EJ's breakfast show while driving the station's "Hot Thunder" promotions vehicle to various locations to hand out free promotional merchandise to listeners. Although Browny and EJ have since moved on to other stations, Simpson has stayed close friends with the two presenters. In 2018, Simpson was added to the Triple M radio show "The B Team" a sportcentric panel show that focus's on sports in particular local Central Queensland sporting teams and athletes from all ages. Simpson bought a youthful, yet witty attitude to the show that was a little too "serious" prior to his involvement. In May 2018, Simpson debuted his new segment on the B Team "60 seconds with Simo". Though it has only aired once at the time of writing and looks to become a regular on the weekend sports show. References External links South Sydney Rabbitohs profile Sammy, Simpson make NRL debuts 1986 births Living people Australian rugby league coaches Australian rugby league players Indigenous Australian rugby league players South Sydney Rabbitohs players Huddersfield Giants players Central Queensland Capras players North Sydney Bears NSW Cup players Toowoomba Clydesdales players Rugby league wingers Rugby league centres Rugby league players from Rockhampton, Queensland
Harry Stanley Griffiths (17 November 1912 – 11 June 1981) was an English footballer and baseball international. He played in defence for Everton between 1930 and 1935, but after failing to get a game moved on to Port Vale between 1935 and 1947, playing 190 games in all wartime and peacetime competitions. Outside of the game he was a Police officer, and later became a park keeper. Career Griffiths began his career at Everton in 1930, as the "Toffees" won promotion to the First Division as Second Division champions in 1930–31. They then topped the Football League in 1931–32, finishing two points ahead of Arsenal. Dropping to eleventh in 1932–33, Everton won the FA Cup, though Griffiths played no part in the final. They dropped to fourteenth in 1933–34, rising to eight in 1934–35. However Griffiths played little part in these successes, and never played a competitive match for the club during his time at Goodison Park; he did however represented England at baseball. He joined Port Vale in May 1935. He played thirty games for the "Valiants" in 1935–36, as the club were relegated out of the Second Division after picking up just two points in their final five games. New manager Warney Cresswell, a former teammate at Everton, picked him just eight times in 1936–37, as the club finished mid-table in the Third Division North. Griffiths played 28 games in 1937–38, scoring on the final day of the season in a 1–1 draw with New Brighton; at the end of the season the club were transferred to the Third Division South. He was a key member of new manager Tom Morgan's defence in 1938–39, playing 37 games, and scoring in wins over Swindon Town and Bristol City at The Old Recreation Ground. Griffiths joined the police at the outbreak of World War II, guesting on occasion for both Vale and Derby County during the war years. He suffered a severe scalp wound after colliding with iron railings during a 3–1 home defeat by Crewe Alexandra on Christmas day 1944; he received five stitches and actually returned to action the next week wearing a black beret. He was one of six pre-war players that returned to the club in 1946, the others being George Heppell, Arthur Jepson, Alf Bellis, Wilf Smith, and Don Triner. However, he lost his place in the team after manager Billy Frith was replaced by Gordon Hodgson in October 1946, and was released at the end of the 1946–47 season, having made just eight appearances. He played a total of 190 games (103 in the Football League) for Port Vale, scoring 9 goals (3 in the Football League). Personal life After leaving football, he joined Meir Heath Cricket Club as a wicketkeeper. He later became a park keeper at Queens Park in Longton. He married his wife Rene in 1941. She nursed him during his long illness before his death. She, herself, died in 2008 at the age of 96. Career statistics Source: References 1912 births 1981 deaths Footballers from Liverpool Officers in English police forces Players of British baseball English men's footballers Men's association football defenders Port Vale F.C. players Port Vale F.C. wartime guest players Derby County F.C. wartime guest players Stoke City F.C. wartime guest players English Football League players
Mike Maker may refer to: Michael J. Maker (born 1969), American trainer of Thoroughbred racehorses Mike Maker (basketball) (born 1965), American college basketball coach
```objective-c /* This file is free software: you can redistribute it and/or modify (at your option) any later version. This file is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the along with the this software. If not, see <path_to_url */ #ifndef SOUND_VIEW_H #define SOUND_VIEW_H #include <windows.h> BOOL SoundView_Init(); void SoundView_DeInit(); BOOL SoundView_DlgOpen(HWND hParentWnd); void SoundView_DlgClose(); BOOL SoundView_IsOpened(); HWND SoundView_GetHWnd(); void SoundView_Refresh(bool forceRedraw = false); INT_PTR CALLBACK SoundView_DlgProc(HWND hDlg, UINT uMsg, WPARAM wParam, LPARAM lParam); #endif ```
```smalltalk //your_sha256_hash-------------- // <auto-generated> // This code was generated by a tool. // Runtime Version:4.0.30319.42000 // // Changes to this file may cause incorrect behavior and will be lost if // the code is regenerated. // </auto-generated> //your_sha256_hash-------------- namespace Myrtille.Admin.Services.Properties { [global::System.Runtime.CompilerServices.CompilerGeneratedAttribute()] [global::System.CodeDom.Compiler.GeneratedCodeAttribute("Microsoft.VisualStudio.Editors.SettingsDesigner.SettingsSingleFileGenerator", "15.6.0.0")] internal sealed partial class Settings : global::System.Configuration.ApplicationSettingsBase { private static Settings defaultInstance = ((Settings)(global::System.Configuration.ApplicationSettingsBase.Synchronized(new Settings()))); public static Settings Default { get { return defaultInstance; } } [global::System.Configuration.ApplicationScopedSettingAttribute()] [global::System.Diagnostics.DebuggerNonUserCodeAttribute()] [global::System.Configuration.DefaultSettingValueAttribute("8008")] public string WebApiPort { get { return ((string)(this["WebApiPort"])); } } } } ```
Khalid Nakaev is a former nominee of the CPRF for the 2021 Chechen head election. He lost the election to Ramzan Kadyrov. He was born on July 22, 1969 in the village of Achkhoy-Martan, Achkhoy-Martan District, CIASSR. He graduated a degree in Industrial and Civil Construction from the Faculty of Civil Engineering of the Grozny Oil Institute in 1992. References Russia
Eulimella nana is a species of sea snail, a marine gastropod mollusk in the family Pyramidellidae, the pyrams and their allies. References External links To World Register of Marine Species nana Gastropods described in 1897
Ambernath (Marathi pronunciation: [əmbəɾnaːt̪ʰ]) is an eastern suburban city in Thane district of Maharashtra and is a part of the Mumbai Metropolitan Region. Demographics Notable people Merwyn Fernandes, former Indian hockey player Farukh Choudhary, Indian footballer Puranik Yogendra, politician. Kay Kay Menon, actor. References Cities and towns in Thane district Talukas in Maharashtra Cities in Maharashtra
Hilary Lawson is an English philosopher and founder of the Institute of Art and Ideas. His theory of "closure" puts forward a non-realist metaphysics arguing that people close the openness of the world with thought and language. Lawson has also had a broadcasting and documentary film-making career and founded Television and Film Productions, now known as TVF Media. Biography Lawson graduated from Balliol College, Oxford with a first in PPE, and as a post-graduate began a DPhil on the problems of self-reference. This later became his book Reflexivity: The Post-Modern Predicament (1985) as part of the series Problems of Modern European Thought in which he argued that self-referential paradoxes are central to twentieth century philosophy, and specifically post-modernism. Later, Lawson pursued a broadcasting career. As a writer and director he made documentaries, created the series Where There's Life and co-authored a book based on the series. At 28, he was appointed editor of programmes at TV-am. In the late 1980s he founded the production company TVF Media which made documentary and current affairs programming, including Channel 4's international current affairs programme, The World This Week. Lawson was editor of the programme which ran weekly between 1987 and 1991. His book Closure was published in 2001. The book has been described by Don Cupitt as "perhaps the first largescale Anglo-Saxon non-realist 'metaphysics. Lawson founded the Institute of Art and Ideas in 2008 with the aim of making ideas and philosophy a central part of cultural life. Philosophical work Initially influenced by postmodernism at the outset of his career, Lawson contributed to and co-edited the collection of essays Dismantling Truth: Reality in the Post-Modern World, which explored the philosophical core of the theory. He also published the pamphlet After Truth - A Post Modern Manifesto, written in collaboration with Hugh Tomlinson, the translator of Deleuze. The influence of a postmodern approach continued in his collaborations with the American philosopher Richard Rorty, who contributed to Lawson's BBC film Science...Fiction? in which Lawson argued that "science is not powerful because it is true, but true because it is powerful" and in Lawson's subsequent film on Plato entitled The First World. Rorty also contributed to Lawson's collection Dismantling Truth. These works demonstrate Lawson’s long-standing scepticism of realism, apparent in the last decade from his exchange of articles with Timothy Williamson and debates with analytic philosophers John Searle, Simon Blackburn, and others. Despite accepting the basic postmodernist claims about the unrealistic nature of an objective truth, Lawson emphasises the need for “post-realism”. He argues that postmodernism is made incoherent by self-reference and ‘associated project of describing the relationship between language and the world.’ Lawson’s theory of “closure” responds to his rejection of realism and postmodernism, by proposing that the world is open and complex, but that it is enclosed by defined limits such as language and meaning. As Patrick Dillon says, ‘Closure can be understood as the imposition of fixity on openness. The closing of that which is open. […] Through closure there are things’. The theory shifts the focus of metaphysics away from language and towards an exploration of the tension between openness and closure. Given Lawson’s earlier work on self-reference, an important element of the theory of “closure” is its own self-referential nature. The framework of closure enables Lawson to claim that he provides an account of the relationship between language and the world that does not rely on reference and which he argues overcomes the problem of how language is hooked onto the world that beset twentieth century philosophy. One of the consequences of the theory is that philosophical oppositions, between language and the world, fact and value, are no longer regarded as oppositions. Lawson proposes that science is 'driven by the search for closure’, whilst art is described as 'the pursuit of openness and the avoidance of closure', demonstrating that the two are not in opposition to one another but rather in different relationships to openness and closure. Books In Reflexivity, Lawson argued that self-reference was central to contemporary philosophy. Using Nietzsche, Heidegger and Derrida as the main examples, he sought to show that reflexivity was the primary motor of their work. It was implicit that similar arguments could be applied to Wittgenstein and the analytic tradition. The introduction to Closure extends the arguments put forward in Reflexivity to the broader philosophical tradition. It argues that issues of self-reference undermine currently available philosophical positions. The main body of the book describes the process of closure and the means by which people can intervene in the world and seemingly understand it. In doing so it seeks to demonstrate that meaning and understanding are not dependent on notions of reference and truth, arguing that although there is nothing in common between closure and openness this does not limit the ability to intervene successfully in the world. Other books include Dismantling Truth: Science in Post-Modern Times. Articles include After Truth, On Integrity, and Philosophy As. Art Lawson created his first video paintings in 2001, with the aim of escaping narrative closure. He went on to found the Artscape Project in 2003, which brought a collective of artists together to develop the new medium. His video painting work has been exhibited at: the Hayward Gallery (2006); sketch (restaurant) (2007), the ICA (2007), and The Globe at Hay gallery (2008). Now Revisited, performed at Shunt, London in 2009, was a video painting installation in five acts in which the audience found themselves the subject of the work. Documentary film and factual television Lawson's documentary films include: Your Own Worst Enemy, writer and producer, (ITV); Science … fiction?, written and directed (BBC); Broken Images, written and directed (BBC); The First World, written and directed (Channel 4); The Man, the Myth, and The Maker, produced and presented (Channel 4); Incredible Evidence (90mins), written and directed (Channel 4). His current affairs output includes: The World This Week (1hr, weekly 1988-93), Editor (Channel 4); Cooking the Books, written and directed (Channel 4); Patent on Life, written and directed (Channel 4); For Queen or Country, written and directed (Channel 4). Awards The Emily Award, American Film and Video Festival, ‘The First World’, 1991 Educational Award, Royal Television Society, Nomination, ‘Write Away! Beginnings, Middles and Endings’, 2000 Children’s | Schools Factual - Primary Award, British Academy Award, Nomination, ‘Just Write: Stand Up Poetry’, 2000-1 References External links http://www.iai.tv/ http://blogs.lse.ac.uk/theforum/vicechair/ https://www.hilarylawson.com/ English artists English film directors English film producers English philosophers Living people Year of birth missing (living people)
Jasmin Hasić (born 28 September 1988, Banovići) Bosnian-born boxer in super heavyweight best known for winning bronze medal at the European Junior Championships 2007 in Sombor. At the European Junior Championships 2007, he defeated Drastamat Aslanyan from Armenia 17:16 and Darko Pirc from Croatia 24:3 but lost to Maxim Babanin from Russia by retiring in 4th round. In 2007, the Bosnian Sports Association named him the Bosnian Junior Sportsman of the Year. References External links European Junior Championships Results - Sombor, Serbia - July 8-16 2007 AIBA - Boxing’s Time of Change – A Review of the Year 2007 Sportin.ba - Jasmin Hasić korak do medalje 1988 births Living people Bosnia and Herzegovina male boxers People from Banovići Sportspeople from Tuzla Canton Heavyweight boxers
Madeleine Hogan (born 8 December 1988) is a Paralympic athlete from Australia competing mainly in category F42/F46 javelin throw events. She has won bronze medals at the 2008 Summer Paralympics and 2012 Summer Paralympics. She represented Australia at the 2016 Rio Paralympics in athletics. Early life Hogan was born in the Melbourne suburb of Ferntree Gully, situated in the Dandenong Ranges, on 8 December 1988, without the lower half of her left arm. She has two siblings, Brock and Courtney. As a teenager between 2001 and 2006, Hogan completed years 7 through 12 at Brentwood Secondary College in Glen Waverley. After graduation, she went on to study Exercise and Sport Science at Deakin University. Career Hogan was highly involved in sport whilst in school and her ability identified in an athletics talent search day in 2005. She took up athletics seriously in 2006. She is a member of the Knox Athletics Club in Melbourne. At the 2008 Beijing Paralympics, she won the bronze medal in the Women's Javelin F46. Prior to the 2011 IPC Athletics World Championships in Christchurch, she tore a tendon in her right throwing arm but overcame the injury to win the gold medal in the Women's Javelin F46 with a distance of 37.79 m. Hogan's winning throw was four metres better than her nearest rivals Natalia Gudkova (33.65m) of Russia, in silver position, and Hollie Beth Arnold (32.45m) of Great Britain, in bronze. At the 2012 Summer Paralympics in London, Hogan won a bronze medal in the Women's Javelin F46. She was forced to withdraw from the 2015 IPC Athletics World Championships in Doha due to rupturing her anterior cruciate ligament whilst training for the Women's Javelin F47 event. She had previously ruptured her other knee. She is coached by John Eden and is a Victorian Institute of Sport scholarship holder. She represented Victoria in cricket at the U19 national championships as a spin bowler and plays golf. Since her knee surgery in early November 2015 Hogan successfully recovered from rehab and competed in the 2016 Rio Paralympics. She placed 5th overall in the F46 Javelin throw. In the wake of Hogan's success in Rio, on 2 May 2017, she announced her retirement. References External links Madeleine Hogan at Australian Athletics Historical Results Paralympic athletes for Australia Athletes (track and field) at the 2008 Summer Paralympics Paralympic bronze medalists for Australia Living people Athletes (track and field) at the 2012 Summer Paralympics Athletes (track and field) at the 2016 Summer Paralympics Australian female javelin throwers Sportswomen from Victoria (state) 1988 births Medalists at the 2008 Summer Paralympics Medalists at the 2012 Summer Paralympics Amputee category Paralympic competitors Paralympic medalists in athletics (track and field) Deakin University alumni Athletes from Melbourne People from Ferntree Gully, Victoria
John N. Decore (born Ivan Dikur; April 9, 1909 – November 11, 1994) was a barrister, lawyer, teacher, and politician from Alberta, Canada. Decore was born Ivan Dikur on a farm west of Andrew, Alberta in a district called Sniatyn to Ukrainian immigrant parents Nykola and Hafia (nee Kostiuk). Nykola arrived in Canada in 1898 at the age of ten; Nykola was Hafia's second husband. Hafia died when John was only four years old he did not along with his stepmother. He completed grade eleven before the Great Depression in Canada forced his father to stop supporting him financially. After attending the first eight grades at the local one-room school in Sniatyn, moved to Vegreville and boarded with a woman from his father home village, and later went to Eastwood School and Victoria School in Edmonton for grades 9 to 11, where he stayed in the bursa (dormitory) for Ukrainian students called the Hrushevsky Institute. Students at the Institute took classes in Ukrainian language and culture in the evenings in addition to his studies in the regular English-language Albertan curriculum. After completing grade eleven he went to the Edmonton Normal School in 1929-30 and then taught in a series of rural school in the region near Andrew. He married Mysoslava Kupchenko in 1935 and also began attending the University of Alberta in a combined program that awarded him a B.A. in 1937 and an L.L.B. in 1938. He articled in Vegreville and was called to the bar in 1939. At university he played for the Golden Bears basketball team and was the national president of the Ukrainian Youth Association. The couple lived in Vegreville where John practiced law during the Second World War as John was rejected by the Canadian Armed Forces due to arthritis. John help to lead work bees and the fundraising efforts during for a public pool so the children of men serving overseas would have recreational activity, and was the president of the Kinsmen Club, the chamber of commerce, and the council of the local Ukrainian Orthodox Church, and school board trustee where he promoted the hiring of Ukrainian-Canadian teachers. He anglicized his name to John by 1940s. He first ran for the House of Commons as a Liberal candidate in the 1949 federal election. He defeated Social Credit incumbent Anthony Hlynka in the riding of Vegreville. He was re-elected in the 1953 election, once again defeating Hlynka. He was appointed an advisor to Lester B. Pearson during Pearson's time as Ambassador of Canada to the United Nations and gave several speeches in the United States including representing Canada at U.N. Headquarters (then at Lake Success, New York) and speaking on Ukrainian issues at Carnegie Hall with U.S. Senator Lehman. In Parliament he was a vocal anti-communist and an activist for Ukrainian rights in both Canada and the Soviet Union. At his urging Canadian immigration documents began to recognize "Ukrainian" as nationality, and not merely the name of regional population within the Soviet Union. He also advocated for allowing the members of the controversial 14th Waffen Grenadier Division of the SS (1st Galician) to immigrate to Canada. He considered his "crowning achievement" in politics to be arranging for Prime Minister Louis St. Laurent to open the Ukrainian Pioneer Home monument at Elk Island National Park in 1951. He also arranged for a concert of the Ukrainian Bandurist Chorus in the Railway Committee Room of Parliament and the creation of a Ukrainian-language service at Voice of Canada. He retired from Parliament in 1957. Decore attempted to return to federal politics in the 1962 election, this time in the Edmonton East electoral district, but he lost to Progressive Conservative (PC) incumbent William Skoreyko. He ran once more in the 1963 federal election in Edmonton—Strathcona, losing to PC incumbent Terry Nugent. Decore was made a Q.C. in 1964 and in 1965 was appointed Chief Justice of the District Court of Northern Alberta and supervised its merger with the southern district court. He was also involved in the creation of the Court of Queen's Bench for Alberta in 1979. He retired as chief justice in that year and was awarded an honourary degree of Doctor of Laws in 1980. Decore's son Laurence was mayor of Edmonton and leader of the Opposition in the Legislative Assembly of Alberta. References External links 1909 births 1994 deaths Members of the House of Commons of Canada from Alberta Liberal Party of Canada MPs Canadian people of Ukrainian descent 20th-century Canadian judges 20th-century Eastern Orthodox Christians Members of Ukrainian Orthodox church bodies University of Alberta Faculty of Law alumni People from Lamont County Canadian schoolteachers Canadian anti-communists Multiculturalism activists in Canada Eastern Orthodox Christians from Canada Victoria School of Performing and Visual Arts alumni
Boxer the Horse was an indie rock band from Charlottetown, Prince Edward Island, Canada. History Their debut album Would You Please was released in 2010 to high critical acclaim with many reviews comparing the band's sound to Pavement and the Kinks. In 2010 they were named the best new band in Canada by CBC Radio 3 at the annual Bucky Awards. The band's second album, French Residency, was released on March 13, 2012. As of 2021, Christian Ledwell had left the music industry. Andrew Woods is frontman for the band Legal Vertigo. Jeremy Gaudet is a member of the band Kiwi Jr. Discography The Late Show (2008, EP), OBR Records Would You Please (2010), Collagen Rock Records French Residency (2012), Independent References External links Official Myspace page Canadian indie rock groups Musical groups from Charlottetown Musical groups established in 2010 2010 establishments in Prince Edward Island
"Better I Don't" is a song recorded by American country music singer Chris Janson. Janson co-wrote the song with Pat Bunch and Kelly Roland. Critical reception Billy Dukes of Taste of Country gave the song a positive review, saying that "Janson’s producer pulls all the elements together for one sweet, smooth ride. The scathing harmonica solo near the bridge almost gets lost upon first listen. So too does the steel guitar that reminds one where Janson’s loyalties lie. It’s a masterful mix that dazzles even before the second verse." Music video The music video was directed by Wes Edwards and premiered in March 2013. Chart performance References 2013 singles Bigger Picture Music Group singles Chris Janson songs Songs written by Pat Bunch 2013 songs Song recordings produced by Keith Stegall Music videos directed by Wes Edwards Songs written by Chris Janson
Panayiotis Kokoras (; born 1974, Ptolemaida) is a Greek composer and computer music innovator. Kokoras's sound compositions use timbre as the main element of form. His concept of "holophony" describes his goal that each independent sound (φωνή), contributes equally into the synthesis of the total (ὅλος). In both instrumental and electroacoustic writing, his music calls upon a "virtuosity of sound," emphasizing the precise production of variable sound possibilities and the correct distinction between one timbre and another to convey the musical ideas and structure of the piece. His compositional output is also informed by musical research in Music Information Retrieval compositional strategies, Extended techniques, Tactile sound, Augmented reality, Robotics, Spatial Sound, Synesthesia. He is founding member of the Hellenic Electroacoustic Music Composers Association (HELMCA) and from 2004 to 2012 he was board member and president. Studies Kokoras studied composition with I. Ioannidi and Anri Kergomard as well as classical guitar with E. Asimakopoulo in Athens. In 1999 he moved to England, for postgraduate studies at the University of York, where he completed his MA and PhD in composition with T. Myatt with funds from the Arts and Humanities Research Board (AHRB) and Aleksandra Trianti Music Scholarships (Society Friends of Music) among others. Compositions His works have been commissioned by institutes and festivals such as the Fromm Music Foundation (Harvard), IRCAM (France), MATA (New York), Gaudeamus (Netherlands), ZKM (Germany), IMEB (France), Siemens Musikstiftung (Germany) and have been performed in over 400 concerts around the world. Distinctions His compositions have received 61 distinctions and prizes in international competitions, and have been selected by juries in more than 130 international calls for scores. Destellos Prix 2011, Argentina Prix Ars Electronica 2011, Austria Gianni Bergamo Classic Music Award 2007, Switzerland Pierre Schaeffer 2005, Italy Musica Viva 2005 and 2002, Portugal Look and Listen Prize 2004, New York Gaudeamus 2004 and 2003, the Netherlands Bourges Residence Prix 2004, France Insulae Electronicae 2003, Italy Jurgenson Competition 2003, Russia Seoul international competition 2003, Korea Takemitsu Composition Award 2002, Japan Noroit Prize 2002, France CIMESP 2002, Brazil Musica Nova Prize 2001, Czech Republic Métamorphoses 2000, Belgium. Teaching As an educator, Kokoras has taught at the Technological and Educational Institute of Crete, and, the Aristotle University of Thessaloniki (Greece). Since fall 2012 he has been appointed assistant professor at the University of North Texas. Articles Panayiotis Kokoras, Olivier Pasque (2008) Conference of Intersciplinary Musicology (CIM) Sound Scale: perspectives on the contribution of flute's sound classification to musical structure. Greece. Panayiotis Kokoras (2007) Journal of Music and Meaning (JMM) Towards a Holophonic Musical Texture. JMM 4, Winter 2007, section 5. University of Southern Denmark. Denmark. Panayiotis Kokoras (2005) Electronic Musicological Review – Vol. IX October 2005 - Morphopoiesis: A general procedure for structuring form. Federal University of Paraná. Brazil. Discography His music is published by Spectrum Press, NOR, Miso Musica, SAN/CEC, Independent Opposition Records, ICMC2004 and distributed in limited editions by LOSS, Host Artists Group, Musica Nova, and others. External links Panayiotis Kokoras' home page University of North Texas 1974 births Alumni of the University of York Greek composers Greek musicians Living people People from Ptolemaida
```php @extends("crudbooster::admin_template") @section("content") @push('head') <link rel='stylesheet' href='<?php echo asset("vendor/crudbooster/assets/select2/dist/css/select2.min.css")?>'/> <style> .select2-container--default .select2-selection--single { border-radius: 0px !important } .select2-container .select2-selection--single { height: 35px } </style> @endpush @push('bottom') <script src='<?php echo asset("vendor/crudbooster/assets/select2/dist/js/select2.full.min.js")?>'></script> <script> $(function () { $('.select2').select2(); }) </script> @endpush <ul class="nav nav-tabs"> <li role="presentation"><a href="{{Route('ModulsControllerGetStep1')."/".$id}}"><i class='fa fa-info'></i> Step 1 - Module Information</a></li> <li role="presentation" class="active"><a href="{{Route('ModulsControllerGetStep2')."/".$id}}"><i class='fa fa-table'></i> Step 2 - Table Display</a></li> <li role="presentation"><a href="{{Route('ModulsControllerGetStep3')."/".$id}}"><i class='fa fa-plus-square-o'></i> Step 3 - Form Display</a></li> <li role="presentation"><a href="{{Route('ModulsControllerGetStep4')."/".$id}}"><i class='fa fa-wrench'></i> Step 4 - Configuration</a></li> </ul> @push('head') <style> .table-display tbody tr td { position: relative; } .sub { position: absolute; top: inherit; left: inherit; padding: 0 0 0 0; list-style-type: none; height: 180px; overflow: auto; z-index: 1; } .sub li { padding: 5px; background: #eae9e8; cursor: pointer; display: block; width: 180px; } .sub li:hover { background: #ECF0F5; } .btn-drag { cursor: move; } </style> @endpush @push('bottom') <script> var columns = {!! json_encode($columns) !!}; var tables = {!! json_encode($table_list) !!}; function ucwords(str) { return (str + '').replace(/^([a-z])|\s+([a-z])/g, function ($1) { return $1.toUpperCase(); }); } function showNameSuggest(t) { t = $(t); t.next("ul").remove(); var list = ''; $.each(columns, function (i, obj) { list += "<li>" + obj + "</li>"; }); t.after("<ul class='sub'>" + list + "</ul>"); } function showNameSuggestLike(t) { t = $(t); var v = t.val(); t.next("ul").remove(); if (!v) return false; var list = ''; $.each(columns, function (i, obj) { if (obj.includes(v.toLowerCase())) { list += "<li>" + obj + "</li>"; } }); t.after("<ul class='sub'>" + list + "</ul>"); } function showColumnSuggest(t) { t = $(t); t.next("ul").remove(); var list = ''; $.each(columns, function (i, obj) { obj = obj.replace('id_', ''); obj = ucwords(obj.replace('_', ' ')); list += "<li>" + obj + "</li>"; }); t.after("<ul class='sub'>" + list + "</ul>"); } function showColumnSuggestLike(t) { t = $(t); var v = t.val(); t.next("ul").remove(); if (!v) return false; var list = ''; $.each(columns, function (i, obj) { if (obj.includes(v.toLowerCase())) { obj = obj.replace('id_', ''); obj = ucwords(obj.replace('_', ' ')); list += "<li>" + obj + "</li>"; } }); t.after("<ul class='sub'>" + list + "</ul>"); } function showTable(t) { t = $(t); t.next("ul").remove(); var list = ''; $.each(tables, function (i, obj) { list += "<li>" + obj + "</li>"; }); t.after("<ul class='sub'>" + list + "</ul>"); } function showTableLike(t) { t = $(t); var v = t.val(); t.next("ul").remove(); if (!v) return false; var list = ''; $.each(tables, function (i, obj) { if (obj.includes(v.toLowerCase())) { list += "<li>" + obj + "</li>"; } }); t.after("<ul class='sub'>" + list + "</ul>"); } function showTableFieldLike(t) { t = $(t); var table = t.parent().parent().find('.join_table').val(); var v = t.val(); t.next("ul").remove(); if (!table) return false; if (!v) return false; t.after("<ul class='sub'><li><i class='fa fa-spin fa-spinner'></i> Loading...</li></ul>"); $.get("{{CRUDBooster::mainpath('table-columns')}}/" + table, function (response) { t.next("ul").remove(); var list = ''; $.each(response, function (i, obj) { if (obj.includes(v.toLowerCase())) { list += "<li>" + obj + "</li>"; } }); t.after("<ul class='sub'>" + list + "</ul>"); }); } function showTableField(t) { t = $(t); var table = t.parent().parent().find('.join_table').val(); var v = t.val(); if (!table) return false; t.after("<ul class='sub'><li><i class='fa fa-spin fa-spinner'></i> Loading...</li></ul>"); $.get("{{CRUDBooster::mainpath('table-columns')}}/" + table, function (response) { t.next("ul").remove(); var list = ''; $.each(response, function (i, obj) { list += "<li>" + obj + "</li>"; }); t.after("<ul class='sub'>" + list + "</ul>"); }); } $(function () { $(document).on('click', '.btn-plus', function () { var tr_parent = $(this).parent().parent('tr'); var clone = $('#tr-sample').clone(); clone.removeAttr('id'); tr_parent.after(clone); $('.table-display tr').not('#tr-sample').show(); }) //init row $('.btn-plus').last().click(); $(document).mouseup(function (e) { var container = $(".sub"); if (!container.is(e.target) && container.has(e.target).length === 0) { container.hide(); } }); $(document).on('click', '.sub li', function () { var v = $(this).text(); $(this).parent('ul').prev('input[type=text]').val(v); $(this).parent('ul').remove(); }) $(document).on('click', '.table-display .btn-delete', function () { $(this).parent().parent().remove(); }) $(document).on('click', '.table-display .btn-up', function () { var tr = $(this).parent().parent(); var trPrev = tr.prev('tr'); if (trPrev.length != 0) { tr.prev('tr').before(tr.clone()); tr.remove(); } }) $(document).on('click', '.table-display .btn-down', function () { var tr = $(this).parent().parent(); var trPrev = tr.next('tr'); if (trPrev.length != 0) { tr.next('tr').after(tr.clone()); tr.remove(); } }) $(document).on('change', '.is_image', function () { var tr = $(this).parent().parent(); if ($(this).val() == 1) { tr.find('.is_download').val(0); } }) $(document).on('change', '.is_download', function () { var tr = $(this).parent().parent(); if ($(this).val() == 1) { tr.find('.is_image').val(0); } }) }) </script> @endpush <div class="box box-default"> <div class="box-header with-border"> <h3 class="box-title">Table Display</h3> </div> <div class="box-body"> <div class="alert alert-info"> <strong>Warning</strong>. Make sure that your column format are normally, unless using this Tool maybe make your current configuration broken, because this Tool will replace your configuration. </div> <form method="post" action="{{Route('ModulsControllerPostStep3')}}"> <input type="hidden" name="_token" value="{{csrf_token()}}"> <input type="hidden" name="id" value="{{$id}}"> <table class="table-display table table-striped"> <thead> <tr> <th>Column</th> <th>Name</th> <th colspan='2'>Join (Optional)</th> <th>CallbackPHP</th> <th width="90px">Width (px)</th> <th width='80px'>Image</th> <th width='80px'>Download</th> <th width="180px">Action</th> </tr> </thead> <tbody> @if($cb_col) @foreach($cb_col as $c) <tr> <td><input value='{{$c["label"]}}' type='text' name='column[]' onclick='showColumnSuggest(this)' onKeyUp='showColumnSuggestLike(this)' placeholder='Column Name' class='column form-control notfocus' value=''/></td> <td><input value='{{$c["name"]}}' type='text' name='name[]' onclick='showNameSuggest(this)' onKeyUp='showNameSuggestLike(this)' placeholder='Field Name' class='name form-control notfocus' value=''/></td> <td><input value='{{ @explode(",",$c["join"])[0] }}' type='text' name='join_table[]' onclick='showTable(this)' onKeyUp='showTableLike(this)' placeholder='Table Name' class='join_table form-control notfocus' value=''/></td> <td><input value='{{ @explode(",",$c["join"])[1] }}' type='text' name='join_field[]' onclick='showTableField(this)' onKeyUp='showTableFieldLike(this)' placeholder='Field Name Shown' class='join_field form-control notfocus' value=''/> </td> <td><input type='text' name='callbackphp[]' class='form-control callbackphp notfocus' value='{{$c["callback_php"]}}' placeholder="Optional"/></td> <td><input value='{{$c["width"]?:0}}' type='number' name='width[]' class='form-control'/></td> <td> <select class='form-control is_image' name='is_image[]'> <option {{ (!$c['image'])?"selected":""}} value='0'>N</option> <option {{ ($c['image'])?"selected":""}} value='1'>Y</option> </select> </td> <td> <select class='form-control is_download' name='is_download[]'> <option {{ (!$c['download'])?"selected":""}} value='0'>N</option> <option {{ ($c['download'])?"selected":""}} value='1'>Y</option> </select> </td> <td> <a href="javascript:void(0)" class="btn btn-info btn-plus"><i class='fa fa-plus'></i></a> <a href="javascript:void(0)" class="btn btn-danger btn-delete"><i class='fa fa-trash'></i></a> <a href="javascript:void(0)" class="btn btn-success btn-up"><i class='fa fa-arrow-up'></i></a> <a href="javascript:void(0)" class="btn btn-success btn-down"><i class='fa fa-arrow-down'></i></a> </td> </tr> @endforeach @endif <tr id="tr-sample" style="display:none"> <td><input type='text' name='column[]' onclick='showColumnSuggest(this)' onKeyUp='showColumnSuggestLike(this)' placeholder='Column Name' class='column form-control notfocus' value=''/></td> <td><input type='text' name='name[]' onclick='showNameSuggest(this)' onKeyUp='showNameSuggestLike(this)' placeholder='Field Name' class='name form-control notfocus' value=''/></td> <td><input type='text' name='join_table[]' onclick='showTable(this)' onKeyUp='showTableLike(this)' placeholder='Table Name' class='join_table form-control notfocus' value=''/></td> <td><input type='text' name='join_field[]' onclick='showTableField(this)' onKeyUp='showTableFieldLike(this)' placeholder='Field Name Shown' class='join_field form-control notfocus' value=''/></td> <td><input type='text' name='callbackphp[]' class='form-control callbackphp notfocus' value='' placeholder="Optional"/></td> <td><input type='number' name='width[]' value='0' class='form-control'/></td> <td> <select class='form-control is_image' name='is_image[]'> <option value='0'>N</option> <option value='1'>Y</option> </select> </td> <td> <select class='form-control is_download' name='is_download[]'> <option value='0'>N</option> <option value='1'>Y</option> </select> </td> <td> <a href="javascript:void(0)" class="btn btn-info btn-plus"><i class='fa fa-plus'></i></a> <a href="javascript:void(0)" class="btn btn-danger btn-delete"><i class='fa fa-trash'></i></a> <a href="javascript:void(0)" class="btn btn-success btn-up"><i class='fa fa-arrow-up'></i></a> <a href="javascript:void(0)" class="btn btn-success btn-down"><i class='fa fa-arrow-down'></i></a> </td> </tr> </tbody> </table> </div> <div class="box-footer"> <div align="right"> <button type="button" onclick="location.href='{{CRUDBooster::mainpath('step1').'/'.$id}}'" class="btn btn-default">&laquo; Back</button> <input type="submit" class="btn btn-primary" value="Step 3 &raquo;"> </div> </div> </form> </div> @endsection ```
Goldfeld is a Jewish East European surname, common among Ashkenazi Jews. Its meaning is 'gold field'. Notable people with the surname include: Dorian M. Goldfeld (born 1947), American mathematician Ester Goldfeld (born 1993), American tennis player Sharon Goldfeld, Australian paediatrician and public health physician Stephen Goldfeld (1940–1995), American economist See also Goldfield (disambiguation) Goldberg (disambiguation) Gauldfeldt (disambiguation) Surnames of Jewish origin German-language surnames Yiddish-language surnames
Poursac () is a commune in the Charente department in southwestern France. Population See also Communes of the Charente department References Communes of Charente
Arsjad Rasjid (born 16 March 1970) is an Indonesian businessman who is president director of the mining and energy firm . He also serves as commissioner in several other companies, and is currently chairman of the Indonesian Chamber of Commerce and Industry for the 2021–2026 term. In September 2023, he was appointed as chairman of the 2024 presidential bid of Ganjar Pranowo. Early life and education Arsjad Rasjid was born on 16 March 1970 in Jakarta. His father H.M.N. Rasjid had served in the Indonesian Army and originated from Palembang, while his mother Suniawati was of mixed Sundanese-Chinese descent. He began studying abroad at the age of 9, when he began to study in Singapore. He later studied computer science at the University of Southern California, and later received a bachelors in business administration from Pepperdine University in 1993. During his studies in California, he met . Business career After returning from their studies in the US, Rasjid and Lasmono co-founded a multimedia company, PT Prabu Wahana, in 1995. The company later was renamed to Indika, shorthand for Industri Multimedia dan Informatika (Multimedia and Information Industry). During the Asian financial crisis, Rasjid helped restructure of the company owned by Lasmono's father . Rasjid and Lasmono began showing an interest in the energy sector in 2002, initially intending to invest in power generation before discovering a strong demand from China for coal. The pair received funding from South Korean banks, and began operations in 2005. Within Indika, Rasjid had become vice president director and president commissioner, but had primarily been president director, holding the position between 2007–2014 and since 2016. Outside Indika Energy and affiliated companies, Rasjid is also commissioner in several companies, including Grab Indonesia. In July 2021, Rasjid was elected by acclamation as chairman of the Indonesian Chamber of Commerce and Industry (KADIN) for the 2021–2026 term, replacing Rosan Roeslani. He took office on 7 July. He was the first KADIN chairman since 1994 to not have been affiliated with the Bakrie Group, with his primary competitor for the office being the group's CEO Anindya Bakrie. Political involvement On 4 September 2023, Rasjid was appointed as chairman of Ganjar Pranowo's 2024 presidential campaign. Although Rasjid had previously indicated his intention to join the campaign team, he claimed that his appointment as chairman was done without prior communication and that he had found out about it from friends during an event who showed him online news articles about his appointment. References 1970 births Living people People from Jakarta University of Southern California alumni Pepperdine University alumni 21st-century Indonesian businesspeople
Palpu Pushpangadan (born 23 January 1944) is a former Director of the Tropical Botanical Garden and Research Institute (TBGRI) in Kerala. He is also a former Director of the National Botanical Research Institute (NBRI), Lucknow and Rajiv Gandhi Centre for Biotechnology, Thiruvananthapuram. He received the Padmashri Award from the Government of India in 2010. Born on 23 January 1944 at Prakkulam in Kollam district in Kerala, Pushpangadan is known for his contribution to plant sciences. He has got multidisciplinary training in cytogenetics, plant breeding, bioprospecting, biotechnology, conservation biology, ethnobiology, ethnopharmacology and pharmacognosy. He has published about 317 research papers/articles in various national and international journals, authored/edited 15 books, contributed 41 chapters in books in taxonomy, plant breeding, conservation biology, biotechnology, ethnobiology, ethnopharmacology and IPR, etc. Filed/Awarded 85 patents in herbal drugs/products jointly with other scientists. 15 of his patented products are already commercialized. References External links P. Pushpangadan Model of benefit sharing A model to fight bio-piracy P. Pushpangadan Model of benefit sharing Malayali people Recipients of the Padma Shri in science & engineering Scientists from Kollam Living people 1944 births 20th-century Indian botanists Indian agriculturalists Indian geneticists Cytogenetics
Nilse Hullet () is a cove indenting the south coast of South Georgia, 1.5 nautical miles (2.8 km) southwest of Cheapman Bay and 1 nautical mile (1.9 km) east-northeast of Samuel Islands. Surveyed by the SGS in the period 1951–57. The name is well established in local use. References Coves of Antarctica
.pw is the country code top-level domain for the Republic of Palau. History The country code top-level domain .pw was delegated to the Pacific island nation of Palau in 1997. It has since been redelegated a number of times. Directi, a group of technology businesses, obtained exclusive rights over .pw from EnCirca in 2004. From March 25, 2013, domains under the .pw TLD are available to the general public. Since then, it is sometimes marketed as a domain for professionals (professional web). A few months after opening the registry to the general public, .pw became the target of spammers. Symantec released two reports in April and May 2013 claiming that domains under .pw TLD were a significant source of spam e-mail. Directi responded that it had zero tolerance for spam and would be deleting domains accused of violating its anti-abuse policy. In July 2013 the registry announced that they had passed the 250,000 registration milestone within the first three months, after having 50,000 registered domains in the first three weeks. See also Internet in Palau References External links IANA Delegation Record for .pw Communications in Palau Country code top-level domains Endurance International Group sv:Toppdomän#P
```javascript import DialogBody from './DialogBody'; import DialogFooter from './DialogFooter'; import Dialog from './Dialog'; Dialog.Body = DialogBody; Dialog.Footer = DialogFooter; export default Dialog; ```
The Silver Ghost is a public house in Field Drive, Alvaston, Derby, England, that has been declared an asset of community value in order to prevent it from closure. The pub is modern and named after the Rolls-Royce Silver Ghost car that was made in Derby. In May 2017, Dawn Hall, the landlady of the pub since 2016, declared the pub a place of refuge and support centre for women who are victims of domestic abuse and children being bullied after she had to intervene in several domestic abuse incidents at the pub. It had previously been named part of a Safe Haven scheme in 2010. References External links Silver Ghost, Derby website Pubs in Derbyshire Buildings and structures in Derby
```objective-c // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #ifndef WebGeofencingError_h #define WebGeofencingError_h #include "WebString.h" namespace blink { struct WebGeofencingError { enum ErrorType { ErrorTypeAbort = 0, ErrorTypeUnknown, ErrorTypeLast = ErrorTypeUnknown }; WebGeofencingError(ErrorType errorType, const WebString& message) : errorType(errorType) , message(message) { } ErrorType errorType; WebString message; }; } // namespace blink #endif // WebGeofencingError_h ```
```java /* * DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER. * * * Subject to the condition set forth below, permission is hereby granted to any * person obtaining a copy of this software, associated documentation and/or * data (collectively the "Software"), free of charge and under any and all * copyright rights in the Software, and any and all patent rights owned or * freely licensable by each licensor hereunder covering either (i) the * unmodified Software as contributed to or provided by such licensor, or (ii) * the Larger Works (as defined below), to deal in both * * (a) the Software, and * * (b) any piece of software and/or hardware listed in the lrgrwrks.txt file if * one is included with the Software each a "Larger Work" to which the Software * is contributed by such licensors), * * without restriction, including without limitation the rights to copy, create * derivative works of, display, perform, and distribute the Software and make, * use, sell, offer for sale, import, export, have made, and have sold the * Software and the Larger Work(s), and to sublicense the foregoing rights on * either these or other terms. * * This license is subject to the following condition: * * The above copyright notice and either this complete permission notice or at a * minimum a reference to the UPL must be included in all copies or substantial * portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE * SOFTWARE. */ package com.oracle.truffle.api.test.host; import static org.junit.Assert.assertEquals; import static org.junit.Assert.assertNull; import static org.junit.Assert.assertTrue; import static org.junit.Assert.fail; import java.util.List; import org.graalvm.polyglot.PolyglotException; import org.junit.BeforeClass; import org.junit.Test; import com.oracle.truffle.api.interop.TruffleObject; import com.oracle.truffle.tck.tests.TruffleTestAssumptions; public class PrimitiveRawArrayInteropTest extends ProxyLanguageEnvTest { @BeforeClass public static void runWithWeakEncapsulationOnly() { TruffleTestAssumptions.assumeWeakEncapsulation(); } private Object[] objArr; private byte[] byteArr; private short[] shortArr; private int[] intArr; private long[] longArr; private float[] floatArr; private double[] doubleArr; private char[] charArr; private boolean[] boolArr; public Object arr(int type) { switch (type) { case 0: return objArr; case 1: return byteArr; case 2: return shortArr; case 3: return intArr; case 4: return longArr; case 5: return floatArr; case 6: return doubleArr; case 7: return charArr; case 8: return boolArr; case 666: throw new SimulatedDeath(); default: throw new WrongArgument(type); } } public static final class WrongArgument extends RuntimeException { private static final long serialVersionUID = 1L; final int type; public WrongArgument(int type) { this.type = type; } } public interface RawInterop { List<Object> arr(int type); } private TruffleObject obj; private RawInterop interop; @Override public void before() { super.before(); obj = asTruffleObject(this); interop = asJavaObject(RawInterop.class, obj); } @Test public void everyThingIsNull() { assertNull(interop.arr(0)); assertNull(interop.arr(1)); assertNull(interop.arr(2)); assertNull(interop.arr(3)); assertNull(interop.arr(4)); assertNull(interop.arr(5)); assertNull(interop.arr(6)); assertNull(interop.arr(7)); assertNull(interop.arr(8)); } @Test public void exceptionIsPropagated() { try { assertNull(interop.arr(30)); } catch (PolyglotException hostException) { assertTrue("Expected HostException but got: " + hostException.getClass(), hostException.isHostException()); WrongArgument wrongArgument = (WrongArgument) hostException.asHostException(); assertEquals(30, wrongArgument.type); return; } fail("WrongArgument should have been thrown"); } @Test public void errorIsPropagated() { try { assertNull(interop.arr(666)); } catch (PolyglotException ex) { assertTrue(ex.isInternalError()); return; } fail("SimulatedDeath should have been thrown"); } @Test @SuppressWarnings({"rawtypes", "unchecked"}) public void stringAsList() { objArr = new Object[]{"Hello", "World", "!"}; List<Object> list = interop.arr(0); assertEquals("Three elements", 3, list.size()); assertEquals("Hello", list.get(0)); assertEquals("World", list.get(1)); assertEquals("!", list.get(2)); list.set(1, "there"); assertEquals("there", objArr[1]); list.set(0, null); assertNull("set to null", objArr[0]); List rawList = list; rawList.set(0, 42); assertEquals("safelly changed", 42, objArr[0]); } @Test public void charOp() { charArr = new char[]{'A', 'h', 'o', 'j'}; assertEquals('j', (char) interop.arr(7).get(3)); interop.arr(7).set(3, 'y'); String s = new String(charArr); assertEquals("Ahoy", s); } @Test public void boolOp() { boolArr = new boolean[]{true, false}; interop.arr(8).set(1, !(Boolean) interop.arr(8).get(1)); assertEquals(boolArr[0], boolArr[1]); } @Test public void byteSum() { byteArr = new byte[]{(byte) 1, (byte) 2, (byte) 3}; assertSum("Sum is OK", 6, interop.arr(1)); } @Test public void shortSum() { shortArr = new short[]{(short) 1, (short) 2, (short) 3}; assertSum("Sum is OK", 6, interop.arr(2)); } @Test public void intSum() { intArr = new int[]{1, 2, 3}; assertSum("Sum is OK", 6, interop.arr(3)); } @Test public void longSum() { longArr = new long[]{1, 2, 3}; assertSum("Sum is OK", 6, interop.arr(4)); } @Test public void floatSum() { floatArr = new float[]{1, 2, 3}; assertSum("Sum is OK", 6, interop.arr(5)); } @Test public void doubleSum() { doubleArr = new double[]{1, 2, 3}; assertSum("Sum is OK", 6, interop.arr(6)); } @Test public void writeSomebyteSum() { byteArr = new byte[]{(byte) 10, (byte) 2, (byte) 3}; interop.arr(1).set(0, (byte) 1); assertSum("Sum is OK", 6, interop.arr(1)); } @Test public void writeSomeshortSum() { shortArr = new short[]{(short) 10, (short) 2, (short) 3}; interop.arr(2).set(0, (short) 1); assertSum("Sum is OK", 6, interop.arr(2)); } @Test public void writeSomeintSum() { intArr = new int[]{10, 2, 3}; interop.arr(3).set(0, 1); assertSum("Sum is OK", 6, interop.arr(3)); } @Test public void writeSomelongSum() { longArr = new long[]{10, 2, 3}; interop.arr(4).set(0, (long) 1); assertSum("Sum is OK", 6, interop.arr(4)); } @Test public void writeSomefloatSum() { floatArr = new float[]{10, 2, 3}; interop.arr(5).set(0, (float) 1); assertSum("Sum is OK", 6, interop.arr(5)); } @Test public void writeSomedoubleSum() { doubleArr = new double[]{10, 2, 3}; interop.arr(6).set(0, (double) 1); assertSum("Sum is OK", 6, interop.arr(6)); } private static void assertSum(String msg, double expected, List<? extends Object> numbers) { double v = 0.0; for (Object o : numbers) { if (o instanceof Number) { Number n = (Number) o; v += n.doubleValue(); } } assertEquals(msg, expected, v, 0.05); } private static class SimulatedDeath extends ThreadDeath { private static final long serialVersionUID = 1L; @Override public String getMessage() { return "simulation"; } } } ```
Jerry Andrus (January 28, 1918 – August 26, 2007) was an American magician and writer known internationally for his original close-up, sleight of hand tricks, such as the famous "Linking Pins", and optical illusions. Early life Andrus was born January 28, 1918, in Sheridan, Wyoming. At the age of 10, he moved to Albany, Oregon, where he lived until his death in 2007. At 12, Andrus became interested in the art of illusion when he saw a performance of a reformed "spiritual medium". He joined the International Society of Junior Magicians when he was 16 and soon became known as a "magician’s magician". Career Magic A self-taught magician, Andrus preferred to develop his own style rather than learn the craft as traditionally handed down from other magicians, eventually becoming world renowned as one of the "best and most-influential 'close-up magic' performers ever." He was known to many accomplished contemporary magicians, such as Lance Burton, Doug Henning, and Penn & Teller, for this unique brand of close-up, sleight-of-hand magic. International card magicians knew Andrus for his "Master Move", a sleight-of-hand classic "pass" without "necessary false movement". An early member of The Magic Castle in Hollywood, California, Andrus performed there semi-annually until shortly before his death. Illusions Andrus created his illusions in his Oregon home, which he nicknamed "The Castle of Chaos" in reference to the numerous items he collected over the years with the hope of using them to "make something spectacular". In 1954, Andrus created the famous "Linking Pins", a close-up illusion in which closed safety pins are rapidly linked together in twos, threes and chains. Skepticism Andrus was committed to the promotion of science and warned of the dangers of pseudoscience, psychics, cons, and other deceptions. An avowed scientific skeptic and agnostic, Andrus often lectured at scientific and skeptic conferences, using his optical illusions and magic tricks to demonstrate the ease with which the mind can be fooled by the eye. He discussed a form of cognitive science that attempted to explain that because the mind is working on an unconscious level, it can be fooled into misperceiving apparently normal sensory experiences. List of works Books and lecture notes Andrus Deals You in (1956) Sleightly Miraculous (1961) Special Magic (lecture notes for 1974 Japan Tour) (1974) More Sleightly Slanted (lecture notes) (1977) Andrus Card Control (with Ray Hyman) (2000) Kurious Kards and $5 Trix (2001) Safety Pin-Trix Videos/DVDs Jerry Andrus: A Lifetime of Magic – Volume 1 (2001) Jerry Andrus: A Lifetime of Magic – Volume 2 (2001) Jerry Andrus: A Lifetime of Magic – Volume 3 (2001) Media Documentaries A Thing of Wonder: The Mind & Matter of Jerry Andrus (2002) Andrus: The Man, The Mind and the Magic (2008) See also James Randi Rudy Coby References 1918 births 2007 deaths American magicians American skeptics American inventors American writers American agnostics People from Albany, Oregon People from Sheridan, Wyoming
Cable & Wireless Communications Ltd operating as C&W Communications is a telecommunications company which has operations in the Caribbean and Central America. It is owned by Liberty Latin America and is headquartered in London. It was formed when Cable & Wireless plc demerged in 2010 to form two companies (the other being Cable & Wireless Worldwide plc). In November 2015, Liberty Global announced it would purchase Cable & Wireless Communications. The company was officially acquired by Liberty Global on May 16, 2016. Following the split of Liberty Latin America from Liberty Global in 2018, Cable & Wireless became owned by Liberty Latin America based in Boulder, Colorado. The company operates under a number of brands, including C&W Business, C&W Networks, Cable & Wireless Panama, and BTC Bahamas. After Cable & Wireless Communications purchased Columbus Communications in 2015, it replaced its LIME brand with Columbus' Communications History British and transatlantic cables and Eastern Telegraph Company (1852–1901) The origins of Cable and Wireless Communications begin in 1852 when John Pender, a Manchester cotton merchant, joined other businessmen as director of the English and Irish Magnetic Telegraph Company. This company ran a specific point to point telegraph cable service between London and Dublin, but Pender soon began founding numerous other telegraphic cable companies to run similar point to point, national and international telegraph services. Over time, Pender amalgamated these into the single company that would form the basis for Cable and Wireless Communications. Because of the early development of point to point telegraph services, Cable and Wireless's origins embrace over 50 early telegraph, radio and telecommunications companies, many of them founded by Pender. Pender was a financier of the Great Eastern Ship which laid the first successful transatlantic telegraph cable in 1866, beginning a new era of international telegraph communications. In 1869, Pender founded the Falmouth, Gibraltar and Malta Cable Company and the British Indian Submarine Telegraph Company, which connected the Anglo-Mediterranean cable (linking Malta to Alexandria using a cable manufactured by one of Pender's companies) to Britain and India, respectively. The London to Bombay telegraph line was completed in 1870. The London to Bombay cable was the first to land at Porthcurno in Cornwall, a location which became the company's global hub and is now home to its archive and a telegraph museum. In 1872 the three companies were merged with the Marseilles, Algiers and Malta Telegraph Company to form the Eastern Telegraph Company, with Pender as chairman. The Eastern Telegraph Company steadily took over a number of companies founded to connect the West Indies and South America, leading to a name change to The Eastern and Associated Telegraph Companies. Rise of wireless and transition to C&W Ltd (1901–1945) From 1900 the near-monopoly on international communications enjoyed by the cable companies came under threat from the development of wireless radio technology. Marconi's Wireless Telegraph Company gradually developed a chain of ships using short-wave radio communications which could commercially compete with undersea cables. In 1924 Marconi succeeded in telephoning Australia using short wave radio and in the same year was given a contract by the British Post Office to set up circuits with Canada, Australia, South Africa and India (called the Post Office beam wireless service). The 1928 Imperial Wireless & Cable Conference was convened to establish the best way to manage these two technologies and protect British interests. This led to a decision to merge the communications methods of the British Empire into one operating company, initially known as the Imperial and International Communications Ltd, and changed to Cable and Wireless Limited in 1934. In 1936, Sir Edward Wilshaw was named chairman of the company. Nationalisation and privatisation era (1945–1999) Following the Labour Party's victory in the 1945 general election, the British government announced its intention to nationalise Cable and Wireless, which was carried out in 1947. The company continued to own assets and operate telecommunication services outside the UK, but all assets in the UK were integrated with those of the Post Office, which operated the UK's domestic telecommunications monopoly. In 1979 the Conservative Party government led by Margaret Thatcher began privatising the nationalised industries. Cable & Wireless was its first privatisation, with the sale of 49% in November 1981 (the remaining 51% was sold in two tranches in 1983 and 1985). Part of the privatisation included the granting of a licence for a UK telecommunications network, Mercury Communications Ltd, as a rival to British Telecom. It was established as a subsidiary of Cable & Wireless. Barclays and British Petroleum were the other original investors. They were bought out by Cable & Wireless in 1984. Mercury Communications was first licensed in 1982 and became a full public telecommunications operator in 1984. One2One was established as the trading name of Mercury Personal Communications, a joint venture partnership equally owned by Cable & Wireless and US West International, a division of US WEST Media Group. One2One launched its mobile communications services to the UK market in 1993. In October 1996, Mercury was merged with three cable operators in the UK (Vidéotron, NYNEX and Bell Cable media) and renamed Cable & Wireless Communications (in which Cable & Wireless plc owned a 53% stake). Following this, the group embarked on a major disposal programme, selling One2One to T-Mobile in 1999, then selling its stake in CWC's consumer operations to NTL in 2000 (now Virgin Media). International expansion of C&W (1981–2006) During this period Cable & Wireless entered several markets which remain important parts of the Cable & Wireless Communications Group. In 1997, Cable & Wireless bought a 50% share of the Panamanian INTEL (Instituto Nacional de Telecomunicaciones). After the deal, the company was called Cable & Wireless Panama. In 2004, the group purchased a controlling stake in Monaco Telecom from Vivendi Universal. Transition to a demerger (2006–2010) In 2006, group chairman Sir Richard Lapthorne made the decision to split the business into two divisions: 'Cable & Wireless International' – which managed the group's telecommunications companies in various countries; and 'Cable & Wireless Europe, Asia and US' – focused on the enterprise market with a strong presence in the UK. In November 2009, the Cable and Wireless plc board announced its intention to demerge. Pan-America focus (2010 to date) The companies demerged on March 26, 2010 into Cable & Wireless Communications (formerly Cable & Wireless International) and Cable & Wireless Worldwide (formerly Cable & Wireless Europe, Asia and US). Cable & Wireless Worldwide was subsequently purchased by Vodafone on July 27, 2012. Cable & Wireless Communications in 2010 had a global portfolio of telecoms operators in small and medium-sized markets. The company's board determined that it would be difficult to generate the economies of scale needed in the telecoms industry from such a diverse portfolio and so determined to focus the business in the Pan-America region where it owns a number of businesses in the Caribbean and Panama. Between 2010 and 2013 the company divested a number of businesses including in Bermuda, the Channel Islands and Isle of Man, Maldives, South Atlantic and Macau. The company also purchased a 51% shareholding in The Bahamas Telecommunications Company on April 7, 2011. In 2014 Cable & Wireless Communications sold its stake in Monaco Telecom to the French entrepreneur Xavier Niel. On November 17, 2015, Liberty Global confirmed it had made an offer to buy the company. Both companies reached an agreement on the offer in February 2016. In 2018, Liberty Latin America was spun off from Liberty Global and Cable & Wireless became owned by Liberty Latin America. Operations In the Pan-America region Cable & Wireless Communications owns 14 businesses in the Caribbean and has a minority stake (49%) in TSTT in Trinidad and Tobago. In Panama it owns 49%, and has management control, of Cable & Wireless Panama, the leading full service telecoms business in Panama. Panama Its Panama business, which trades as Cable & Wireless Panama, is a provider of mobile, fixed line, broadband and pay TV services in that country. They also provide telecoms services to enterprises and governments. Telephone services were state run by the INTEL (Instituto Nacional de TELecomunicaciones, National Telecommunications Institute, not to be confused with Intel Corporation) until 1997, when a 49% stake was sold to Cable & Wireless plc, rebranding as Cable & Wireless. In 2010, this stake was transferred to Cable & Wireless Communications. In 2019, Liberty Global's subsidiary Liberty Latin America, took over Cable & Wireless Communications' stake in the company, rebranding as +Movil, which was formerly Cable & Wireless' brand for mobile services in the country. Caribbean In the Caribbean, Cable & Wireless Communications trades as Flow, except in The Bahamas where the business is branded BTC. It is a full-service telecoms provider and is the leader in most of the markets it serves and services it provides. Cable & Wireless Communications also owns a minority stake (49%) in Telecommunications Services of Trinidad and Tobago (TSTT). Seychelles Cable & Wireless Communications operates in the Seychelles as Cable & Wireless Seychelles. In November 2019, Liberty Latin America sold Cable & Wireless Seychelles to local investors. See also All Red Line Porthcurno Telegraph Museum References External links (Unsafe) C&W financial reports, Liberty Latin America Telecommunications companies of the United Kingdom Telegraph companies Companies based in the Royal Borough of Kensington and Chelsea British companies established in 2010 Holding companies established in 2010 Telecommunications companies established in 2010 Companies formerly listed on the London Stock Exchange 2016 mergers and acquisitions Telecommunications monopolies
```yaml # # # # path_to_url # # Unless required by applicable law or agreed to in writing, software # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # version: '3' services: bookkeeper: image: pravega/bookkeeper environment: ZK_URL: ${ZK_URL:-zookeeper:2181} deploy: replicas: 3 controller: image: pravega/pravega command: controller ports: - "9090:9090" - "10080:10080" environment: WAIT_FOR: ${ZK_URL:-zookeeper:2181} JAVA_OPTS: | -Dcontroller.zk.connect.uri=${ZK_URL:-zookeeper:2181} -Xmx512m -XX:OnError="kill -9 p%" -XX:+ExitOnOutOfMemoryError -XX:+CrashOnOutOfMemoryError -XX:+HeapDumpOnOutOfMemoryError segmentstore: image: pravega/pravega command: segmentstore ports: - "12345:12345" environment: WAIT_FOR: bookkeeper:3181,${HDFS_URL:-hdfs:8020} HDFS_URL: hdfs://${HDFS_URL:-hdfs:8020} TIER2_STORAGE: HDFS HDFS_REPLICATION: 1 ZK_URL: ${ZK_URL:-zookeeper:2181} CONTROLLER_URL: tcp://controller:9090 JAVA_OPTS: | -Dpravegaservice.service.published.host.nameOrIp=${PUBLISHED_ADDRESS} -Dpravegaservice.service.listener.host.nameOrIp=${LISTENING_ADDRESS} -Dbookkeeper.ensemble.size=2 -Dbookkeeper.ack.quorum.size=2 -Dbookkeeper.write.quorum.size=2 -Xmx900m -XX:OnError="kill -9 p%" -XX:+ExitOnOutOfMemoryError -XX:+CrashOnOutOfMemoryError -XX:+HeapDumpOnOutOfMemoryError ```
```css @font-face { font-family: 'Lato'; src: url("../fonts/lato/lato-black.eot"); src: url("../fonts/lato/lato-black.eot?#iefix") format("embedded-opentype"), url("../fonts/lato/lato-black.woff") format("woff"), url("../fonts/lato/lato-black.ttf") format("truetype"), url("../fonts/lato/lato-black.svg#latoblack") format("svg"); font-weight: 900; font-style: normal; } @font-face { font-family: 'Lato'; src: url("../fonts/lato/lato-bold.eot"); src: url("../fonts/lato/lato-bold.eot?#iefix") format("embedded-opentype"), url("../fonts/lato/lato-bold.woff") format("woff"), url("../fonts/lato/lato-bold.ttf") format("truetype"), url("../fonts/lato/lato-bold.svg#latobold") format("svg"); font-weight: bold; font-style: normal; } @font-face { font-family: 'Lato'; src: url("../fonts/lato/lato-bolditalic.eot"); src: url("../fonts/lato/lato-bolditalic.eot?#iefix") format("embedded-opentype"), url("../fonts/lato/lato-bolditalic.woff") format("woff"), url("../fonts/lato/lato-bolditalic.ttf") format("truetype"), url("../fonts/lato/lato-bolditalic.svg#latobold-italic") format("svg"); font-weight: bold; font-style: italic; } @font-face { font-family: 'Lato'; src: url("../fonts/lato/lato-italic.eot"); src: url("../fonts/lato/lato-italic.eot?#iefix") format("embedded-opentype"), url("../fonts/lato/lato-italic.woff") format("woff"), url("../fonts/lato/lato-italic.ttf") format("truetype"), url("../fonts/lato/lato-italic.svg#latoitalic") format("svg"); font-weight: normal; font-style: italic; } @font-face { font-family: 'Lato'; src: url("../fonts/lato/lato-light.eot"); src: url("../fonts/lato/lato-light.eot?#iefix") format("embedded-opentype"), url("../fonts/lato/lato-light.woff") format("woff"), url("../fonts/lato/lato-light.ttf") format("truetype"), url("../fonts/lato/lato-light.svg#latolight") format("svg"); font-weight: 300; font-style: normal; } @font-face { font-family: 'Lato'; src: url("../fonts/lato/lato-regular.eot"); src: url("../fonts/lato/lato-regular.eot?#iefix") format("embedded-opentype"), url("../fonts/lato/lato-regular.woff") format("woff"), url("../fonts/lato/lato-regular.ttf") format("truetype"), url("../fonts/lato/lato-regular.svg#latoregular") format("svg"); font-weight: normal; font-style: normal; } @font-face { font-family: 'Flat-UI-Pro-Icons'; src: url("../fonts/glyphicons/flat-ui-pro-icons-regular.eot"); src: url("../fonts/glyphicons/flat-ui-pro-icons-regular.eot?#iefix") format("embedded-opentype"), url("../fonts/glyphicons/flat-ui-pro-icons-regular.woff") format("woff"), url("../fonts/glyphicons/flat-ui-pro-icons-regular.ttf") format("truetype"), url("../fonts/glyphicons/flat-ui-pro-icons-regular.svg#flat-ui-pro-icons-regular") format("svg"); } [class^="fui-"], [class*="fui-"] { font-family: 'Flat-UI-Pro-Icons'; speak: none; font-style: normal; font-weight: normal; font-variant: normal; text-transform: none; -webkit-font-smoothing: antialiased; -moz-osx-font-smoothing: grayscale; } .fui-triangle-up:before { content: "\e600"; } .fui-triangle-down:before { content: "\e601"; } .fui-triangle-up-small:before { content: "\e602"; } .fui-triangle-down-small:before { content: "\e603"; } .fui-triangle-left-large:before { content: "\e604"; } .fui-triangle-right-large:before { content: "\e605"; } .fui-arrow-left:before { content: "\e606"; } .fui-arrow-right:before { content: "\e607"; } .fui-plus:before { content: "\e608"; } .fui-cross:before { content: "\e609"; } .fui-check:before { content: "\e60a"; } .fui-radio-unchecked:before { content: "\e60b"; } .fui-radio-checked:before { content: "\e60c"; } .fui-checkbox-unchecked:before { content: "\e60d"; } .fui-checkbox-checked:before { content: "\e60e"; } .fui-info-circle:before { content: "\e60f"; } .fui-alert-circle:before { content: "\e610"; } .fui-question-circle:before { content: "\e611"; } .fui-check-circle:before { content: "\e612"; } .fui-cross-circle:before { content: "\e613"; } .fui-plus-circle:before { content: "\e614"; } .fui-pause:before { content: "\e615"; } .fui-play:before { content: "\e616"; } .fui-volume:before { content: "\e617"; } .fui-mute:before { content: "\e618"; } .fui-resize:before { content: "\e619"; } .fui-list:before { content: "\e61a"; } .fui-list-thumbnailed:before { content: "\e61b"; } .fui-list-small-thumbnails:before { content: "\e61c"; } .fui-list-large-thumbnails:before { content: "\e61d"; } .fui-list-numbered:before { content: "\e61e"; } .fui-list-columned:before { content: "\e61f"; } .fui-list-bulleted:before { content: "\e620"; } .fui-window:before { content: "\e621"; } .fui-windows:before { content: "\e622"; } .fui-loop:before { content: "\e623"; } .fui-cmd:before { content: "\e624"; } .fui-mic:before { content: "\e625"; } .fui-heart:before { content: "\e626"; } .fui-location:before { content: "\e627"; } .fui-new:before { content: "\e628"; } .fui-video:before { content: "\e629"; } .fui-photo:before { content: "\e62a"; } .fui-time:before { content: "\e62b"; } .fui-eye:before { content: "\e62c"; } .fui-chat:before { content: "\e62d"; } .fui-home:before { content: "\e62e"; } .fui-upload:before { content: "\e62f"; } .fui-search:before { content: "\e630"; } .fui-user:before { content: "\e631"; } .fui-mail:before { content: "\e632"; } .fui-lock:before { content: "\e633"; } .fui-power:before { content: "\e634"; } .fui-calendar:before { content: "\e635"; } .fui-gear:before { content: "\e636"; } .fui-bookmark:before { content: "\e637"; } .fui-exit:before { content: "\e638"; } .fui-trash:before { content: "\e639"; } .fui-folder:before { content: "\e63a"; } .fui-bubble:before { content: "\e63b"; } .fui-export:before { content: "\e63c"; } .fui-calendar-solid:before { content: "\e63d"; } .fui-star:before { content: "\e63e"; } .fui-star-2:before { content: "\e63f"; } .fui-credit-card:before { content: "\e640"; } .fui-clip:before { content: "\e641"; } .fui-link:before { content: "\e642"; } .fui-tag:before { content: "\e643"; } .fui-document:before { content: "\e644"; } .fui-image:before { content: "\e645"; } .fui-facebook:before { content: "\e646"; } .fui-youtube:before { content: "\e647"; } .fui-vimeo:before { content: "\e648"; } .fui-twitter:before { content: "\e649"; } .fui-spotify:before { content: "\e64a"; } .fui-skype:before { content: "\e64b"; } .fui-pinterest:before { content: "\e64c"; } .fui-path:before { content: "\e64d"; } .fui-linkedin:before { content: "\e64e"; } .fui-google-plus:before { content: "\e64f"; } .fui-dribbble:before { content: "\e650"; } .fui-behance:before { content: "\e651"; } .fui-stumbleupon:before { content: "\e652"; } .fui-yelp:before { content: "\e653"; } .fui-wordpress:before { content: "\e654"; } .fui-windows-8:before { content: "\e655"; } .fui-vine:before { content: "\e656"; } .fui-tumblr:before { content: "\e657"; } .fui-paypal:before { content: "\e658"; } .fui-lastfm:before { content: "\e659"; } .fui-instagram:before { content: "\e65a"; } .fui-html5:before { content: "\e65b"; } .fui-github:before { content: "\e65c"; } .fui-foursquare:before { content: "\e65d"; } .fui-dropbox:before { content: "\e65e"; } .fui-android:before { content: "\e65f"; } .fui-apple:before { content: "\e660"; } * { outline: none !important; } body { font-family: "Lato", Helvetica, Arial, sans-serif; font-size: 18px; line-height: 1.72222; color: #34495e; background-color: #fff; } a { color: #16a085; text-decoration: none; transition: .25s; } a:hover, a:focus { color: #1abc9c; text-decoration: none; } a:focus { outline: none; } img { max-width: 100%; } .img-rounded { border-radius: 6px; } .img-thumbnail { padding: 4px; line-height: 1.72222; background-color: #fff; border: 2px solid #bdc3c7; border-radius: 6px; transition: all .25s ease-in-out; display: inline-block; max-width: 100%; height: auto; } .img-comment { font-size: 15px; line-height: 1.2; font-style: italic; margin: 24px 0; } h1, h2, h3, h4, h5, h6, .h1, .h2, .h3, .h4, .h5, .h6 { font-family: inherit; font-weight: 700; line-height: 1.1; color: inherit; } h1 small, h2 small, h3 small, h4 small, h5 small, h6 small, .h1 small, .h2 small, .h3 small, .h4 small, .h5 small, .h6 small { color: #e7e9ec; } h1, h2, h3 { margin-top: 30px; margin-bottom: 15px; } h4, h5, h6 { margin-top: 15px; margin-bottom: 15px; } h6 { font-weight: normal; } h1, .h1 { font-size: 61px; } h2, .h2 { font-size: 53px; } h3, .h3 { font-size: 40px; } h4, .h4 { font-size: 29px; } h5, .h5 { font-size: 28px; } h6, .h6 { font-size: 24px; } p { font-size: 18px; line-height: 1.72222; margin: 0 0 15px; } .lead { margin-bottom: 30px; font-size: 28px; line-height: 1.46428571; font-weight: 300; } @media (min-width: 768px) { .lead { font-size: 30.006px; } } small, .small { font-size: 83%; line-height: 2.067; } .text-muted { color: #bdc3c7; } .text-inverse { color: white; } .text-primary { color: #1abc9c !important; } a.text-primary:hover { color: #148f77; } .text-warning { color: #f1c40f !important; } a.text-warning:hover { color: #c29d0b; } .text-danger { color: #e74c3c !important; } a.text-danger:hover { color: #d62c1a; } .text-success { color: #2ecc71 !important; } a.text-success:hover { color: #25a25a; } .text-info { color: #3498db !important; } a.text-info:hover { color: #217dbb; } .bg-primary { color: white; background-color: #34495e; } a.bg-primary:hover { background-color: #22303d; } .bg-success { background-color: #dff0d8; } a.bg-success:hover { background-color: #c1e2b3; } .bg-info { background-color: #d9edf7; } a.bg-info:hover { background-color: #afd9ee; } .bg-warning { background-color: #fcf8e3; } a.bg-warning:hover { background-color: #f7ecb5; } .bg-danger { background-color: #f2dede; } a.bg-danger:hover { background-color: #e4b9b9; } .page-header { padding-bottom: 14px; margin: 60px 0 30px; border-bottom: 2px solid #e7e9ec; } ul, ol { margin-bottom: 15px; } dl { margin-bottom: 30px; } dt, dd { line-height: 1.72222; } @media (min-width: 768px) { .dl-horizontal dt { width: 160px; } .dl-horizontal dd { margin-left: 180px; } } abbr[title], abbr[data-original-title] { border-bottom: 1px dotted #bdc3c7; } blockquote { border-left: 3px solid #e7e9ec; padding: 0 0 0 16px; margin: 0 0 30px; } blockquote p { font-size: 20px; line-height: 1.55; font-weight: normal; margin-bottom: .4em; } blockquote small, blockquote .small { font-size: 18px; line-height: 1.72222; font-style: italic; color: inherit; } blockquote small:before, blockquote .small:before { content: ""; } blockquote.pull-right { padding-right: 16px; padding-left: 0; border-right: 3px solid #e7e9ec; border-left: 0; } blockquote.pull-right small:after { content: ""; } address { margin-bottom: 30px; line-height: 1.72222; } sub, sup { font-size: 70%; } code, kbd, pre, samp { font-family: Monaco, Menlo, Consolas, "Courier New", monospace; } code { padding: 2px 6px; font-size: 85%; color: #c7254e; background-color: #f9f2f4; border-radius: 4px; } kbd { padding: 2px 6px; font-size: 85%; color: white; background-color: #34495e; border-radius: 4px; box-shadow: none; } pre { padding: 8px; margin: 0 0 15px; font-size: 13px; line-height: 1.72222; color: inherit; background-color: white; border: 2px solid #e7e9ec; border-radius: 6px; white-space: pre; } .pre-scrollable { max-height: 340px; } .thumbnail { display: block; padding: 4px; margin-bottom: 5px; line-height: 1.72222; background-color: #fff; border: 2px solid #bdc3c7; border-radius: 6px; transition: border .25s ease-in-out; } .thumbnail > img, .thumbnail a > img { display: block; max-width: 100%; height: auto; margin-left: auto; margin-right: auto; } .thumbnail a:hover, .thumbnail a:focus, .thumbnail a.active { border-color: #16a085; } .thumbnail .caption { padding: 9px; color: #34495e; } .btn { border: none; font-size: 15px; font-weight: normal; line-height: 1.4; border-radius: 4px; padding: 10px 15px; -webkit-font-smoothing: subpixel-antialiased; transition: border .25s linear, color .25s linear, background-color .25s linear; } .btn:hover, .btn:focus { outline: none; color: white; } .btn:active, .btn.active { outline: none; box-shadow: none; } .btn:focus:active { outline: none; } .btn.disabled, .btn[disabled], fieldset[disabled] .btn { background-color: #bdc3c7; color: rgba(255, 255, 255, 0.75); opacity: 0.7; filter: "alpha(opacity=70)"; cursor: not-allowed; } .btn [class^="fui-"] { margin: 0 1px; position: relative; line-height: 1; top: 1px; } .btn-xs.btn [class^="fui-"], .btn-group-xs > .btn [class^="fui-"] { font-size: 11px; top: 0; } .btn-hg.btn [class^="fui-"], .btn-group-hg > .btn [class^="fui-"] { top: 2px; } .btn-default { color: white; background-color: #bdc3c7; } .show > .dropdown-toggle.btn-default, .btn-default:hover, .btn-default.hover, .btn-default:focus, .btn-default:active, .btn-default.active { color: white; background-color: #cacfd2; border-color: #cacfd2; } .show > .dropdown-toggle.btn-default, .btn-default:not(:disabled):not(.disabled):active, .btn-default:not(:disabled):not(.disabled).active { background: #a1a6a9; border-color: #a1a6a9; } .btn-default.disabled, .btn-default.disabled:hover, .btn-default.disabled.hover, .btn-default.disabled:focus, .btn-default.disabled:active, .btn-default.disabled.active, .btn-default[disabled], .btn-default[disabled]:hover, .btn-default[disabled].hover, .btn-default[disabled]:focus, .btn-default[disabled]:active, .btn-default[disabled].active, fieldset[disabled] .btn-default, fieldset[disabled] .btn-default:hover, fieldset[disabled] .btn-default.hover, fieldset[disabled] .btn-default:focus, fieldset[disabled] .btn-default:active, fieldset[disabled] .btn-default.active { background-color: #bdc3c7; border-color: #bdc3c7; } .btn-default .badge { color: #bdc3c7; background-color: white; } .btn-primary { color: white; background-color: #1abc9c; } .show > .dropdown-toggle.btn-primary, .btn-primary:hover, .btn-primary.hover, .btn-primary:focus, .btn-primary:active, .btn-primary.active { color: white; background-color: #48c9b0; border-color: #48c9b0; } .show > .dropdown-toggle.btn-primary, .btn-primary:not(:disabled):not(.disabled):active, .btn-primary:not(:disabled):not(.disabled).active { background: #16a085; border-color: #16a085; } .btn-primary.disabled, .btn-primary.disabled:hover, .btn-primary.disabled.hover, .btn-primary.disabled:focus, .btn-primary.disabled:active, .btn-primary.disabled.active, .btn-primary[disabled], .btn-primary[disabled]:hover, .btn-primary[disabled].hover, .btn-primary[disabled]:focus, .btn-primary[disabled]:active, .btn-primary[disabled].active, fieldset[disabled] .btn-primary, fieldset[disabled] .btn-primary:hover, fieldset[disabled] .btn-primary.hover, fieldset[disabled] .btn-primary:focus, fieldset[disabled] .btn-primary:active, fieldset[disabled] .btn-primary.active { background-color: #bdc3c7; border-color: #1abc9c; } .btn-primary .badge { color: #1abc9c; background-color: white; } .btn-info { color: white; background-color: #3498db; } .show > .dropdown-toggle.btn-info, .btn-info:hover, .btn-info.hover, .btn-info:focus, .btn-info:active, .btn-info.active { color: white; background-color: #5dade2; border-color: #5dade2; } .show > .dropdown-toggle.btn-info, .btn-info:not(:disabled):not(.disabled):active, .btn-info:not(:disabled):not(.disabled).active { background: #2c81ba; border-color: #2c81ba; } .btn-info.disabled, .btn-info.disabled:hover, .btn-info.disabled.hover, .btn-info.disabled:focus, .btn-info.disabled:active, .btn-info.disabled.active, .btn-info[disabled], .btn-info[disabled]:hover, .btn-info[disabled].hover, .btn-info[disabled]:focus, .btn-info[disabled]:active, .btn-info[disabled].active, fieldset[disabled] .btn-info, fieldset[disabled] .btn-info:hover, fieldset[disabled] .btn-info.hover, fieldset[disabled] .btn-info:focus, fieldset[disabled] .btn-info:active, fieldset[disabled] .btn-info.active { background-color: #bdc3c7; border-color: #3498db; } .btn-info .badge { color: #3498db; background-color: white; } .btn-danger { color: white; background-color: #e74c3c; } .show > .dropdown-toggle.btn-danger, .btn-danger:hover, .btn-danger.hover, .btn-danger:focus, .btn-danger:active, .btn-danger.active { color: white; background-color: #ec7063; border-color: #ec7063; } .show > .dropdown-toggle.btn-danger, .btn-danger:not(:disabled):not(.disabled):active, .btn-danger:not(:disabled):not(.disabled).active { background: #c44133; border-color: #c44133; } .btn-danger.disabled, .btn-danger.disabled:hover, .btn-danger.disabled.hover, .btn-danger.disabled:focus, .btn-danger.disabled:active, .btn-danger.disabled.active, .btn-danger[disabled], .btn-danger[disabled]:hover, .btn-danger[disabled].hover, .btn-danger[disabled]:focus, .btn-danger[disabled]:active, .btn-danger[disabled].active, fieldset[disabled] .btn-danger, fieldset[disabled] .btn-danger:hover, fieldset[disabled] .btn-danger.hover, fieldset[disabled] .btn-danger:focus, fieldset[disabled] .btn-danger:active, fieldset[disabled] .btn-danger.active { background-color: #bdc3c7; border-color: #e74c3c; } .btn-danger .badge { color: #e74c3c; background-color: white; } .btn-success { color: white; background-color: #2ecc71; } .show > .dropdown-toggle.btn-success, .btn-success:hover, .btn-success.hover, .btn-success:focus, .btn-success:active, .btn-success.active { color: white; background-color: #58d68d; border-color: #58d68d; } .show > .dropdown-toggle.btn-success, .btn-success:not(:disabled):not(.disabled):active, .btn-success:not(:disabled):not(.disabled).active { background: #27ad60; border-color: #27ad60; } .btn-success.disabled, .btn-success.disabled:hover, .btn-success.disabled.hover, .btn-success.disabled:focus, .btn-success.disabled:active, .btn-success.disabled.active, .btn-success[disabled], .btn-success[disabled]:hover, .btn-success[disabled].hover, .btn-success[disabled]:focus, .btn-success[disabled]:active, .btn-success[disabled].active, fieldset[disabled] .btn-success, fieldset[disabled] .btn-success:hover, fieldset[disabled] .btn-success.hover, fieldset[disabled] .btn-success:focus, fieldset[disabled] .btn-success:active, fieldset[disabled] .btn-success.active { background-color: #bdc3c7; border-color: #2ecc71; } .btn-success .badge { color: #2ecc71; background-color: white; } .btn-warning { color: white; background-color: #f1c40f; } .show > .dropdown-toggle.btn-warning, .btn-warning:hover, .btn-warning.hover, .btn-warning:focus, .btn-warning:active, .btn-warning.active { color: white; background-color: #f4d313; border-color: #f4d313; } .show > .dropdown-toggle.btn-warning, .btn-warning:not(:disabled):not(.disabled):active, .btn-warning:not(:disabled):not(.disabled).active { background: #cda70d; border-color: #cda70d; } .btn-warning.disabled, .btn-warning.disabled:hover, .btn-warning.disabled.hover, .btn-warning.disabled:focus, .btn-warning.disabled:active, .btn-warning.disabled.active, .btn-warning[disabled], .btn-warning[disabled]:hover, .btn-warning[disabled].hover, .btn-warning[disabled]:focus, .btn-warning[disabled]:active, .btn-warning[disabled].active, fieldset[disabled] .btn-warning, fieldset[disabled] .btn-warning:hover, fieldset[disabled] .btn-warning.hover, fieldset[disabled] .btn-warning:focus, fieldset[disabled] .btn-warning:active, fieldset[disabled] .btn-warning.active { background-color: #bdc3c7; border-color: #f1c40f; } .btn-warning .badge { color: #f1c40f; background-color: white; } .btn-inverse { color: white; background-color: #34495e; } .show > .dropdown-toggle.btn-inverse, .btn-inverse:hover, .btn-inverse.hover, .btn-inverse:focus, .btn-inverse:active, .btn-inverse.active { color: white; background-color: #415b76; border-color: #415b76; } .show > .dropdown-toggle.btn-inverse, .btn-inverse:not(:disabled):not(.disabled):active, .btn-inverse:not(:disabled):not(.disabled).active { background: #2c3e50; border-color: #2c3e50; } .btn-inverse.disabled, .btn-inverse.disabled:hover, .btn-inverse.disabled.hover, .btn-inverse.disabled:focus, .btn-inverse.disabled:active, .btn-inverse.disabled.active, .btn-inverse[disabled], .btn-inverse[disabled]:hover, .btn-inverse[disabled].hover, .btn-inverse[disabled]:focus, .btn-inverse[disabled]:active, .btn-inverse[disabled].active, fieldset[disabled] .btn-inverse, fieldset[disabled] .btn-inverse:hover, fieldset[disabled] .btn-inverse.hover, fieldset[disabled] .btn-inverse:focus, fieldset[disabled] .btn-inverse:active, fieldset[disabled] .btn-inverse.active { background-color: #bdc3c7; border-color: #34495e; } .btn-inverse .badge { color: #34495e; background-color: white; } .btn-embossed { box-shadow: inset 0 -2px 0 rgba(0, 0, 0, 0.15); } .btn-embossed.active, .btn-embossed:active { box-shadow: inset 0 2px 0 rgba(0, 0, 0, 0.15); } .btn-wide { min-width: 140px; padding-left: 30px; padding-right: 30px; } .btn-link { color: #16a085; } .btn-link:hover, .btn-link:focus { color: #1abc9c; text-decoration: underline; background-color: transparent; } .btn-link[disabled]:hover, .btn-link[disabled]:focus, fieldset[disabled] .btn-link:hover, fieldset[disabled] .btn-link:focus { color: #bdc3c7; text-decoration: none; } .btn-hg, .btn-group-hg > .btn { padding: 13px 20px; font-size: 22px; line-height: 1.227; border-radius: 6px; } .btn-lg, .btn-group-lg > .btn { padding: 10px 19px; font-size: 17px; line-height: 1.471; border-radius: 6px; } .btn-sm, .btn-group-sm > .btn { padding: 9px 13px; font-size: 13px; line-height: 1.385; border-radius: 4px; } .btn-xs, .btn-group-xs > .btn { padding: 6px 9px; font-size: 12px; line-height: 1.083; border-radius: 3px; } @media (max-width: 767.98px) { .btn-reduce-on-xs { padding: 9px 13px; font-size: 13px; line-height: 1.385; border-radius: 4px; } } .btn-tip { font-weight: 300; padding-left: 10px; font-size: 92%; } .btn-block { white-space: normal; } [class*="btn-social-"] { padding: 10px 15px; font-size: 13px; line-height: 1.077; border-radius: 4px; } .btn-social-pinterest { color: white; background-color: #cb2028; } .btn-social-pinterest:hover, .btn-social-pinterest:focus { background-color: #d54d53; } .btn-social-pinterest:active, .btn-social-pinterest.active { background-color: #ad1b22; } .btn-social-linkedin { color: white; background-color: #0072b5; } .btn-social-linkedin:hover, .btn-social-linkedin:focus { background-color: #338ec4; } .btn-social-linkedin:active, .btn-social-linkedin.active { background-color: #00619a; } .btn-social-stumbleupon { color: white; background-color: #ed4a13; } .btn-social-stumbleupon:hover, .btn-social-stumbleupon:focus { background-color: #f16e42; } .btn-social-stumbleupon:active, .btn-social-stumbleupon.active { background-color: #c93f10; } .btn-social-googleplus { color: white; background-color: #2d2d2d; } .btn-social-googleplus:hover, .btn-social-googleplus:focus { background-color: #575757; } .btn-social-googleplus:active, .btn-social-googleplus.active { background-color: #262626; } .btn-social-facebook { color: white; background-color: #2f4b93; } .btn-social-facebook:hover, .btn-social-facebook:focus { background-color: #596fa9; } .btn-social-facebook:active, .btn-social-facebook.active { background-color: #28407d; } .btn-social-twitter { color: white; background-color: #00bdef; } .btn-social-twitter:hover, .btn-social-twitter:focus { background-color: #33caf2; } .btn-social-twitter:active, .btn-social-twitter.active { background-color: #00a1cb; } .btn-group > .btn + .btn { margin-left: 0; } .btn-group > .btn + .dropdown-toggle { border-left: 2px solid rgba(52, 73, 94, 0.15); padding: 10px 12px; } .btn-group > .btn + .dropdown-toggle:after { margin-left: 3px; margin-right: 3px; } .btn-group > .btn.btn-gh + .dropdown-toggle .caret { margin-left: 7px; margin-right: 7px; } .btn-group-xs > .btn + .dropdown-toggle { padding: 6px 9px; } .btn-group-sm > .btn + .dropdown-toggle { padding: 9px 13px; } .btn-group-lg > .btn + .dropdown-toggle { padding: 10px 19px; } .btn-group-hg > .btn + .dropdown-toggle { padding: 13px 20px; } .btn-lg .caret, .btn-group-lg > .btn .caret { border-width: 8px 6px 0; border-bottom-width: 0; } .dropup .btn-lg .caret, .dropup .btn-group-lg > .btn .caret { border-width: 0 6px 8px; } .dropup .btn-xs .caret, .dropup .btn-group-xs > .btn .caret { border-width: 0 4px 6px; } .btn-group > .btn, .btn-group > .dropdown-menu, .btn-group > .select2-drop, .btn-group > .popover { font-weight: 400; } .btn-group:focus .dropdown-toggle { outline: none; transition: .25s; } .btn-group.show .dropdown-toggle { color: rgba(255, 255, 255, 0.75); box-shadow: none; } .btn-toolbar .btn.active { color: white; } .btn-toolbar .btn > [class^="fui-"] { font-size: 16px; margin: 0 1px; } legend { display: block; width: 100%; padding: 0; margin-bottom: 15px; font-size: 24px; line-height: inherit; color: inherit; border-bottom: none; } textarea { font-size: 20px; line-height: 24px; padding: 5px 11px; } textarea.form-control { height: auto; } input[type="search"] { -webkit-appearance: none !important; } label { font-weight: normal; font-size: 15px; line-height: 2.3; } .form-control::-moz-placeholder, .select2-search input[type="text"]::-moz-placeholder { color: #b2bcc5; opacity: 1; } .form-control:-ms-input-placeholder, .select2-search input[type="text"]:-ms-input-placeholder { color: #b2bcc5; } .form-control::-webkit-input-placeholder, .select2-search input[type="text"]::-webkit-input-placeholder { color: #b2bcc5; } .form-control, .select2-search input[type="text"] { border: 2px solid #bdc3c7; color: #34495e; font-family: "Lato", Helvetica, Arial, sans-serif; font-size: 15px; line-height: 1.467; padding: 8px 12px; height: 42px; border-radius: 6px; box-shadow: none; transition: border .25s linear, color .25s linear, background-color .25s linear; } .form-group.focus .form-control, .form-group.focus .select2-search input[type="text"], .select2-search .form-group.focus input[type="text"], .form-control:focus, .select2-search input[type="text"]:focus { border-color: #1abc9c; outline: 0; box-shadow: none; } .form-control[disabled], .select2-search input[disabled][type="text"], .form-control[readonly], .select2-search input[readonly][type="text"], fieldset[disabled] .form-control, fieldset[disabled] .select2-search input[type="text"], .select2-search fieldset[disabled] input[type="text"] { background-color: #f4f6f6; border-color: #d5dbdb; color: #d5dbdb; cursor: default; opacity: 0.7; filter: "alpha(opacity=70)"; } .form-control.flat, .select2-search input.flat[type="text"] { border-color: transparent; } .form-control.flat:hover, .select2-search input.flat[type="text"]:hover { border-color: #bdc3c7; } .form-control.flat:focus, .select2-search input.flat[type="text"]:focus { border-color: #1abc9c; } .input-sm, .input-group-sm > .form-control, .input-group-sm > .input-group-text, .input-group-sm > .input-group-btn > .btn, .select2-search input[type="text"], .form-group-sm .form-control, .form-group-sm .select2-search input[type="text"], .select2-search .form-group-sm input[type="text"] { height: 35px; padding: 6px 10px; font-size: 13px; line-height: 1.462; border-radius: 6px; } .input-lg, .input-group-lg > .form-control, .select2-search .input-group-lg > input[type="text"], .input-group-lg > .input-group-text, .input-group-lg > .input-group-btn > .btn, .form-group-lg .form-control, .form-group-lg .select2-search input[type="text"], .select2-search .form-group-lg input[type="text"] { height: 45px; padding: 10px 15px; font-size: 17px; line-height: 1.235; border-radius: 6px; } .input-hg, .form-horizontal .form-group-hg .form-control, .form-horizontal .form-group-hg .select2-search input[type="text"], .select2-search .form-horizontal .form-group-hg input[type="text"], .input-group-hg > .form-control, .select2-search .input-group-hg > input[type="text"], .input-group-hg > .input-group-text, .input-group-hg > .input-group-btn > .btn, .form-group-hg .form-control, .form-group-hg .select2-search input[type="text"], .select2-search .form-group-hg input[type="text"] { height: 53px; padding: 10px 16px; font-size: 22px; line-height: 1.318; border-radius: 6px; } .form-control-feedback { position: absolute; top: 2px; right: 2px; margin-top: 1px; line-height: 36px; font-size: 17px; color: #b2bcc5; background-color: transparent; padding: 0 12px 0 0; border-radius: 6px; pointer-events: none; } .input-hg + .form-control-feedback, .form-horizontal .form-group-hg .form-control + .form-control-feedback, .form-horizontal .form-group-hg .select2-search input[type="text"] + .form-control-feedback, .select2-search .form-horizontal .form-group-hg input[type="text"] + .form-control-feedback, .input-group-hg > .form-control + .form-control-feedback, .select2-search .input-group-hg > input[type="text"] + .form-control-feedback, .input-group-hg > .input-group-text + .form-control-feedback, .input-group-hg > .input-group-btn > .btn + .form-control-feedback, .control-feedback-hg { font-size: 20px; line-height: 48px; padding-right: 16px; width: auto; height: 48px; } .input-lg + .form-control-feedback, .input-group-lg > .form-control + .form-control-feedback, .select2-search .input-group-lg > input[type="text"] + .form-control-feedback, .input-group-lg > .input-group-text + .form-control-feedback, .input-group-lg > .input-group-btn > .btn + .form-control-feedback, .control-feedback-lg { font-size: 18px; line-height: 40px; width: auto; height: 40px; padding-right: 15px; } .input-sm + .form-control-feedback, .input-group-sm > .form-control + .form-control-feedback, .select2-search .input-group-sm > input[type="text"] + .form-control-feedback, .input-group-sm > .input-group-text + .form-control-feedback, .input-group-sm > .input-group-btn > .btn + .form-control-feedback, .select2-search input[type="text"] + .form-control-feedback, .control-feedback-sm { line-height: 29px; height: 29px; width: auto; padding-right: 10px; } .has-success .help-block, .has-success .control-label, .has-success .radio, .has-success .checkbox, .has-success .radio-inline, .has-success .checkbox-inline { color: #2ecc71; } .has-success .form-control, .has-success .select2-search input[type="text"], .select2-search .has-success input[type="text"] { color: #2ecc71; border-color: #2ecc71; box-shadow: none; } .has-success .form-control::-moz-placeholder, .has-success .select2-search input[type="text"]::-moz-placeholder, .select2-search .has-success input[type="text"]::-moz-placeholder { color: #2ecc71; opacity: 1; } .has-success .form-control:-ms-input-placeholder, .has-success .select2-search input[type="text"]:-ms-input-placeholder, .select2-search .has-success input[type="text"]:-ms-input-placeholder { color: #2ecc71; } .has-success .form-control::-webkit-input-placeholder, .has-success .select2-search input[type="text"]::-webkit-input-placeholder, .select2-search .has-success input[type="text"]::-webkit-input-placeholder { color: #2ecc71; } .has-success .form-control:focus, .has-success .select2-search input[type="text"]:focus, .select2-search .has-success input[type="text"]:focus { border-color: #2ecc71; box-shadow: none; } .has-success .input-group-text { color: #2ecc71; border-color: #2ecc71; background-color: white; } .has-success .form-control-feedback { color: #2ecc71; } .has-warning .help-block, .has-warning .control-label, .has-warning .radio, .has-warning .checkbox, .has-warning .radio-inline, .has-warning .checkbox-inline { color: #f1c40f; } .has-warning .form-control, .has-warning .select2-search input[type="text"], .select2-search .has-warning input[type="text"] { color: #f1c40f; border-color: #f1c40f; box-shadow: none; } .has-warning .form-control::-moz-placeholder, .has-warning .select2-search input[type="text"]::-moz-placeholder, .select2-search .has-warning input[type="text"]::-moz-placeholder { color: #f1c40f; opacity: 1; } .has-warning .form-control:-ms-input-placeholder, .has-warning .select2-search input[type="text"]:-ms-input-placeholder, .select2-search .has-warning input[type="text"]:-ms-input-placeholder { color: #f1c40f; } .has-warning .form-control::-webkit-input-placeholder, .has-warning .select2-search input[type="text"]::-webkit-input-placeholder, .select2-search .has-warning input[type="text"]::-webkit-input-placeholder { color: #f1c40f; } .has-warning .form-control:focus, .has-warning .select2-search input[type="text"]:focus, .select2-search .has-warning input[type="text"]:focus { border-color: #f1c40f; box-shadow: none; } .has-warning .input-group-text { color: #f1c40f; border-color: #f1c40f; background-color: white; } .has-warning .form-control-feedback { color: #f1c40f; } .has-error .help-block, .has-error .control-label, .has-error .radio, .has-error .checkbox, .has-error .radio-inline, .has-error .checkbox-inline { color: #e74c3c; } .has-error .form-control, .has-error .select2-search input[type="text"], .select2-search .has-error input[type="text"] { color: #e74c3c; border-color: #e74c3c; box-shadow: none; } .has-error .form-control::-moz-placeholder, .has-error .select2-search input[type="text"]::-moz-placeholder, .select2-search .has-error input[type="text"]::-moz-placeholder { color: #e74c3c; opacity: 1; } .has-error .form-control:-ms-input-placeholder, .has-error .select2-search input[type="text"]:-ms-input-placeholder, .select2-search .has-error input[type="text"]:-ms-input-placeholder { color: #e74c3c; } .has-error .form-control::-webkit-input-placeholder, .has-error .select2-search input[type="text"]::-webkit-input-placeholder, .select2-search .has-error input[type="text"]::-webkit-input-placeholder { color: #e74c3c; } .has-error .form-control:focus, .has-error .select2-search input[type="text"]:focus, .select2-search .has-error input[type="text"]:focus { border-color: #e74c3c; box-shadow: none; } .has-error .input-group-text { color: #e74c3c; border-color: #e74c3c; background-color: white; } .has-error .form-control-feedback { color: #e74c3c; } .form-control[disabled] + .form-control-feedback, .select2-search input[disabled][type="text"] + .form-control-feedback, .form-control[readonly] + .form-control-feedback, .select2-search input[readonly][type="text"] + .form-control-feedback, fieldset[disabled] .form-control + .form-control-feedback, fieldset[disabled] .select2-search input[type="text"] + .form-control-feedback, .select2-search fieldset[disabled] input[type="text"] + .form-control-feedback, .form-control.disabled + .form-control-feedback, .select2-search input.disabled[type="text"] + .form-control-feedback { cursor: not-allowed; color: #d5dbdb; background-color: transparent; opacity: 0.7; filter: "alpha(opacity=70)"; } .help-block { font-size: 14px; margin-bottom: 5px; color: #6b7a88; } .form-group { position: relative; margin-bottom: 20px; } .form-horizontal .radio, .form-horizontal .checkbox, .form-horizontal .radio-inline, .form-horizontal .checkbox-inline { margin-top: 0; margin-bottom: 0; padding-top: 0; } @media (min-width: 768px) { .form-horizontal .control-label { padding-top: 3px; padding-bottom: 3px; } } .form-horizontal .form-group { margin-left: -15px; margin-right: -15px; } .form-horizontal .form-group:before, .form-horizontal .form-group:after { content: " "; display: table; } .form-horizontal .form-group:after { clear: both; } .form-horizontal .form-control-static { padding-top: 6px; padding-bottom: 6px; } @media (min-width: 768px) { .form-horizontal .form-group-hg .control-label { font-size: 22px; padding-top: 2px; padding-bottom: 0; } } @media (min-width: 768px) { .form-horizontal .form-group-lg .control-label { font-size: 17px; padding-top: 3px; padding-bottom: 2px; } } @media (min-width: 768px) { .form-horizontal .form-group-sm .control-label { font-size: 13px; padding-top: 2px; padding-bottom: 2px; } } .input-group .form-control, .input-group .select2-search input[type="text"], .select2-search .input-group input[type="text"] { position: static; } .input-group-text { padding: 10px 12px; font-size: 15px; line-height: 1; color: white; text-align: center; background-color: #bdc3c7; border: 2px solid #bdc3c7; border-radius: 6px; transition: border .25s linear, color .25s linear, background-color .25s linear; } .input-group-text:first-child { border-right: 0; } .input-group-hg .input-group-text, .input-group-lg .input-group-text, .input-group-sm .input-group-text { line-height: 1; } .input-group-text .checkbox, .input-group-text .radio { margin: 0; padding-left: 19px; } .input-group .form-control:first-child, .input-group .select2-search input[type="text"]:first-child, .select2-search .input-group input[type="text"]:first-child, .input-group-text:first-child, .input-group-btn:first-child > .btn, .input-group-btn:first-child > .dropdown-toggle, .input-group-btn:last-child > .btn:not(:last-child):not(.dropdown-toggle) { border-bottom-right-radius: 0; border-top-right-radius: 0; } .input-group .form-control:last-child, .input-group .select2-search input[type="text"]:last-child, .select2-search .input-group input[type="text"]:last-child, .input-group-text:last-child, .input-group-btn:last-child > .btn, .input-group-btn:last-child > .dropdown-toggle, .input-group-btn:first-child > .btn:not(:first-child) { border-bottom-left-radius: 0; border-top-left-radius: 0; } .form-group.focus .input-group-text, .input-group.focus .input-group-text { background-color: #1abc9c; border-color: #1abc9c; } .form-group.focus .input-group-btn > .btn-default + .btn-default, .input-group.focus .input-group-btn > .btn-default + .btn-default { border-left-color: #16a085; } .form-group.focus .input-group-btn .btn, .input-group.focus .input-group-btn .btn { border-color: #1abc9c; background-color: white; color: #1abc9c; } .form-group.focus .input-group-btn .btn-default, .input-group.focus .input-group-btn .btn-default { color: white; background-color: #1abc9c; } .show > .dropdown-toggle.form-group.focus .input-group-btn .btn-default, .input-group.focus .input-group-btn .btn-default, .form-group.focus .input-group-btn .btn-default:hover, .form-group.focus .input-group-btn .btn-default.hover, .form-group.focus .input-group-btn .btn-default:focus, .form-group.focus .input-group-btn .btn-default:active, .form-group.focus .input-group-btn .btn-default.active, .input-group.focus .input-group-btn .btn-default:hover, .input-group.focus .input-group-btn .btn-default.hover, .input-group.focus .input-group-btn .btn-default:focus, .input-group.focus .input-group-btn .btn-default:active, .input-group.focus .input-group-btn .btn-default.active { color: white; background-color: #48c9b0; border-color: #48c9b0; } .show > .dropdown-toggle.form-group.focus .input-group-btn .btn-default, .input-group.focus .input-group-btn .btn-default, .form-group.focus .input-group-btn .btn-default:not(:disabled):not(.disabled):active, .form-group.focus .input-group-btn .btn-default:not(:disabled):not(.disabled).active, .input-group.focus .input-group-btn .btn-default:not(:disabled):not(.disabled):active, .input-group.focus .input-group-btn .btn-default:not(:disabled):not(.disabled).active { background: #16a085; border-color: #16a085; } .form-group.focus .input-group-btn .btn-default.disabled, .form-group.focus .input-group-btn .btn-default.disabled:hover, .form-group.focus .input-group-btn .btn-default.disabled.hover, .form-group.focus .input-group-btn .btn-default.disabled:focus, .form-group.focus .input-group-btn .btn-default.disabled:active, .form-group.focus .input-group-btn .btn-default.disabled.active, .form-group.focus .input-group-btn .btn-default[disabled], .form-group.focus .input-group-btn .btn-default[disabled]:hover, .form-group.focus .input-group-btn .btn-default[disabled].hover, .form-group.focus .input-group-btn .btn-default[disabled]:focus, .form-group.focus .input-group-btn .btn-default[disabled]:active, .form-group.focus .input-group-btn .btn-default[disabled].active, fieldset[disabled] .form-group.focus .input-group-btn .btn-default, fieldset[disabled] .form-group.focus .input-group-btn .btn-default:hover, fieldset[disabled] .form-group.focus .input-group-btn .btn-default.hover, fieldset[disabled] .form-group.focus .input-group-btn .btn-default:focus, fieldset[disabled] .form-group.focus .input-group-btn .btn-default:active, fieldset[disabled] .form-group.focus .input-group-btn .btn-default.active, .input-group.focus .input-group-btn .btn-default.disabled, .input-group.focus .input-group-btn .btn-default.disabled:hover, .input-group.focus .input-group-btn .btn-default.disabled.hover, .input-group.focus .input-group-btn .btn-default.disabled:focus, .input-group.focus .input-group-btn .btn-default.disabled:active, .input-group.focus .input-group-btn .btn-default.disabled.active, .input-group.focus .input-group-btn .btn-default[disabled], .input-group.focus .input-group-btn .btn-default[disabled]:hover, .input-group.focus .input-group-btn .btn-default[disabled].hover, .input-group.focus .input-group-btn .btn-default[disabled]:focus, .input-group.focus .input-group-btn .btn-default[disabled]:active, .input-group.focus .input-group-btn .btn-default[disabled].active, fieldset[disabled] .input-group.focus .input-group-btn .btn-default, fieldset[disabled] .input-group.focus .input-group-btn .btn-default:hover, fieldset[disabled] .input-group.focus .input-group-btn .btn-default.hover, fieldset[disabled] .input-group.focus .input-group-btn .btn-default:focus, fieldset[disabled] .input-group.focus .input-group-btn .btn-default:active, fieldset[disabled] .input-group.focus .input-group-btn .btn-default.active { background-color: #bdc3c7; border-color: #1abc9c; } .form-group.focus .input-group-btn .btn-default .badge, .input-group.focus .input-group-btn .btn-default .badge { color: #1abc9c; background-color: white; } .input-group-btn .btn { background-color: white; border: 2px solid #bdc3c7; color: #bdc3c7; line-height: 18px; height: 42px; position: relative; } .input-group-btn .btn-default { color: white; background-color: #bdc3c7; } .show > .dropdown-toggle.input-group-btn .btn-default, .input-group-btn .btn-default:hover, .input-group-btn .btn-default.hover, .input-group-btn .btn-default:focus, .input-group-btn .btn-default:active, .input-group-btn .btn-default.active { color: white; background-color: #cacfd2; border-color: #cacfd2; } .show > .dropdown-toggle.input-group-btn .btn-default, .input-group-btn .btn-default:not(:disabled):not(.disabled):active, .input-group-btn .btn-default:not(:disabled):not(.disabled).active { background: #a1a6a9; border-color: #a1a6a9; } .input-group-btn .btn-default.disabled, .input-group-btn .btn-default.disabled:hover, .input-group-btn .btn-default.disabled.hover, .input-group-btn .btn-default.disabled:focus, .input-group-btn .btn-default.disabled:active, .input-group-btn .btn-default.disabled.active, .input-group-btn .btn-default[disabled], .input-group-btn .btn-default[disabled]:hover, .input-group-btn .btn-default[disabled].hover, .input-group-btn .btn-default[disabled]:focus, .input-group-btn .btn-default[disabled]:active, .input-group-btn .btn-default[disabled].active, fieldset[disabled] .input-group-btn .btn-default, fieldset[disabled] .input-group-btn .btn-default:hover, fieldset[disabled] .input-group-btn .btn-default.hover, fieldset[disabled] .input-group-btn .btn-default:focus, fieldset[disabled] .input-group-btn .btn-default:active, fieldset[disabled] .input-group-btn .btn-default.active { background-color: #bdc3c7; border-color: #bdc3c7; } .input-group-btn .btn-default .badge { color: #bdc3c7; background-color: white; } .input-group-hg .input-group-btn .btn { line-height: 31px; } .input-group-lg .input-group-btn .btn { line-height: 21px; } .input-group-sm .input-group-btn .btn { line-height: 19px; } .input-group-btn:first-child > .btn { border-right-width: 0; margin-right: -3px; } .input-group-btn:last-child > .btn { border-left-width: 0; margin-left: -3px; } .input-group-btn > .btn-default + .btn-default { border-left: 2px solid #bdc3c7; } .input-group-btn > .btn:first-child + .btn .caret { margin-left: 0; } .input-group-rounded .input-group-btn + .form-control, .input-group-rounded .select2-search .input-group-btn + input[type="text"], .select2-search .input-group-rounded .input-group-btn + input[type="text"], .input-group-rounded .input-group-btn:last-child .btn { border-bottom-right-radius: 20px; border-top-right-radius: 20px; } .input-group-hg.input-group-rounded .input-group-btn + .form-control, .input-group-hg.input-group-rounded .select2-search .input-group-btn + input[type="text"], .select2-search .input-group-hg.input-group-rounded .input-group-btn + input[type="text"], .input-group-rounded .input-group-btn:last-child .btn { border-bottom-right-radius: 27px; border-top-right-radius: 27px; } .input-group-lg.input-group-rounded .input-group-btn + .form-control, .input-group-lg.input-group-rounded .select2-search .input-group-btn + input[type="text"], .select2-search .input-group-lg.input-group-rounded .input-group-btn + input[type="text"], .input-group-rounded .input-group-btn:last-child .btn { border-bottom-right-radius: 25px; border-top-right-radius: 25px; } .input-group-rounded .form-control:first-child, .input-group-rounded .select2-search input[type="text"]:first-child, .select2-search .input-group-rounded input[type="text"]:first-child, .input-group-rounded .input-group-btn:first-child .btn { border-bottom-left-radius: 20px; border-top-left-radius: 20px; } .input-group-hg.input-group-rounded .form-control:first-child, .input-group-hg.input-group-rounded .select2-search input[type="text"]:first-child, .select2-search .input-group-hg.input-group-rounded input[type="text"]:first-child, .input-group-rounded .input-group-btn:first-child .btn { border-bottom-left-radius: 27px; border-top-left-radius: 27px; } .input-group-lg.input-group-rounded .form-control:first-child, .input-group-lg.input-group-rounded .select2-search input[type="text"]:first-child, .select2-search .input-group-lg.input-group-rounded input[type="text"]:first-child, .input-group-rounded .input-group-btn:first-child .btn { border-bottom-left-radius: 25px; border-top-left-radius: 25px; } .input-group-rounded .input-group-btn + .form-control, .input-group-rounded .select2-search .input-group-btn + input[type="text"], .select2-search .input-group-rounded .input-group-btn + input[type="text"] { padding-left: 0; } .checkbox, .radio { display: block; margin-top: 10px; margin-bottom: 12px; padding-left: 32px; position: relative; transition: color .25s linear; font-size: 14px; min-height: 20px; line-height: 1.5; } .checkbox .icons, .radio .icons { color: #bdc3c7; display: block; height: 20px; top: 0; left: 0; position: absolute; width: 20px; text-align: center; line-height: 20px; font-size: 20px; cursor: pointer; transition: color .25s linear; } .checkbox .icons .icon-checked, .radio .icons .icon-checked { opacity: 0; filter: "alpha(opacity=0)"; } .checkbox .icon-checked, .checkbox .icon-unchecked, .radio .icon-checked, .radio .icon-unchecked { display: inline-table; position: absolute; left: 0; top: 0; background-color: transparent; margin: 0; opacity: 1; -webkit-filter: none; filter: none; } .checkbox .icon-checked:before, .checkbox .icon-unchecked:before, .radio .icon-checked:before, .radio .icon-unchecked:before { font-family: 'Flat-UI-Pro-Icons'; speak: none; font-style: normal; font-weight: normal; font-variant: normal; text-transform: none; -webkit-font-smoothing: antialiased; -moz-osx-font-smoothing: grayscale; } .checkbox .icon-checked:before { content: "\e60e"; } .checkbox .icon-unchecked:before { content: "\e60d"; } .radio .icon-checked:before { content: "\e60c"; } .radio .icon-unchecked:before { content: "\e60b"; } .checkbox input[type="checkbox"].custom-checkbox, .checkbox input[type="radio"].custom-radio, .radio input[type="checkbox"].custom-checkbox, .radio input[type="radio"].custom-radio { outline: none !important; opacity: 0; position: absolute; margin: 0; padding: 0; left: 0; top: 0; width: 20px; height: 20px; } .checkbox input[type="checkbox"].custom-checkbox:hover:not(.nohover) + .icons, .checkbox input[type="radio"].custom-radio:hover:not(.nohover) + .icons, .radio input[type="checkbox"].custom-checkbox:hover:not(.nohover) + .icons, .radio input[type="radio"].custom-radio:hover:not(.nohover) + .icons { transition: color .25s linear; } .checkbox input[type="checkbox"].custom-checkbox:hover:not(.nohover) + .icons .icon-unchecked, .checkbox input[type="radio"].custom-radio:hover:not(.nohover) + .icons .icon-unchecked, .radio input[type="checkbox"].custom-checkbox:hover:not(.nohover) + .icons .icon-unchecked, .radio input[type="radio"].custom-radio:hover:not(.nohover) + .icons .icon-unchecked { opacity: 0; filter: "alpha(opacity=0)"; } .checkbox input[type="checkbox"].custom-checkbox:hover:not(.nohover) + .icons .icon-checked, .checkbox input[type="radio"].custom-radio:hover:not(.nohover) + .icons .icon-checked, .radio input[type="checkbox"].custom-checkbox:hover:not(.nohover) + .icons .icon-checked, .radio input[type="radio"].custom-radio:hover:not(.nohover) + .icons .icon-checked { opacity: 1; -webkit-filter: none; filter: none; } .checkbox input[type="checkbox"].custom-checkbox:checked + .icons, .checkbox input[type="radio"].custom-radio:checked + .icons, .radio input[type="checkbox"].custom-checkbox:checked + .icons, .radio input[type="radio"].custom-radio:checked + .icons { color: #1abc9c; } .checkbox input[type="checkbox"].custom-checkbox:checked + .icons .icon-unchecked, .checkbox input[type="radio"].custom-radio:checked + .icons .icon-unchecked, .radio input[type="checkbox"].custom-checkbox:checked + .icons .icon-unchecked, .radio input[type="radio"].custom-radio:checked + .icons .icon-unchecked { opacity: 0; filter: "alpha(opacity=0)"; } .checkbox input[type="checkbox"].custom-checkbox:checked + .icons .icon-checked, .checkbox input[type="radio"].custom-radio:checked + .icons .icon-checked, .radio input[type="checkbox"].custom-checkbox:checked + .icons .icon-checked, .radio input[type="radio"].custom-radio:checked + .icons .icon-checked { opacity: 1; -webkit-filter: none; filter: none; color: #1abc9c; transition: color .25s linear; } .checkbox input[type="checkbox"].custom-checkbox:disabled + .icons, .checkbox input[type="radio"].custom-radio:disabled + .icons, .radio input[type="checkbox"].custom-checkbox:disabled + .icons, .radio input[type="radio"].custom-radio:disabled + .icons { cursor: default; color: #e6e8ea; } .checkbox input[type="checkbox"].custom-checkbox:disabled + .icons .icons, .checkbox input[type="radio"].custom-radio:disabled + .icons .icons, .radio input[type="checkbox"].custom-checkbox:disabled + .icons .icons, .radio input[type="radio"].custom-radio:disabled + .icons .icons { color: #e6e8ea; } .checkbox input[type="checkbox"].custom-checkbox:disabled + .icons .icon-unchecked, .checkbox input[type="radio"].custom-radio:disabled + .icons .icon-unchecked, .radio input[type="checkbox"].custom-checkbox:disabled + .icons .icon-unchecked, .radio input[type="radio"].custom-radio:disabled + .icons .icon-unchecked { opacity: 1; -webkit-filter: none; filter: none; } .checkbox input[type="checkbox"].custom-checkbox:disabled + .icons .icon-checked, .checkbox input[type="radio"].custom-radio:disabled + .icons .icon-checked, .radio input[type="checkbox"].custom-checkbox:disabled + .icons .icon-checked, .radio input[type="radio"].custom-radio:disabled + .icons .icon-checked { opacity: 0; filter: "alpha(opacity=0)"; } .checkbox input[type="checkbox"].custom-checkbox:disabled:checked + .icons .icons, .checkbox input[type="radio"].custom-radio:disabled:checked + .icons .icons, .radio input[type="checkbox"].custom-checkbox:disabled:checked + .icons .icons, .radio input[type="radio"].custom-radio:disabled:checked + .icons .icons { color: #e6e8ea; } .checkbox input[type="checkbox"].custom-checkbox:disabled:checked + .icons .icon-unchecked, .checkbox input[type="radio"].custom-radio:disabled:checked + .icons .icon-unchecked, .radio input[type="checkbox"].custom-checkbox:disabled:checked + .icons .icon-unchecked, .radio input[type="radio"].custom-radio:disabled:checked + .icons .icon-unchecked { opacity: 0; filter: "alpha(opacity=0)"; } .checkbox input[type="checkbox"].custom-checkbox:disabled:checked + .icons .icon-checked, .checkbox input[type="radio"].custom-radio:disabled:checked + .icons .icon-checked, .radio input[type="checkbox"].custom-checkbox:disabled:checked + .icons .icon-checked, .radio input[type="radio"].custom-radio:disabled:checked + .icons .icon-checked { opacity: 1; -webkit-filter: none; filter: none; color: #e6e8ea; } .checkbox input[type="checkbox"].custom-checkbox:indeterminate + .icons, .checkbox input[type="radio"].custom-radio:indeterminate + .icons, .radio input[type="checkbox"].custom-checkbox:indeterminate + .icons, .radio input[type="radio"].custom-radio:indeterminate + .icons { color: #bdc3c7; } .checkbox input[type="checkbox"].custom-checkbox:indeterminate + .icons .icon-unchecked, .checkbox input[type="radio"].custom-radio:indeterminate + .icons .icon-unchecked, .radio input[type="checkbox"].custom-checkbox:indeterminate + .icons .icon-unchecked, .radio input[type="radio"].custom-radio:indeterminate + .icons .icon-unchecked { opacity: 1; -webkit-filter: none; filter: none; } .checkbox input[type="checkbox"].custom-checkbox:indeterminate + .icons .icon-checked, .checkbox input[type="radio"].custom-radio:indeterminate + .icons .icon-checked, .radio input[type="checkbox"].custom-checkbox:indeterminate + .icons .icon-checked, .radio input[type="radio"].custom-radio:indeterminate + .icons .icon-checked { opacity: 0; filter: "alpha(opacity=0)"; } .checkbox input[type="checkbox"].custom-checkbox:indeterminate + .icons:before, .checkbox input[type="radio"].custom-radio:indeterminate + .icons:before, .radio input[type="checkbox"].custom-checkbox:indeterminate + .icons:before, .radio input[type="radio"].custom-radio:indeterminate + .icons:before { content: "\2013"; position: absolute; top: 0; left: 0; line-height: 20px; width: 20px; text-align: center; color: white; font-size: 22px; z-index: 10; } .checkbox input[type="checkbox"].custom-checkbox:focus + .icons, .checkbox input[type="radio"].custom-radio:focus + .icons, .radio input[type="checkbox"].custom-checkbox:focus + .icons, .radio input[type="radio"].custom-radio:focus + .icons { outline: 1px dotted #bdc3c7; outline-offset: 1px; } .checkbox.primary input[type="checkbox"].custom-checkbox + .icons, .checkbox.primary input[type="radio"].custom-radio + .icons, .radio.primary input[type="checkbox"].custom-checkbox + .icons, .radio.primary input[type="radio"].custom-radio + .icons { color: #34495e; } .checkbox.primary input[type="checkbox"].custom-checkbox:checked + .icons, .checkbox.primary input[type="radio"].custom-radio:checked + .icons, .radio.primary input[type="checkbox"].custom-checkbox:checked + .icons, .radio.primary input[type="radio"].custom-radio:checked + .icons { color: #1abc9c; } .checkbox.primary input[type="checkbox"].custom-checkbox:checked + .icons .icons, .checkbox.primary input[type="radio"].custom-radio:checked + .icons .icons, .radio.primary input[type="checkbox"].custom-checkbox:checked + .icons .icons, .radio.primary input[type="radio"].custom-radio:checked + .icons .icons { color: #1abc9c; } .checkbox.primary input[type="checkbox"].custom-checkbox:disabled + .icons, .checkbox.primary input[type="radio"].custom-radio:disabled + .icons, .radio.primary input[type="checkbox"].custom-checkbox:disabled + .icons, .radio.primary input[type="radio"].custom-radio:disabled + .icons { cursor: default; color: #bdc3c7; } .checkbox.primary input[type="checkbox"].custom-checkbox:disabled + .icons .icons, .checkbox.primary input[type="radio"].custom-radio:disabled + .icons .icons, .radio.primary input[type="checkbox"].custom-checkbox:disabled + .icons .icons, .radio.primary input[type="radio"].custom-radio:disabled + .icons .icons { color: #bdc3c7; } .checkbox.primary input[type="checkbox"].custom-checkbox:disabled + .icons.checked .icons, .checkbox.primary input[type="radio"].custom-radio:disabled + .icons.checked .icons, .radio.primary input[type="checkbox"].custom-checkbox:disabled + .icons.checked .icons, .radio.primary input[type="radio"].custom-radio:disabled + .icons.checked .icons { color: #bdc3c7; } .checkbox.primary input[type="checkbox"].custom-checkbox:indeterminate + .icons, .checkbox.primary input[type="radio"].custom-radio:indeterminate + .icons, .radio.primary input[type="checkbox"].custom-checkbox:indeterminate + .icons, .radio.primary input[type="radio"].custom-radio:indeterminate + .icons { color: #34495e; } .radio + .radio, .checkbox + .checkbox { margin-top: 10px; } .form-inline .checkbox, .form-inline .radio { padding-left: 32px; } .bootstrap-tagsinput { background-color: white; border: 2px solid #ebedef; border-radius: 6px; margin-bottom: 18px; padding: 6px 1px 1px 6px; text-align: left; font-size: 0; } .bootstrap-tagsinput .badge { border-radius: 4px; background-color: #ebedef; color: #7b8996; font-size: 13px; cursor: pointer; display: inline-block; position: relative; vertical-align: middle; overflow: hidden; margin: 0 5px 5px 0; line-height: 15px; height: 27px; padding: 6px 28px 6px 14px; transition: .25s linear; } .bootstrap-tagsinput .badge > span { color: white; padding: 0 10px 0 0; cursor: pointer; font-size: 12px; position: absolute; right: 0; text-align: right; text-decoration: none; top: 0; width: 100%; bottom: 0; z-index: 2; } .bootstrap-tagsinput .badge > span:after { content: "\e609"; font-family: "Flat-UI-Pro-Icons"; -webkit-font-smoothing: antialiased; -moz-osx-font-smoothing: grayscale; line-height: 27px; } @media (hover: hover) { .bootstrap-tagsinput .badge { padding: 6px 21px; } .bootstrap-tagsinput .badge > span { opacity: 0; filter: "alpha(opacity=0)"; transition: opacity .25s linear; } .bootstrap-tagsinput .badge:hover { background-color: #16a085; color: white; padding-right: 28px; padding-left: 14px; } .bootstrap-tagsinput .badge:hover > span { padding: 0 10px 0 0; opacity: 1; -webkit-filter: none; filter: none; } } @media (hover: none) { .bootstrap-tagsinput .badge:hover { background-color: #16a085; color: white; } } .bootstrap-tagsinput input[type="text"] { font-size: 14px; border: none; box-shadow: none; outline: none; background-color: transparent; padding: 0; margin: 0; width: auto !important; max-width: inherit; min-width: 80px; vertical-align: top; height: 29px; color: #34495e; } .bootstrap-tagsinput input[type="text"]:first-child { height: 23px; margin: 3px 0 8px; } .tags_clear { clear: both; width: 100%; height: 0; } .not_valid { background: #fbd8db !important; color: #90111a !important; margin-left: 5px !important; } .tagsinput-primary { margin-bottom: 18px; } .tagsinput-primary .bootstrap-tagsinput { border-color: #1abc9c; margin-bottom: 0; } .tagsinput-primary .badge { background-color: #1abc9c; color: white; } .tagsinput-primary .badge:hover { background-color: #16a085; color: white; } .bootstrap-tagsinput .twitter-typeahead { width: auto; vertical-align: top; } .bootstrap-tagsinput .twitter-typeahead .tt-input { min-width: 200px; } .bootstrap-tagsinput .twitter-typeahead .tt-dropdown-menu { width: auto; min-width: 120px; margin-top: 11px; } .twitter-typeahead { width: 100%; } .twitter-typeahead .tt-dropdown-menu { width: 100%; margin-top: 5px; border: 2px solid #1abc9c; padding: 5px 0; background-color: white; border-radius: 6px; } .twitter-typeahead .tt-suggestion p { padding: 6px 14px; font-size: 14px; line-height: 1.429; margin: 0; } .twitter-typeahead .tt-suggestion:first-child p, .twitter-typeahead .tt-suggestion:last-child p { padding: 6px 14px; } .twitter-typeahead .tt-suggestion.tt-is-under-cursor, .twitter-typeahead .tt-suggestion.tt-cursor { cursor: pointer; color: #fff; background-color: #16a085; } .progress, .ui-slider { background: #ebedef; border-radius: 32px; height: 12px; box-shadow: none; } .progress-bar { background: #1abc9c; line-height: 12px; box-shadow: none; } .progress-bar-success { background-color: #2ecc71; } .progress-bar-warning { background-color: #f1c40f; } .progress-bar-danger { background-color: #e74c3c; } .progress-bar-info { background-color: #3498db; } .ui-slider { margin-bottom: 20px; position: relative; cursor: pointer; } .ui-slider-handle { background-color: #16a085; border-radius: 50%; cursor: pointer; height: 18px; position: absolute; width: 18px; z-index: 2; transition: background .25s; } .ui-slider-handle:hover, .ui-slider-handle:focus { background-color: #48c9b0; outline: none; } .ui-slider-handle:active { background-color: #16a085; } .ui-slider-range { background-color: #1abc9c; display: block; height: 100%; position: absolute; z-index: 1; } .ui-slider-segment { background-color: #d9dbdd; border-radius: 50%; height: 6px; width: 6px; } .ui-slider-value { float: right; font-size: 13px; margin-top: 12px; } .ui-slider-value.first { clear: left; float: left; } .ui-slider-horizontal .ui-slider-handle { margin-left: -9px; top: -3px; } .ui-slider-horizontal .ui-slider-handle[style*="100"] { margin-left: -15px; } .ui-slider-horizontal .ui-slider-range { border-radius: 30px 0 0 30px; } .ui-slider-horizontal .ui-slider-segment { float: left; margin: 3px -6px 0 0; } .ui-slider-vertical { width: 12px; } .ui-slider-vertical .ui-slider-handle { margin-left: -3px; margin-bottom: -11px; top: auto; } .ui-slider-vertical .ui-slider-range { width: 100%; bottom: 0; border-radius: 0 0 30px 30px; } .ui-slider-vertical .ui-slider-segment { position: absolute; right: 3px; } .pager { background-color: #34495e; border-radius: 6px; color: white; font-size: 16px; font-weight: 700; display: inline-block; padding-left: 0; margin: 20px 0; text-align: center; list-style: none; } .pager li { display: inline; } .pager li:first-child > a, .pager li:first-child > span { border-left: none; border-radius: 6px 0 0 6px; } .pager li > a, .pager li > span { display: inline-block; background: none; border: none; border-left: 2px solid #2c3e50; color: white; padding: 9px 15px 10px; text-decoration: none; white-space: nowrap; border-radius: 0 6px 6px 0; line-height: 1.313; } .pager li > a:hover, .pager li > a:focus, .pager li > span:hover, .pager li > span:focus { background-color: #2c3e50; } .pager li > a:active, .pager li > span:active { background-color: #2c3e50; } .pager li > a [class*="fui-"] + span, .pager li > span [class*="fui-"] + span { margin-left: 8px; } .pager li > a span + [class*="fui-"], .pager li > span span + [class*="fui-"] { margin-left: 8px; } .pagination { position: relative; display: block; margin: 20px 0; border-radius: 4px; } @media (min-width: 768px) { .pagination { display: inline-block; } } .pagination > ul { background: #d6dbdf; color: white; padding: 0; margin: 0; display: inline-block; border-radius: 6px; word-spacing: -0.5px; } @media (max-width: 767px) { .pagination > ul { height: 41px; padding: 0 55px 0 52px; overflow: auto; white-space: nowrap; border-radius: 6px; } } .pagination li { display: inline-block; margin-right: -3px; vertical-align: middle; word-spacing: normal; } .pagination li.active > a, .pagination li.active > span { background-color: #1abc9c; color: white; border-color: #dee2e5; } .pagination li.active.previous > a, .pagination li.active.previous > span, .pagination li.active.next > a, .pagination li.active.next > span { margin: 0; } .pagination li.active.previous > a, .pagination li.active.previous > a:hover, .pagination li.active.previous > a:focus, .pagination li.active.previous > span, .pagination li.active.previous > span:hover, .pagination li.active.previous > span:focus, .pagination li.active.next > a, .pagination li.active.next > a:hover, .pagination li.active.next > a:focus, .pagination li.active.next > span, .pagination li.active.next > span:hover, .pagination li.active.next > span:focus { background-color: #1abc9c; color: white; } .pagination li:first-child > a, .pagination li:first-child > span { border-radius: 6px 0 0 6px; border-left: none; } .pagination li:first-child.previous + li > a, .pagination li:first-child.previous + li > span { border-left-width: 0; } .pagination li:last-child { margin-right: 0; } .pagination li:last-child > a, .pagination li:last-child > a:hover, .pagination li:last-child > a:focus, .pagination li:last-child > span, .pagination li:last-child > span:hover, .pagination li:last-child > span:focus { border-radius: 0 6px 6px 0; } .pagination li.previous > a, .pagination li.previous > span, .pagination li.next > a, .pagination li.next > span { border-right: 2px solid #e4e7ea; font-size: 16px; min-width: auto; padding: 12px 17px; background-color: transparent; } .pagination li.next > a, .pagination li.next > span { border-right: none; } .pagination li.disabled > a, .pagination li.disabled > span { color: white; background-color: rgba(255, 255, 255, 0.3); border-right-color: #dee2e5; cursor: not-allowed; } .pagination li.disabled > a:hover, .pagination li.disabled > a:focus, .pagination li.disabled > a:active, .pagination li.disabled > span:hover, .pagination li.disabled > span:focus, .pagination li.disabled > span:active { background-color: rgba(255, 255, 255, 0.4); color: white; } @media (max-width: 767px) { .pagination li.next, .pagination li.previous { background-color: #d6dbdf; position: absolute; right: 0; top: 0; z-index: 10; border-radius: 0 6px 6px 0; } .pagination li.previous { left: 0; right: auto; border-radius: 6px 0 0 6px; } } .pagination li > a, .pagination li > span { display: inline-block; background: transparent; border: none; border-left: 2px solid #e4e7ea; color: white; font-size: 14px; line-height: 16px; min-height: 41px; min-width: 41px; outline: none; padding: 12px 10px; text-align: center; transition: .25s ease-out; } .pagination li > a:hover, .pagination li > a:focus, .pagination li > span:hover, .pagination li > span:focus { background-color: #1abc9c; color: white; } .pagination li > a:active, .pagination li > span:active { background-color: #1abc9c; color: white; } .pagination > .btn.previous, .pagination > .btn.next { margin-right: 8px; font-size: 14px; line-height: 1.429; padding-left: 23px; padding-right: 23px; } .pagination > .btn.previous [class*="fui-"], .pagination > .btn.next [class*="fui-"] { font-size: 16px; margin-left: -2px; margin-top: -2px; } .pagination > .btn.next { margin-left: 8px; margin-right: 0; } .pagination > .btn.next [class*="fui-"] { margin-right: -2px; margin-left: 4px; } @media (max-width: 767px) { .pagination > .btn { display: block; margin: 0; width: 50%; } .pagination > .btn:first-child { border-bottom: 2px solid #dee2e5; border-radius: 6px 0 0; } .pagination > .btn:first-child.btn-primary { border-bottom-color: #48c9b0; } .pagination > .btn:first-child.btn-danger { border-bottom-color: #ec7063; } .pagination > .btn:first-child.btn-warning { border-bottom-color: #f4d03f; } .pagination > .btn:first-child.btn-success { border-bottom-color: #58d68d; } .pagination > .btn:first-child.btn-info { border-bottom-color: #5dade2; } .pagination > .btn:first-child.btn-inverse { border-bottom-color: #5d6d7e; } .pagination > .btn:first-child > [class*="fui"] { margin-left: -20px; } .pagination > .btn + ul { padding: 0; text-align: center; border-radius: 0 0 6px 6px; } .pagination > .btn + ul + .btn { border-bottom: 2px solid #dee2e5; position: absolute; right: 0; top: 0; border-radius: 0 6px 0 0; } .pagination > .btn + ul + .btn.btn-primary { border-bottom-color: #48c9b0; } .pagination > .btn + ul + .btn.btn-danger { border-bottom-color: #ec7063; } .pagination > .btn + ul + .btn.btn-warning { border-bottom-color: #f4d03f; } .pagination > .btn + ul + .btn.btn-success { border-bottom-color: #58d68d; } .pagination > .btn + ul + .btn.btn-info { border-bottom-color: #5dade2; } .pagination > .btn + ul + .btn.btn-inverse { border-bottom-color: #5d6d7e; } .pagination > .btn + ul + .btn > [class*="fui"] { margin-right: -20px; } .pagination ul { display: block; } .pagination ul > li > a { border-radius: 0; } } .pagination-danger ul { background-color: #e74c3c; } .pagination-danger ul li.previous > a { border-right-color: #ef897e; } .pagination-danger ul li > a, .pagination-danger ul li > span { border-left-color: #ef897e; } .pagination-danger ul li > a:hover, .pagination-danger ul li > a:focus, .pagination-danger ul li > span:hover, .pagination-danger ul li > span:focus { background-color: #ec7063; } .pagination-danger ul li > a:active, .pagination-danger ul li > span:active { background-color: #c44133; } .pagination-danger ul li.active > a, .pagination-danger ul li.active > span { background-color: #c44133; } .pagination-success ul { background-color: #2ecc71; } .pagination-success ul li.previous > a { border-right-color: #75dda1; } .pagination-success ul li > a, .pagination-success ul li > span { border-left-color: #75dda1; } .pagination-success ul li > a:hover, .pagination-success ul li > a:focus, .pagination-success ul li > span:hover, .pagination-success ul li > span:focus { background-color: #58d68d; } .pagination-success ul li > a:active, .pagination-success ul li > span:active { background-color: #27ad60; } .pagination-success ul li.active > a, .pagination-success ul li.active > span { background-color: #27ad60; } .pagination-warning ul { background-color: #f1c40f; } .pagination-warning ul li.previous > a { border-right-color: #f6d861; } .pagination-warning ul li > a, .pagination-warning ul li > span { border-left-color: #f6d861; } .pagination-warning ul li > a:hover, .pagination-warning ul li > a:focus, .pagination-warning ul li > span:hover, .pagination-warning ul li > span:focus { background-color: #f4d313; } .pagination-warning ul li > a:active, .pagination-warning ul li > span:active { background-color: #cda70d; } .pagination-warning ul li.active > a, .pagination-warning ul li.active > span { background-color: #cda70d; } .pagination-info ul { background-color: #3498db; } .pagination-info ul li.previous > a { border-right-color: #79bbe7; } .pagination-info ul li > a, .pagination-info ul li > span { border-left-color: #79bbe7; } .pagination-info ul li > a:hover, .pagination-info ul li > a:focus, .pagination-info ul li > span:hover, .pagination-info ul li > span:focus { background-color: #5dade2; } .pagination-info ul li > a:active, .pagination-info ul li > span:active { background-color: #2c81ba; } .pagination-info ul li.active > a, .pagination-info ul li.active > span { background-color: #2c81ba; } .pagination-inverse ul { background-color: #34495e; } .pagination-inverse ul li.previous > a { border-right-color: #798795; } .pagination-inverse ul li > a, .pagination-inverse ul li > span { border-left-color: #798795; } .pagination-inverse ul li > a:hover, .pagination-inverse ul li > a:focus, .pagination-inverse ul li > span:hover, .pagination-inverse ul li > span:focus { background-color: #415b76; } .pagination-inverse ul li > a:active, .pagination-inverse ul li > span:active { background-color: #2c3e50; } .pagination-inverse ul li.active > a, .pagination-inverse ul li.active > span { background-color: #2c3e50; } .pagination-minimal > ul > li:first-child { border-radius: 6px 0 0 6px; } .pagination-minimal > ul > li:first-child.previous + li > a, .pagination-minimal > ul > li:first-child.previous + li > span { border-left-width: 5px; } .pagination-minimal > ul > li:last-child { border-radius: 0 6px 6px 0; } .pagination-minimal > ul > li.previous > a, .pagination-minimal > ul > li.previous > span, .pagination-minimal > ul > li.next > a, .pagination-minimal > ul > li.next > span { background: transparent; border: none; border-right: 2px solid #e4e7ea; margin: 0 9px 0 0; padding: 12px 17px; border-radius: 6px 0 0 6px; } .pagination-minimal > ul > li.previous > a, .pagination-minimal > ul > li.previous > a:hover, .pagination-minimal > ul > li.previous > a:focus, .pagination-minimal > ul > li.previous > span, .pagination-minimal > ul > li.previous > span:hover, .pagination-minimal > ul > li.previous > span:focus, .pagination-minimal > ul > li.next > a, .pagination-minimal > ul > li.next > a:hover, .pagination-minimal > ul > li.next > a:focus, .pagination-minimal > ul > li.next > span, .pagination-minimal > ul > li.next > span:hover, .pagination-minimal > ul > li.next > span:focus { border-color: #e4e7ea !important; } @media (max-width: 767px) { .pagination-minimal > ul > li.previous > a, .pagination-minimal > ul > li.previous > span, .pagination-minimal > ul > li.next > a, .pagination-minimal > ul > li.next > span { margin-right: 0; } } .pagination-minimal > ul > li.next { margin-left: 9px; } .pagination-minimal > ul > li.next > a, .pagination-minimal > ul > li.next > span { border-left: 2px solid #e4e7ea; border-right: none; margin: 0; border-radius: 0 6px 6px 0; } .pagination-minimal > ul > li.active > a, .pagination-minimal > ul > li.active > span { background-color: white; border-color: white; border-width: 2px !important; color: #d6dbdf; margin: 10px 5px 9px; } .pagination-minimal > ul > li.active > a:hover, .pagination-minimal > ul > li.active > a:focus, .pagination-minimal > ul > li.active > span:hover, .pagination-minimal > ul > li.active > span:focus { background-color: white; border-color: white; color: #d6dbdf; } .pagination-minimal > ul > li.active.previous, .pagination-minimal > ul > li.active.next { border-color: #e4e7ea; } .pagination-minimal > ul > li.active.previous { margin-right: 6px; } .pagination-minimal > ul > li > a, .pagination-minimal > ul > li > span { background: white; border: 5px solid #d6dbdf; color: white; line-height: 16px; margin: 7px 2px 6px; min-width: 0; min-height: 16px; padding: 0 4px; border-radius: 50px; background-clip: padding-box; transition: background .2s ease-out, border-color 0s ease-out, color .2s ease-out; } .pagination-minimal > ul > li > a:hover, .pagination-minimal > ul > li > a:focus, .pagination-minimal > ul > li > span:hover, .pagination-minimal > ul > li > span:focus { background-color: #1abc9c; border-color: #1abc9c; color: white; transition: background .2s ease-out, border-color .2s ease-out, color .2s ease-out; } .pagination-minimal > ul > li > a:active, .pagination-minimal > ul > li > span:active { background-color: #16a085; border-color: #16a085; } .pagination-plain { font-size: 16px; font-weight: 700; list-style-type: none; margin: 0 0 20px; padding: 0; height: 57px; } .pagination-plain > li { display: inline; } .pagination-plain > li.previous { padding-right: 23px; } .pagination-plain > li.next { padding-left: 20px; } .pagination-plain > li.active > a { color: #d3d7da; } .pagination-plain > li > a { padding: 0 5px; } @media (max-width: 480px) { .pagination-plain { overflow: hidden; text-align: center; } .pagination-plain > li.previous { display: block; margin-bottom: 10px; text-align: left; width: 50%; } .pagination-plain > li.next { float: right; margin-top: -64px; text-align: right; width: 50%; } } @media (min-width: 768px) { .pagination-plain { height: auto; } } .pagination-dropdown ul { min-width: 67px; width: auto; left: 50%; margin-left: -34px; } .pagination-dropdown ul li { display: block; margin-right: 0; } .pagination-dropdown ul li:first-child > a, .pagination-dropdown ul li:first-child > span { border-radius: 6px 6px 0 0; } .pagination-dropdown ul li:last-child > a, .pagination-dropdown ul li:last-child > span { border-radius: 0 0 6px 6px !important; } .pagination-dropdown ul li > a, .pagination-dropdown ul li > span { border-left: none; display: block; float: none; padding: 8px 10px 7px; text-align: center; min-height: 0; } .pagination-dropdown.dropup { position: relative; } .pagination-dropdown.place-in-row .dropdown-toggle { display: none; } .pagination-dropdown.place-in-row ul.dropdown-menu, .pagination-dropdown.place-in-row ul.select2-drop { background: transparent; border: none; top: auto; bottom: auto; left: auto; right: auto; position: relative; max-width: auto; border-radius: 0; display: inline-block; margin-left: auto; margin-bottom: auto; vertical-align: middle; word-spacing: normal; z-index: 1; } .pagination-dropdown.place-in-row ul.dropdown-menu > li, .pagination-dropdown.place-in-row ul.select2-drop > li { display: inline-block; margin-right: -3px; } .pagination-dropdown.place-in-row ul.dropdown-menu > li > a, .pagination-dropdown.place-in-row ul.select2-drop > li > a { padding-top: 10px; padding-bottom: 10px; border-top-left-radius: 0 !important; border-top-right-radius: 0 !important; border-bottom-left-radius: 0 !important; border-bottom-right-radius: 0 !important; border-left: 2px solid #e4e7ea; color: white; } .pagination-dropdown.place-in-row ul.dropdown-menu > li > a:hover, .pagination-dropdown.place-in-row ul.select2-drop > li > a:hover, .pagination-dropdown.place-in-row ul.dropdown-menu > li > a:focus, .pagination-dropdown.place-in-row ul.select2-drop > li > a:focus { background-color: #1abc9c; color: white; } .tooltip { font-size: 14px; line-height: 1.286; z-index: 1070; } .tooltip.in { opacity: 1; filter: "alpha(opacity=100)"; } .tooltip.top { margin-top: -5px; padding: 9px 0; } .tooltip.right { margin-left: 5px; padding: 0 9px; } .tooltip.bottom { margin-top: 5px; padding: 9px 0; } .tooltip.left { margin-left: -5px; padding: 0 9px; } .tooltip-inner { max-width: 183px; line-height: 1.286; padding: 12px 12px; color: white; background-color: #34495e; border-radius: 6px; } .tooltip.bs-tooltip-top .arrow:before { margin-left: -9px; border-width: 9px 9px 0; border-top-color: #34495e; } .tooltip.bs-tooltip-right .arrow:before { margin-top: -9px; border-width: 9px 9px 9px 0; border-right-color: #34495e; } .tooltip.bs-tooltip-left .arrow:before { margin-top: -9px; border-width: 9px 0 9px 9px; border-left-color: #34495e; } .tooltip.bs-tooltip-bottom .arrow:before { margin-left: -9px; border-width: 0 9px 9px; border-bottom-color: #34495e; } .dropdown-toggle:after { margin-left: 8px; vertical-align: middle; content: ""; border-top: 8px solid; border-right: 6px solid transparent; border-left: 6px solid transparent; border-bottom: 0; transition: border-color .25s, color .25s; } .dropup .dropdown-toggle:after { border-top: 0; border-right: 6px solid transparent; border-bottom: 8px solid; border-left: 6px solid transparent; margin: 0; vertical-align: middle; } .dropdown-menu, .select2-drop { z-index: 1000; background-color: #f3f4f5; min-width: 220px; border: none; margin-top: 9px; padding: 0; font-size: 14px; border-radius: 4px; box-shadow: none; } .dropdown-menu .divider, .select2-drop .divider { height: 2px; margin: 3px 0; overflow: hidden; background-color: rgba(202, 206, 209, 0.5); } .dropdown-menu > li > a, .select2-drop > li > a { padding: 8px 16px; line-height: 1.429; color: #606d7a; display: block; } .dropdown-menu > li > a:hover, .select2-drop > li > a:hover, .dropdown-menu > li > a:focus, .select2-drop > li > a:focus { color: #55606c; background-color: rgba(202, 206, 209, 0.5); } .dropdown-menu > li:first-child > a:first-child, .select2-drop > li:first-child > a:first-child { border-top-right-radius: 4px; border-top-left-radius: 4px; } .dropdown-menu > li:last-child > a:first-child, .select2-drop > li:last-child > a:first-child { border-bottom-right-radius: 4px; border-bottom-left-radius: 4px; } .dropdown-menu.typeahead, .typeahead.select2-drop { display: none; width: auto; margin-top: 5px; border: 2px solid #1abc9c; padding: 5px 0; background-color: white; border-radius: 6px; } .dropdown-menu.typeahead li a, .typeahead.select2-drop li a { padding: 6px 14px; } .dropdown-menu.typeahead li:first-child a, .typeahead.select2-drop li:first-child a, .dropdown-menu.typeahead li:last-child a, .typeahead.select2-drop li:last-child a { padding: 6px 14px; border-radius: 0; } .dropdown-menu > .active > a, .select2-drop > .active > a, .dropdown-menu > .active > a:hover, .select2-drop > .active > a:hover, .dropdown-menu > .active > a:focus, .select2-drop > .active > a:focus { color: white; background-color: #1abc9c; } .dropdown-menu > .disabled > a, .select2-drop > .disabled > a, .dropdown-menu > .disabled > a:hover, .select2-drop > .disabled > a:hover, .dropdown-menu > .disabled > a:focus, .select2-drop > .disabled > a:focus { color: #bdc3c7; background-color: transparent; cursor: not-allowed; } .dropdown-menu-right { left: auto; right: 0; } .dropdown-menu-left { left: 0; right: auto; } .dropdown-header { padding: 8px 16px; line-height: 1.538; font-size: 13px; text-transform: uppercase; color: rgba(52, 73, 94, 0.6); } .dropdown-header:first-child { margin-top: 3px; } .dropdown-backdrop { z-index: 990; } .dropup .dropdown-menu, .dropup .select2-drop, .navbar-fixed-bottom .dropdown .dropdown-menu, .navbar-fixed-bottom .dropdown .select2-drop { margin-top: 0; margin-bottom: 9px; } .dropdown-menu-inverse { background-color: #34495e; } .dropdown-menu-inverse .divider { height: 2px; margin: 3px 0; overflow: hidden; background-color: rgba(43, 60, 78, 0.5); } .dropdown-menu-inverse > li > a { color: rgba(255, 255, 255, 0.85); } .dropdown-menu-inverse > li > a:hover, .dropdown-menu-inverse > li > a:focus { color: rgba(255, 255, 255, 0.85); background-color: rgba(43, 60, 78, 0.5); } .dropdown-menu-inverse > .active > a, .dropdown-menu-inverse > .active > a:hover, .dropdown-menu-inverse > .active > a:focus { color: rgba(255, 255, 255, 0.85); background-color: #1abc9c; } .dropdown-menu-inverse > .disabled > a, .dropdown-menu-inverse > .disabled > a:hover, .dropdown-menu-inverse > .disabled > a:focus { color: rgba(255, 255, 255, 0.5); } .dropdown-menu-inverse > .disabled > a:hover, .dropdown-menu-inverse > .disabled > a:focus { background-color: transparent; } .dropdown-menu-inverse .dropdown-header { color: rgba(255, 255, 255, 0.4); } @media (min-width: 768px) { .navbar-right .dropdown-menu, .navbar-right .select2-drop { left: auto; right: 0; } .navbar-right .dropdown-menu-left { left: 0; right: auto; } } .select { position: relative; display: inline-block; vertical-align: top; min-width: 220px; width: auto; } .form-group .select { width: 100%; } .form-group .select > .select2-choice { width: 100%; } .select.form-control, .select2-search input.select[type="text"] { border: none; padding: 0; height: auto; } .select2-choice { width: 100%; display: inline-block; position: relative; border: none; font-size: 15px; font-weight: normal; line-height: 1.4; border-radius: 4px; padding: 10px 39px 10px 15px; min-height: 41px; transition: border .25s linear, color .25s linear, background-color .25s linear; } .select2-choice:hover, .select2-choice:focus { outline: none; } .select2-choice:active { outline: none; box-shadow: none; } .select2-container-disabled .select2-choice { cursor: default; opacity: 0.7; filter: "alpha(opacity=70)"; } .select2-chosen { overflow: hidden; text-align: left; } .select2-arrow { display: inline-block; border-width: 8px 6px; border-color: #34495e transparent; border-style: solid; border-bottom-style: none; position: absolute; right: 16px; top: 42%; -webkit-transform: scale(1.001); transform: scale(1.001); } .select2-arrow b { display: none; } .btn-lg .select2-arrow, .btn-group-lg > .btn .select2-arrow { border-top-width: 8px; border-right-width: 6px; border-left-width: 6px; } .select-default .select2-choice { color: white; background-color: #bdc3c7; } .select-default .select2-choice:hover, .select-default .select2-choice.hover, .select-default .select2-choice:focus, .select-default .select2-choice:active { color: white; background-color: #cacfd2; border-color: #cacfd2; } .select-default .select2-choice:active { background: #a1a6a9; border-color: #a1a6a9; } .select2-container-disabled.select-default .select2-choice, .select2-container-disabled.select-default .select2-choice:hover, .select2-container-disabled.select-default .select2-choice:focus, .select2-container-disabled.select-default .select2-choice:active { background-color: white; border-color: #bdc3c7; } .select-default .select2-choice .select2-arrow { border-top-color: white; } .select-primary .select2-choice { color: white; background-color: #1abc9c; } .select-primary .select2-choice:hover, .select-primary .select2-choice.hover, .select-primary .select2-choice:focus, .select-primary .select2-choice:active { color: white; background-color: #48c9b0; border-color: #48c9b0; } .select-primary .select2-choice:active { background: #16a085; border-color: #16a085; } .select2-container-disabled.select-primary .select2-choice, .select2-container-disabled.select-primary .select2-choice:hover, .select2-container-disabled.select-primary .select2-choice:focus, .select2-container-disabled.select-primary .select2-choice:active { background-color: white; border-color: #1abc9c; } .select-primary .select2-choice .select2-arrow { border-top-color: white; } .select-info .select2-choice { color: white; background-color: #3498db; } .select-info .select2-choice:hover, .select-info .select2-choice.hover, .select-info .select2-choice:focus, .select-info .select2-choice:active { color: white; background-color: #5dade2; border-color: #5dade2; } .select-info .select2-choice:active { background: #2c81ba; border-color: #2c81ba; } .select2-container-disabled.select-info .select2-choice, .select2-container-disabled.select-info .select2-choice:hover, .select2-container-disabled.select-info .select2-choice:focus, .select2-container-disabled.select-info .select2-choice:active { background-color: white; border-color: #3498db; } .select-info .select2-choice .select2-arrow { border-top-color: white; } .select-danger .select2-choice { color: white; background-color: #e74c3c; } .select-danger .select2-choice:hover, .select-danger .select2-choice.hover, .select-danger .select2-choice:focus, .select-danger .select2-choice:active { color: white; background-color: #ec7063; border-color: #ec7063; } .select-danger .select2-choice:active { background: #c44133; border-color: #c44133; } .select2-container-disabled.select-danger .select2-choice, .select2-container-disabled.select-danger .select2-choice:hover, .select2-container-disabled.select-danger .select2-choice:focus, .select2-container-disabled.select-danger .select2-choice:active { background-color: white; border-color: #e74c3c; } .select-danger .select2-choice .select2-arrow { border-top-color: white; } .select-success .select2-choice { color: white; background-color: #2ecc71; } .select-success .select2-choice:hover, .select-success .select2-choice.hover, .select-success .select2-choice:focus, .select-success .select2-choice:active { color: white; background-color: #58d68d; border-color: #58d68d; } .select-success .select2-choice:active { background: #27ad60; border-color: #27ad60; } .select2-container-disabled.select-success .select2-choice, .select2-container-disabled.select-success .select2-choice:hover, .select2-container-disabled.select-success .select2-choice:focus, .select2-container-disabled.select-success .select2-choice:active { background-color: white; border-color: #2ecc71; } .select-success .select2-choice .select2-arrow { border-top-color: white; } .select-warning .select2-choice { color: white; background-color: #f1c40f; } .select-warning .select2-choice:hover, .select-warning .select2-choice.hover, .select-warning .select2-choice:focus, .select-warning .select2-choice:active { color: white; background-color: #f4d313; border-color: #f4d313; } .select-warning .select2-choice:active { background: #cda70d; border-color: #cda70d; } .select2-container-disabled.select-warning .select2-choice, .select2-container-disabled.select-warning .select2-choice:hover, .select2-container-disabled.select-warning .select2-choice:focus, .select2-container-disabled.select-warning .select2-choice:active { background-color: white; border-color: #f1c40f; } .select-warning .select2-choice .select2-arrow { border-top-color: white; } .select-inverse .select2-choice { color: white; background-color: #34495e; } .select-inverse .select2-choice:hover, .select-inverse .select2-choice.hover, .select-inverse .select2-choice:focus, .select-inverse .select2-choice:active { color: white; background-color: #415b76; border-color: #415b76; } .select-inverse .select2-choice:active { background: #2c3e50; border-color: #2c3e50; } .select2-container-disabled.select-inverse .select2-choice, .select2-container-disabled.select-inverse .select2-choice:hover, .select2-container-disabled.select-inverse .select2-choice:focus, .select2-container-disabled.select-inverse .select2-choice:active { background-color: white; border-color: #34495e; } .select-inverse .select2-choice .select2-arrow { border-top-color: white; } .select2-container.select-hg > .select2-choice { padding: 13px 20px; font-size: 22px; line-height: 1.227; border-radius: 6px; padding-right: 49px; min-height: 53px; } .select2-container.select-hg > .select2-choice .filter-option { left: 20px; right: 40px; top: 13px; } .select2-container.select-hg > .select2-choice .select2-arrow { right: 20px; } .select2-container.select-hg > .select2-choice > [class^="fui-"] { top: 2px; } .select2-container.select-lg > .select2-choice { padding: 10px 19px; font-size: 17px; line-height: 1.471; border-radius: 6px; padding-right: 47px; min-height: 45px; } .select2-container.select-lg > .select2-choice .filter-option { left: 18px; right: 38px; } .select2-container.select-sm > .select2-choice { padding: 9px 13px; font-size: 13px; line-height: 1.385; border-radius: 4px; padding-right: 35px; min-height: 36px; } .select2-container.select-sm > .select2-choice .filter-option { left: 13px; right: 33px; } .select2-container.select-sm > .select2-choice .select2-arrow { right: 13px; } .multiselect { position: relative; display: inline-block; vertical-align: top; min-width: 220px; width: auto; background-color: white; border-radius: 6px; text-align: left; font-size: 0; width: auto; max-width: none; } .form-group .multiselect { width: 100%; } .form-group .multiselect > .select2-choice { width: 100%; } .multiselect.form-control, .select2-search input.multiselect[type="text"] { height: auto; padding: 6px 1px 1px 6px; border: 2px solid #ebedef; } .select2-choices { margin: 0; padding: 0; position: relative; cursor: text; overflow: hidden; min-height: 26px; } .select2-choices:before, .select2-choices:after { content: " "; display: table; } .select2-choices:after { clear: both; } .select2-choices li { float: left; list-style: none; } .select2-search-choice { border-radius: 4px; color: white; font-size: 13px; cursor: pointer; display: inline-block; position: relative; vertical-align: middle; overflow: hidden; margin: 0 5px 4px 0; line-height: 15px; height: 27px; padding: 6px 21px; transition: .25s linear; } .select2-search-choice:hover { padding-right: 28px; padding-left: 14px; color: white; } .select2-search-choice:hover .select2-search-choice-close { opacity: 1; -webkit-filter: none; filter: none; color: inherit; } .select2-container-disabled .select2-search-choice { cursor: default; } .select2-container-disabled .select2-search-choice:hover { padding-right: 21px; padding-left: 21px; cursor: default; } .select2-search-choice .select2-search-choice-close { color: white; cursor: pointer; font-size: 12px; position: absolute; right: 0; text-align: right; text-decoration: none; top: 0; width: 100%; bottom: 0; padding-right: 10px; z-index: 2; opacity: 0; filter: "alpha(opacity=0)"; transition: opacity .25s linear; } .select2-search-choice .select2-search-choice-close:after { content: "\e609"; font-family: "Flat-UI-Pro-Icons"; line-height: 27px; -webkit-font-smoothing: antialiased; -moz-osx-font-smoothing: grayscale; } .select2-container-disabled .select2-search-choice .select2-search-choice-close { display: none; } .select2-search-field input[type="text"] { color: #34495e; font-size: 14px; border: none; box-shadow: none; outline: none; background-color: transparent; padding: 0; margin: 0; width: auto; max-width: inherit; min-width: 80px; vertical-align: top; height: 29px; } .select2-search-field:first-child input[type="text"] { height: 23px; margin: 3px 0 5px; } .select2-container-multi.multiselect-default { border-color: #bdc3c7; } .select2-container-multi.multiselect-default .select2-search-choice { background-color: #bdc3c7; } .select2-container-multi.multiselect-default .select2-search-choice:hover { background-color: #cacfd2; } .select2-container-disabled.select2-container-multi.multiselect-default .select2-search-choice, .select2-container-disabled.select2-container-multi.multiselect-default .select2-search-choice:hover, .select2-container-disabled.select2-container-multi.multiselect-default .select2-search-choice:focus, .select2-container-disabled.select2-container-multi.multiselect-default .select2-search-choice:active { background-color: #bdc3c7; border-color: #bdc3c7; } .select2-container-disabled.select2-container-multi.multiselect-default { border-color: #bdc3c7; } .select2-container-multi.multiselect-primary { border-color: #1abc9c; } .select2-container-multi.multiselect-primary .select2-search-choice { background-color: #1abc9c; } .select2-container-multi.multiselect-primary .select2-search-choice:hover { background-color: #48c9b0; } .select2-container-disabled.select2-container-multi.multiselect-primary .select2-search-choice, .select2-container-disabled.select2-container-multi.multiselect-primary .select2-search-choice:hover, .select2-container-disabled.select2-container-multi.multiselect-primary .select2-search-choice:focus, .select2-container-disabled.select2-container-multi.multiselect-primary .select2-search-choice:active { background-color: #bdc3c7; border-color: #bdc3c7; } .select2-container-disabled.select2-container-multi.multiselect-primary { border-color: #bdc3c7; } .select2-container-multi.multiselect-info { border-color: #3498db; } .select2-container-multi.multiselect-info .select2-search-choice { background-color: #3498db; } .select2-container-multi.multiselect-info .select2-search-choice:hover { background-color: #5dade2; } .select2-container-disabled.select2-container-multi.multiselect-info .select2-search-choice, .select2-container-disabled.select2-container-multi.multiselect-info .select2-search-choice:hover, .select2-container-disabled.select2-container-multi.multiselect-info .select2-search-choice:focus, .select2-container-disabled.select2-container-multi.multiselect-info .select2-search-choice:active { background-color: #bdc3c7; border-color: #bdc3c7; } .select2-container-disabled.select2-container-multi.multiselect-info { border-color: #bdc3c7; } .select2-container-multi.multiselect-danger { border-color: #e74c3c; } .select2-container-multi.multiselect-danger .select2-search-choice { background-color: #e74c3c; } .select2-container-multi.multiselect-danger .select2-search-choice:hover { background-color: #ec7063; } .select2-container-disabled.select2-container-multi.multiselect-danger .select2-search-choice, .select2-container-disabled.select2-container-multi.multiselect-danger .select2-search-choice:hover, .select2-container-disabled.select2-container-multi.multiselect-danger .select2-search-choice:focus, .select2-container-disabled.select2-container-multi.multiselect-danger .select2-search-choice:active { background-color: #bdc3c7; border-color: #bdc3c7; } .select2-container-disabled.select2-container-multi.multiselect-danger { border-color: #bdc3c7; } .select2-container-multi.multiselect-success { border-color: #2ecc71; } .select2-container-multi.multiselect-success .select2-search-choice { background-color: #2ecc71; } .select2-container-multi.multiselect-success .select2-search-choice:hover { background-color: #58d68d; } .select2-container-disabled.select2-container-multi.multiselect-success .select2-search-choice, .select2-container-disabled.select2-container-multi.multiselect-success .select2-search-choice:hover, .select2-container-disabled.select2-container-multi.multiselect-success .select2-search-choice:focus, .select2-container-disabled.select2-container-multi.multiselect-success .select2-search-choice:active { background-color: #bdc3c7; border-color: #bdc3c7; } .select2-container-disabled.select2-container-multi.multiselect-success { border-color: #bdc3c7; } .select2-container-multi.multiselect-warning { border-color: #f1c40f; } .select2-container-multi.multiselect-warning .select2-search-choice { background-color: #f1c40f; } .select2-container-multi.multiselect-warning .select2-search-choice:hover { background-color: #f4d313; } .select2-container-disabled.select2-container-multi.multiselect-warning .select2-search-choice, .select2-container-disabled.select2-container-multi.multiselect-warning .select2-search-choice:hover, .select2-container-disabled.select2-container-multi.multiselect-warning .select2-search-choice:focus, .select2-container-disabled.select2-container-multi.multiselect-warning .select2-search-choice:active { background-color: #bdc3c7; border-color: #bdc3c7; } .select2-container-disabled.select2-container-multi.multiselect-warning { border-color: #bdc3c7; } .select2-container-multi.multiselect-inverse { border-color: #34495e; } .select2-container-multi.multiselect-inverse .select2-search-choice { background-color: #34495e; } .select2-container-multi.multiselect-inverse .select2-search-choice:hover { background-color: #415b76; } .select2-container-disabled.select2-container-multi.multiselect-inverse .select2-search-choice, .select2-container-disabled.select2-container-multi.multiselect-inverse .select2-search-choice:hover, .select2-container-disabled.select2-container-multi.multiselect-inverse .select2-search-choice:focus, .select2-container-disabled.select2-container-multi.multiselect-inverse .select2-search-choice:active { background-color: #bdc3c7; border-color: #bdc3c7; } .select2-container-disabled.select2-container-multi.multiselect-inverse { border-color: #bdc3c7; } .select2-drop { min-width: 220px; margin-top: 9px; visibility: visible; opacity: 1; -webkit-filter: none; filter: none; border-radius: 4px; font-size: 14px; position: absolute; z-index: 9999; top: 100%; transition: none; } .select2-drop.select2-drop-above { margin-top: -9px; } .select2-drop.select2-drop-auto-width { width: auto; } .select2-drop.show-select-search .select2-search { display: block; } .select2-drop.show-select-search .select2-search + .select2-results > li:first-child .select2-result-label { border-radius: 0; } .select2-drop .select2-results { padding: 0; margin: 0; list-style: none; } .select2-drop .select2-results > li:first-child > .select2-result-label { border-top-right-radius: 4px; border-top-left-radius: 4px; } .select2-drop .select2-results > li:last-child > .select2-result-label { border-bottom-right-radius: 4px; border-bottom-left-radius: 4px; } .select2-drop .select2-results .select2-result-label { padding: 3px 7px 4px; margin: 0; cursor: pointer; min-height: 1em; -webkit-user-select: none; -moz-user-select: none; -ms-user-select: none; user-select: none; } .select2-drop .select2-results .select2-result-label img { height: auto; max-width: 100%; } .select2-drop .select2-result-sub { padding: 0; margin: 0; list-style: none; } .select2-drop .select2-result-sub > li:last-child > .select2-result-label { border-bottom-right-radius: 4px; border-bottom-left-radius: 4px; } .select2-drop .select2-no-results { padding: 8px 15px; } .select2-drop .select2-result-label { line-height: 1.429; padding: 8px 16px; -webkit-user-select: none; -moz-user-select: none; -ms-user-select: none; user-select: none; transition: background-color .25s, color .25s; } .select2-drop .select2-result-selectable .select2-result-label { color: rgba(52, 73, 94, 0.85); cursor: pointer; } .select2-drop .select2-result-selectable .select2-result-label:focus, .select2-drop .select2-result-selectable .select2-result-label:hover, .select2-drop .select2-result-selectable .select2-result-label:active { background-color: #e1e4e7; color: inherit; outline: none; } .select2-drop .select2-disabled { cursor: default; color: rgba(52, 73, 94, 0.95); opacity: 0.4; filter: "alpha(opacity=40)"; } .select2-drop .select2-disabled:focus, .select2-drop .select2-disabled:hover, .select2-drop .select2-disabled:active { background: none !important; } .select2-drop .select2-highlighted > .select2-result-label { background: #1abc9c; color: white; } .select2-drop .select2-result-with-children > .select2-result-label { font-size: 13px; text-transform: uppercase; color: rgba(52, 73, 94, 0.6); margin-top: 5px; } .select2-drop .select2-result-with-children + .select2-result-with-children > .select2-result-label { margin-top: 11px; } .select2-results { max-height: 200px; position: relative; overflow-x: hidden; overflow-y: auto; -webkit-tap-highlight-color: transparent; } .select2-results li { list-style: none; display: list-item; background-image: none; } .select2-search { padding: 8px 6px; width: 100%; display: none; display: inline-block; white-space: nowrap; } .select2-search input[type="text"] { width: 100%; height: auto !important; } .select-inverse-dropdown { background-color: #34495e; color: rgba(255, 255, 255, 0.75); } .select-inverse-dropdown .select2-results .select2-result-label { color: white; } .select-inverse-dropdown .select2-results .select2-result-label:focus, .select-inverse-dropdown .select2-results .select2-result-label:hover, .select-inverse-dropdown .select2-results .select2-result-label:active { background: #2c3e50; } .select-inverse-dropdown .select2-results.select2-disabled .select2-result-label:hover { color: white; } .select-inverse-dropdown .select2-result-with-children > .select2-result-label { color: rgba(255, 255, 255, 0.6); } .select-inverse-dropdown .select2-result-with-children > .select2-result-label:hover { color: white; background: none !important; } .select2-drop-multi { border-radius: 6px; } .select2-drop-multi .select2-results { padding: 2px 0; } .select2-drop-multi .select2-result { padding: 2px 4px; } .select2-drop-multi .select2-result-label { border-radius: 4px; } .select2-drop-multi .select2-selected { display: none; } .select2-results .select2-no-results, .select2-results .select2-searching, .select2-results .select2-ajax-error, .select2-results .select2-selection-limit { padding: 10px 0 5px 10px; } .select2-offscreen, .select2-offscreen:focus { clip: rect(0 0 0 0) !important; width: 1px !important; height: 1px !important; border: 0 !important; margin: 0 !important; padding: 0 !important; overflow: hidden !important; position: absolute !important; outline: 0 !important; left: 0 !important; top: 0 !important; } .select2-hidden-accessible { border: 0; clip: rect(0 0 0 0); height: 1px; margin: -1px; overflow: hidden; padding: 0; position: absolute; width: 1px; } .select2-offscreen, .select2-offscreen:focus { clip: rect(0 0 0 0) !important; width: 1px !important; height: 1px !important; border: 0 !important; margin: 0 !important; padding: 0 !important; overflow: hidden !important; position: absolute !important; outline: 0 !important; left: 0 !important; top: 0 !important; } .select2-display-none { display: none; } .select2-measure-scrollbar { position: absolute; top: -10000px; left: -10000px; width: 100px; height: 100px; overflow: scroll; } .select2-drop-mask { border: 0; margin: 0; padding: 0; position: fixed; left: 0; top: 0; min-height: 100%; min-width: 100%; height: auto; width: auto; z-index: 9998; /* styles required for IE to work */ background-color: #fff; opacity: 0; filter: "alpha(opacity=0)"; } .navbar { font-size: 16px; min-height: 53px; margin-bottom: 30px; border: none; border-radius: 6px; } @media (min-width: 992px) { .navbar { padding: 0; } } @media (min-width: 768px) { .navbar-header { float: left; } } .navbar-collapse { box-shadow: none; } .navbar-collapse .navbar-form:first-child { border: none; } @media (min-width: 768px) { .navbar-collapse { padding-right: 21px; } .navbar-collapse .navbar-nav.navbar-left:first-child { margin-left: -21px; } .navbar-collapse .navbar-nav.navbar-left:first-child > li:first-child a { border-bottom-left-radius: 6px; border-top-left-radius: 6px; } .navbar-collapse .navbar-nav.navbar-right:last-child { margin-right: -21px; } .navbar-collapse .navbar-nav.navbar-right:last-child > .dropdown:last-child > a { border-radius: 0 6px 6px 0; } .navbar-fixed-top .navbar-collapse .navbar-form.navbar-right:last-child, .navbar-fixed-bottom .navbar-collapse .navbar-form.navbar-right:last-child { margin-right: 0; } } @media (max-width: 767px) { .navbar-collapse .navbar-nav.navbar-right:last-child { margin-bottom: 3px; } } .navbar .container, .navbar .container-fluid { padding-left: 21px; padding-right: 21px; } .navbar .container > .navbar-header, .navbar .container > .navbar-collapse, .navbar .container-fluid > .navbar-header, .navbar .container-fluid > .navbar-collapse { margin-right: -21px; margin-left: -21px; } @media (min-width: 768px) { .navbar .container > .navbar-header, .navbar .container > .navbar-collapse, .navbar .container-fluid > .navbar-header, .navbar .container-fluid > .navbar-collapse { margin-right: 0; margin-left: 0; } } .navbar-static-top { z-index: 1000; border-width: 0; border-radius: 0; } .navbar-fixed-top, .navbar-fixed-bottom { z-index: 1030; border-radius: 0; } .navbar-fixed-top { border-width: 0; } .navbar-fixed-bottom { margin-bottom: 0; border-width: 0; } .navbar-brand { font-size: 24px; height: 53px; font-weight: 700; margin-right: 0; } @media (min-width: 768px) { .navbar-brand { line-height: 1.042; padding: 14px 21px; } } .navbar-brand > [class*="fui-"] { font-size: 19px; line-height: 1.263; vertical-align: top; } @media (min-width: 768px) { .navbar > .container .navbar-brand, .navbar > .container-fluid .navbar-brand { margin-left: -21px; } } .navbar-toggler { border: none; color: #34495e; margin: 0 0 0 21px; padding: 0 21px; height: 53px; line-height: 53px; background: none; } .navbar-toggler:before { color: #16a085; content: "\e61a"; font-family: "Flat-UI-Pro-Icons"; font-size: 22px; font-style: normal; font-weight: normal; -webkit-font-smoothing: antialiased; -moz-osx-font-smoothing: grayscale; transition: color .25s linear; } .navbar-toggler:hover, .navbar-toggler:focus { outline: none; } .navbar-toggler:hover:before, .navbar-toggler:focus:before { color: #1abc9c; } .navbar-toggler .icon-bar { display: none; } .navbar-nav { margin: 0; } .navbar-nav > li > a { font-size: 16px; padding: 15px 0; line-height: 23px; font-weight: 700; position: relative; display: block; } @media (min-width: 768px) { .navbar-nav > li > a { padding-left: 21px; padding-right: 21px; } } .navbar-nav > li > a:hover, .navbar-nav > li > a:focus, .navbar-nav .show > a:focus, .navbar-nav .show > a:hover { background-color: transparent; } .navbar-nav [class^="fui-"] { line-height: 20px; position: relative; top: 1px; } @media (max-width: 1199.98px) { .navbar-nav [class^="fui-"] { margin-left: 5px; } } .navbar-nav .visible-sm > [class^="fui-"], .navbar-nav .visible-xs > [class^="fui-"] { margin-left: 12px; } .navbar-input, .navbar-form .form-control, .navbar-form .select2-search input[type="text"], .select2-search .navbar-form input[type="text"], .navbar-form .input-group-text, .navbar-form .btn { height: 35px; padding: 5px 10px; font-size: 13px; line-height: 1.4; border-radius: 6px; } .navbar-form .btn { margin: 0; } .navbar-form .input-group .form-control:first-child, .navbar-form .input-group .select2-search input[type="text"]:first-child, .select2-search .navbar-form .input-group input[type="text"]:first-child, .navbar-form .input-group-text:first-child, .navbar-form .input-group-btn:first-child > .btn, .navbar-form .input-group-btn:first-child > .dropdown-toggle, .navbar-form .input-group-btn:last-child > .btn:not(:last-child):not(.dropdown-toggle) { border-bottom-right-radius: 0; border-top-right-radius: 0; } .navbar-form .input-group .form-control:last-child, .navbar-form .input-group .select2-search input[type="text"]:last-child, .select2-search .navbar-form .input-group input[type="text"]:last-child, .navbar-form .input-group-text:last-child, .navbar-form .input-group-btn:last-child > .btn, .navbar-form .input-group-btn:last-child > .dropdown-toggle, .navbar-form .input-group-btn:first-child > .btn:not(:first-child) { border-bottom-left-radius: 0; border-top-left-radius: 0; } .navbar-form .form-control, .navbar-form .select2-search input[type="text"], .select2-search .navbar-form input[type="text"] { font-size: 15px; border-radius: 5px; display: table-cell; } .navbar-form .form-group ~ .btn { font-size: 15px; border-radius: 5px; margin-left: 5px; } .navbar-form .form-group + .btn { margin-right: 5px; } @media (min-width: 768px) { .navbar-form .input-group { width: 195px; } } @media (max-width: 767px) { .navbar-form .form-group { margin-bottom: 7px; } .navbar-form .form-group:last-child { margin-bottom: 0; } .navbar-form .form-group + .btn { margin-left: 0; } } .navbar-nav > li > .dropdown-menu, .navbar-nav > li > .select2-drop { min-width: 100%; border-radius: 4px; } @media (max-width: 1199.98px) { .navbar-nav > li > .dropdown-menu, .navbar-nav > li > .select2-drop { margin-top: 0; } } @media (max-width: 767px) { .navbar-nav > li.show > .dropdown-menu, .navbar-nav > li.show > .select2-drop { margin-top: 0 !important; } } .navbar-fixed-bottom .navbar-nav > li > .dropdown-menu, .navbar-fixed-bottom .navbar-nav > li > .select2-drop { border-bottom-right-radius: 4px; border-bottom-left-radius: 4px; } .navbar-nav > .show > .dropdown-toggle, .navbar-nav > .show > .dropdown-toggle:focus, .navbar-nav > .show > .dropdown-toggle:hover { background-color: transparent; } .navbar-text { font-size: 16px; line-height: 1.438; color: #34495e; margin-top: 0; margin-bottom: 0; padding-top: 15px; padding-bottom: 15px; } @media (min-width: 768px) { .navbar-text { margin-left: 21px; margin-right: 21px; } .navbar-text.navbar-right:last-child { margin-right: 0; } } .navbar-btn { margin-top: 6px; margin-bottom: 6px; } .navbar-btn.btn-sm, .btn-group-sm > .navbar-btn.btn { margin-top: 9px; margin-bottom: 8px; } .navbar-btn.btn-xs, .btn-group-xs > .navbar-btn.btn { margin-top: 14px; margin-bottom: 14px; } .navbar-unread, .navbar-new { font-family: "Lato", Helvetica, Arial, sans-serif; background-color: #1abc9c; border-radius: 50%; color: white; font-size: 0; font-weight: 700; min-height: 6px; min-width: 6px; line-height: 1; text-align: center; z-index: 10; position: absolute; top: 35%; margin-left: 5px; } .active .navbar-unread, .active .navbar-new { background-color: white; display: none; } .navbar-new { background-color: #e74c3c; font-size: 12px; height: 18px; line-height: 17px; min-width: 18px; padding: 0 1px; width: auto; -webkit-font-smoothing: subpixel-antialiased; -webkit-transform: translatey(-50%); transform: translatey(-50%); } .navbar-default { background-color: #edf0f1; } .navbar-default .navbar-brand { color: #34495e; } .navbar-default .navbar-brand:hover, .navbar-default .navbar-brand:focus { color: #1abc9c; background-color: transparent; } .navbar-default .navbar-toggler:before { color: #34495e; } .navbar-default .navbar-toggler:hover, .navbar-default .navbar-toggler:focus { background-color: transparent; } .navbar-default .navbar-toggler:hover:before, .navbar-default .navbar-toggler:focus:before { color: #1abc9c; } .navbar-default .navbar-collapse, .navbar-default .navbar-form { border-color: #e5e9ea; border-width: 2px; } .navbar-default .navbar-nav > li > a { color: #34495e; } .navbar-default .navbar-nav > li > a:hover, .navbar-default .navbar-nav > li > a:focus { color: #1abc9c; background-color: transparent; } .navbar-default .navbar-nav > .active > a, .navbar-default .navbar-nav > .active > a:hover, .navbar-default .navbar-nav > .active > a:focus { color: #1abc9c; background-color: transparent; } .navbar-default .navbar-nav > .disabled > a, .navbar-default .navbar-nav > .disabled > a:hover, .navbar-default .navbar-nav > .disabled > a:focus { color: #ccc; background-color: transparent; } .navbar-default .navbar-nav > .show > a, .navbar-default .navbar-nav > .show > a:hover, .navbar-default .navbar-nav > .show > a:focus { background-color: transparent; color: #1abc9c; } @media (max-width: 767px) { .navbar-default .navbar-nav .show .dropdown-menu > li > a, .navbar-default .navbar-nav .show .select2-drop > li > a { color: #34495e; } .navbar-default .navbar-nav .show .dropdown-menu > li > a:hover, .navbar-default .navbar-nav .show .select2-drop > li > a:hover, .navbar-default .navbar-nav .show .dropdown-menu > li > a:focus, .navbar-default .navbar-nav .show .select2-drop > li > a:focus { color: #1abc9c; background-color: transparent; } .navbar-default .navbar-nav .show .dropdown-menu > .active > a, .navbar-default .navbar-nav .show .select2-drop > .active > a, .navbar-default .navbar-nav .show .dropdown-menu > .active > a:hover, .navbar-default .navbar-nav .show .select2-drop > .active > a:hover, .navbar-default .navbar-nav .show .dropdown-menu > .active > a:focus, .navbar-default .navbar-nav .show .select2-drop > .active > a:focus { color: #1abc9c; background-color: transparent; } .navbar-default .navbar-nav .show .dropdown-menu > .disabled > a, .navbar-default .navbar-nav .show .select2-drop > .disabled > a, .navbar-default .navbar-nav .show .dropdown-menu > .disabled > a:hover, .navbar-default .navbar-nav .show .select2-drop > .disabled > a:hover, .navbar-default .navbar-nav .show .dropdown-menu > .disabled > a:focus, .navbar-default .navbar-nav .show .select2-drop > .disabled > a:focus { color: #ccc; background-color: transparent; } } .navbar-default .navbar-form .form-control, .navbar-default .navbar-form .select2-search input[type="text"], .select2-search .navbar-default .navbar-form input[type="text"] { border-color: #fff; } .navbar-default .navbar-form .form-control::-moz-placeholder, .navbar-default .navbar-form .select2-search input[type="text"]::-moz-placeholder, .select2-search .navbar-default .navbar-form input[type="text"]::-moz-placeholder { color: #aeb5bf; opacity: 1; } .navbar-default .navbar-form .form-control:-ms-input-placeholder, .navbar-default .navbar-form .select2-search input[type="text"]:-ms-input-placeholder, .select2-search .navbar-default .navbar-form input[type="text"]:-ms-input-placeholder { color: #aeb5bf; } .navbar-default .navbar-form .form-control::-webkit-input-placeholder, .navbar-default .navbar-form .select2-search input[type="text"]::-webkit-input-placeholder, .select2-search .navbar-default .navbar-form input[type="text"]::-webkit-input-placeholder { color: #aeb5bf; } .navbar-default .navbar-form .form-control:focus, .navbar-default .navbar-form .select2-search input[type="text"]:focus, .select2-search .navbar-default .navbar-form input[type="text"]:focus { border-color: #1abc9c; color: #1abc9c; } .navbar-default .navbar-form .form-control:first-child, .navbar-default .navbar-form .select2-search input[type="text"]:first-child, .select2-search .navbar-default .navbar-form input[type="text"]:first-child { border-right-width: 0; } .navbar-default .navbar-form .input-group-btn .btn { border-color: transparent; color: #afb6be; } .navbar-default .navbar-form .input-group.focus .form-control, .navbar-default .navbar-form .input-group.focus .select2-search input[type="text"], .select2-search .navbar-default .navbar-form .input-group.focus input[type="text"], .navbar-default .navbar-form .input-group.focus .input-group-btn .btn { border-color: #1abc9c; color: #1abc9c; } .navbar-default .navbar-text { color: #34495e; } .navbar-default .navbar-link { color: #34495e; } .navbar-default .navbar-link:hover { color: #1abc9c; } .navbar-default .btn-link { color: #34495e; } .navbar-default .btn-link:hover, .navbar-default .btn-link:focus { color: #1abc9c; } .navbar-default .btn-link[disabled]:hover, .navbar-default .btn-link[disabled]:focus, fieldset[disabled] .navbar-default .btn-link:hover, fieldset[disabled] .navbar-default .btn-link:focus { color: #ccc; } .navbar-inverse { background-color: #34495e; } .navbar-inverse .navbar-brand { color: white; } .navbar-inverse .navbar-brand:hover, .navbar-inverse .navbar-brand:focus { color: #1abc9c; background-color: transparent; } .navbar-inverse .navbar-toggler:before { color: white; } .navbar-inverse .navbar-toggler:hover, .navbar-inverse .navbar-toggler:focus { background-color: transparent; } .navbar-inverse .navbar-toggler:hover:before, .navbar-inverse .navbar-toggler:focus:before { color: #1abc9c; } .navbar-inverse .navbar-collapse { border-color: #2f4154; border-width: 2px; } .navbar-inverse .navbar-nav > li > a { color: white; } .navbar-inverse .navbar-nav > li > a:hover, .navbar-inverse .navbar-nav > li > a:focus { color: #1abc9c; background-color: transparent; } .navbar-inverse .navbar-nav > .active > a, .navbar-inverse .navbar-nav > .active > a:hover, .navbar-inverse .navbar-nav > .active > a:focus { color: white; background-color: #1abc9c; } .navbar-inverse .navbar-nav > .disabled > a, .navbar-inverse .navbar-nav > .disabled > a:hover, .navbar-inverse .navbar-nav > .disabled > a:focus { color: #444; background-color: transparent; } .navbar-inverse .navbar-nav > .show > a, .navbar-inverse .navbar-nav > .show > a:hover, .navbar-inverse .navbar-nav > .show > a:focus { background-color: #1abc9c; color: white; border-left-color: transparent; } .navbar-inverse .navbar-nav > .show > .dropdown-menu, .navbar-inverse .navbar-nav > .show > .select2-drop { background-color: #34495e; padding: 3px 4px; } .navbar-inverse .navbar-nav > .show > .dropdown-menu > li > a, .navbar-inverse .navbar-nav > .show > .select2-drop > li > a { color: #e1e4e7; border-radius: 4px; padding: 6px 9px; } .navbar-inverse .navbar-nav > .show > .dropdown-menu > li > a:hover, .navbar-inverse .navbar-nav > .show > .select2-drop > li > a:hover, .navbar-inverse .navbar-nav > .show > .dropdown-menu > li > a:focus, .navbar-inverse .navbar-nav > .show > .select2-drop > li > a:focus { color: white; background-color: #1abc9c; } .navbar-inverse .navbar-nav > .show > .dropdown-menu > .divider, .navbar-inverse .navbar-nav > .show > .select2-drop > .divider { background-color: #2f4154; height: 2px; margin-left: -4px; margin-right: -4px; } .navbar-inverse .navbar-nav .dropdown-toggle:after { border-top-color: #4b6075; border-bottom-color: #4b6075; } .navbar-inverse .navbar-nav .dropdown-toggle:hover:after, .navbar-inverse .navbar-nav .dropdown-toggle:focus:after { border-top-color: #1abc9c; border-bottom-color: #1abc9c; } @media (max-width: 767px) { .navbar-inverse .navbar-nav > li > a { border-left-width: 0; } .navbar-inverse .navbar-nav .show .dropdown-menu > li > a, .navbar-inverse .navbar-nav .show .select2-drop > li > a { color: white; } .navbar-inverse .navbar-nav .show .dropdown-menu > li > a:hover, .navbar-inverse .navbar-nav .show .select2-drop > li > a:hover, .navbar-inverse .navbar-nav .show .dropdown-menu > li > a:focus, .navbar-inverse .navbar-nav .show .select2-drop > li > a:focus { color: #1abc9c; background-color: transparent; } .navbar-inverse .navbar-nav .show .dropdown-menu > .active > a, .navbar-inverse .navbar-nav .show .select2-drop > .active > a, .navbar-inverse .navbar-nav .show .dropdown-menu > .active > a:hover, .navbar-inverse .navbar-nav .show .select2-drop > .active > a:hover, .navbar-inverse .navbar-nav .show .dropdown-menu > .active > a:focus, .navbar-inverse .navbar-nav .show .select2-drop > .active > a:focus { color: white; background-color: #1abc9c; } .navbar-inverse .navbar-nav .show .dropdown-menu > .disabled > a, .navbar-inverse .navbar-nav .show .select2-drop > .disabled > a, .navbar-inverse .navbar-nav .show .dropdown-menu > .disabled > a:hover, .navbar-inverse .navbar-nav .show .select2-drop > .disabled > a:hover, .navbar-inverse .navbar-nav .show .dropdown-menu > .disabled > a:focus, .navbar-inverse .navbar-nav .show .select2-drop > .disabled > a:focus { color: #444; background-color: transparent; } .navbar-inverse .navbar-nav .dropdown-menu .divider, .navbar-inverse .navbar-nav .select2-drop .divider { background-color: #2f4154; } } .navbar-inverse .navbar-form .form-control, .navbar-inverse .navbar-form .select2-search input[type="text"], .select2-search .navbar-inverse .navbar-form input[type="text"] { color: #536a81; border-color: #293a4a; background-color: #293a4a; } .navbar-inverse .navbar-form .form-control::-moz-placeholder, .navbar-inverse .navbar-form .select2-search input[type="text"]::-moz-placeholder, .select2-search .navbar-inverse .navbar-form input[type="text"]::-moz-placeholder { color: #536a81; opacity: 1; } .navbar-inverse .navbar-form .form-control:-ms-input-placeholder, .navbar-inverse .navbar-form .select2-search input[type="text"]:-ms-input-placeholder, .select2-search .navbar-inverse .navbar-form input[type="text"]:-ms-input-placeholder { color: #536a81; } .navbar-inverse .navbar-form .form-control::-webkit-input-placeholder, .navbar-inverse .navbar-form .select2-search input[type="text"]::-webkit-input-placeholder, .select2-search .navbar-inverse .navbar-form input[type="text"]::-webkit-input-placeholder { color: #536a81; } .navbar-inverse .navbar-form .form-control:focus, .navbar-inverse .navbar-form .select2-search input[type="text"]:focus, .select2-search .navbar-inverse .navbar-form input[type="text"]:focus { border-color: #1abc9c; color: #1abc9c; } .navbar-inverse .navbar-form .form-control:first-child, .navbar-inverse .navbar-form .select2-search input[type="text"]:first-child, .select2-search .navbar-inverse .navbar-form input[type="text"]:first-child { border-right-width: 0; } .navbar-inverse .navbar-form .btn { color: white; background-color: #1abc9c; } .show > .dropdown-toggle.navbar-inverse .navbar-form .btn, .navbar-inverse .navbar-form .btn:hover, .navbar-inverse .navbar-form .btn.hover, .navbar-inverse .navbar-form .btn:focus, .navbar-inverse .navbar-form .btn:active, .navbar-inverse .navbar-form .btn.active { color: white; background-color: #48c9b0; border-color: #48c9b0; } .show > .dropdown-toggle.navbar-inverse .navbar-form .btn, .navbar-inverse .navbar-form .btn:not(:disabled):not(.disabled):active, .navbar-inverse .navbar-form .btn:not(:disabled):not(.disabled).active { background: #16a085; border-color: #16a085; } .navbar-inverse .navbar-form .btn.disabled, .navbar-inverse .navbar-form .btn.disabled:hover, .navbar-inverse .navbar-form .btn.disabled.hover, .navbar-inverse .navbar-form .btn.disabled:focus, .navbar-inverse .navbar-form .btn.disabled:active, .navbar-inverse .navbar-form .btn.disabled.active, .navbar-inverse .navbar-form .btn[disabled], .navbar-inverse .navbar-form .btn[disabled]:hover, .navbar-inverse .navbar-form .btn[disabled].hover, .navbar-inverse .navbar-form .btn[disabled]:focus, .navbar-inverse .navbar-form .btn[disabled]:active, .navbar-inverse .navbar-form .btn[disabled].active, fieldset[disabled] .navbar-inverse .navbar-form .btn, fieldset[disabled] .navbar-inverse .navbar-form .btn:hover, fieldset[disabled] .navbar-inverse .navbar-form .btn.hover, fieldset[disabled] .navbar-inverse .navbar-form .btn:focus, fieldset[disabled] .navbar-inverse .navbar-form .btn:active, fieldset[disabled] .navbar-inverse .navbar-form .btn.active { background-color: #bdc3c7; border-color: #1abc9c; } .navbar-inverse .navbar-form .btn .badge { color: #1abc9c; background-color: white; } .navbar-inverse .navbar-form .input-group-btn .btn { border-color: transparent; background-color: #293a4a; color: #526a82; } .navbar-inverse .navbar-form .input-group.focus .form-control, .navbar-inverse .navbar-form .input-group.focus .select2-search input[type="text"], .select2-search .navbar-inverse .navbar-form .input-group.focus input[type="text"], .navbar-inverse .navbar-form .input-group.focus .input-group-btn .btn { border-color: #1abc9c; color: #1abc9c; } @media (max-width: 767px) { .navbar-inverse .navbar-form { border-color: #2f4154; border-width: 2px 0; } } .navbar-inverse .navbar-text { color: white; } .navbar-inverse .navbar-text a { color: white; } .navbar-inverse .navbar-text a:hover, .navbar-inverse .navbar-text a:focus { color: #1abc9c; } .navbar-inverse .navbar-btn { color: white; background-color: #1abc9c; } .show > .dropdown-toggle.navbar-inverse .navbar-btn, .navbar-inverse .navbar-btn:hover, .navbar-inverse .navbar-btn.hover, .navbar-inverse .navbar-btn:focus, .navbar-inverse .navbar-btn:active, .navbar-inverse .navbar-btn.active { color: white; background-color: #48c9b0; border-color: #48c9b0; } .show > .dropdown-toggle.navbar-inverse .navbar-btn, .navbar-inverse .navbar-btn:not(:disabled):not(.disabled):active, .navbar-inverse .navbar-btn:not(:disabled):not(.disabled).active { background: #16a085; border-color: #16a085; } .navbar-inverse .navbar-btn.disabled, .navbar-inverse .navbar-btn.disabled:hover, .navbar-inverse .navbar-btn.disabled.hover, .navbar-inverse .navbar-btn.disabled:focus, .navbar-inverse .navbar-btn.disabled:active, .navbar-inverse .navbar-btn.disabled.active, .navbar-inverse .navbar-btn[disabled], .navbar-inverse .navbar-btn[disabled]:hover, .navbar-inverse .navbar-btn[disabled].hover, .navbar-inverse .navbar-btn[disabled]:focus, .navbar-inverse .navbar-btn[disabled]:active, .navbar-inverse .navbar-btn[disabled].active, fieldset[disabled] .navbar-inverse .navbar-btn, fieldset[disabled] .navbar-inverse .navbar-btn:hover, fieldset[disabled] .navbar-inverse .navbar-btn.hover, fieldset[disabled] .navbar-inverse .navbar-btn:focus, fieldset[disabled] .navbar-inverse .navbar-btn:active, fieldset[disabled] .navbar-inverse .navbar-btn.active { background-color: #bdc3c7; border-color: #1abc9c; } .navbar-inverse .navbar-btn .badge { color: #1abc9c; background-color: white; } @media (min-width: 768px) { .navbar-embossed > .navbar-collapse { border-radius: 6px; box-shadow: inset 0 -2px 0 rgba(0, 0, 0, 0.15); } .navbar-embossed.navbar-inverse .navbar-nav .active > a, .navbar-embossed.navbar-inverse .navbar-nav .show > a { box-shadow: inset 0 -2px 0 rgba(0, 0, 0, 0.15); } } .navbar-lg { min-height: 76px; } @media (min-width: 768px) { .navbar-lg .navbar-brand { line-height: 1; height: 76px; padding-top: 26px; padding-bottom: 26px; } } .navbar-lg .navbar-brand > [class*="fui-"] { font-size: 24px; line-height: 1; } .navbar-lg .navbar-nav > li > a { font-size: 15px; line-height: 1.6; } @media (min-width: 768px) { .navbar-lg .navbar-nav > li > a { padding-top: 26px; padding-bottom: 26px; } } .navbar-lg .navbar-toggler { height: 76px; line-height: 76px; } .navbar-lg .navbar-form { padding-top: 20.5px; padding-bottom: 20.5px; } .navbar-lg .navbar-text { padding-top: 26.5px; padding-bottom: 26.5px; } .navbar-lg .navbar-btn { margin-top: 17.5px; margin-bottom: 17.5px; } .navbar-lg .navbar-btn.btn-sm, .navbar-lg .btn-group-sm > .navbar-btn.btn { margin-top: 20.5px; margin-bottom: 20.5px; } .navbar-lg .navbar-btn.btn-xs, .navbar-lg .btn-group-xs > .navbar-btn.btn { margin-top: 25.5px; margin-bottom: 25.5px; } .tile { background-color: #eff0f2; border-radius: 6px; padding: 14px; margin-bottom: 20px; position: relative; text-align: center; } .tile .tile-hot-ribbon { display: block; position: absolute; right: -4px; top: -4px; width: 82px; } .tile p { font-size: 15px; margin-bottom: 33px; } .tile-image { height: 100px; margin: 31px 0 27px; vertical-align: bottom; } .tile-image.big-illustration { height: 111px; margin-top: 20px; width: 112px; } .tile-title { font-size: 20px; margin: 0; } .bootstrap-switch { font-size: 15px; line-height: 29px; display: inline-block; cursor: pointer; border-radius: 30px; position: relative; text-align: left; overflow: hidden; vertical-align: middle; width: 80px; height: 29px; -webkit-mask-box-image: url(data:image/svg+xml;base64,your_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashd3cudzMub3JnL0dyYXBoaWNzL1NWRy8xLjEvRFREL3N2ZzExLmR0ZCI+your_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashMCwxNC41LDBoNTFDNzMuNSwwLDgwLDYuNSw4MCwxNC41TDgwLDE0LjV6Ii8+DQo8L3N2Zz4NCg==) 0 0 stretch; -webkit-user-select: none; -moz-user-select: none; -ms-user-select: none; user-select: none; } .bootstrap-switch > div { display: inline-block; width: 132px; border-radius: 30px; -webkit-transform: translate3d(0, 0, 0); transform: translate3d(0, 0, 0); } .bootstrap-switch > div > span { font-weight: 700; line-height: 19px; cursor: pointer; display: inline-block; height: 100%; padding-bottom: 5px; padding-top: 5px; text-align: center; z-index: 1; width: 66px; transition: box-shadow .25s ease-out; } .bootstrap-switch > div > span > [class^="fui-"] { text-indent: 0; } .bootstrap-switch > div > label { cursor: pointer; display: block; position: absolute; width: 100%; height: 100%; text-indent: -9999px; font-size: 0; top: 0; left: 0; margin: 0; z-index: 200; opacity: 0; filter: "alpha(opacity=0)"; } .bootstrap-switch input[type="radio"], .bootstrap-switch input[type="checkbox"] { position: absolute !important; margin: 0; top: 0; left: 0; z-index: -1; opacity: 0; filter: "alpha(opacity=0)"; } .bootstrap-switch-handle-on { border-bottom-left-radius: 30px; border-top-left-radius: 30px; } .bootstrap-switch-off .bootstrap-switch-handle-on ~ .bootstrap-switch-handle-off.bootstrap-switch-default { box-shadow: "inset 0 0 transparent, -16px 0 0 #bdc3c7"; } .bootstrap-switch-off .bootstrap-switch-handle-on ~ .bootstrap-switch-handle-off.bootstrap-switch-default:before { border-color: #bdc3c7; background-color: #7f8c9a; } .bootstrap-switch-off .bootstrap-switch-handle-on ~ .bootstrap-switch-handle-off.bootstrap-switch-primary { box-shadow: "inset 0 0 transparent, -16px 0 0 #34495e"; } .bootstrap-switch-off .bootstrap-switch-handle-on ~ .bootstrap-switch-handle-off.bootstrap-switch-primary:before { border-color: #34495e; background-color: #1abc9c; } .bootstrap-switch-off .bootstrap-switch-handle-on ~ .bootstrap-switch-handle-off.bootstrap-switch-success { box-shadow: "inset 0 0 transparent, -16px 0 0 #2ecc71"; } .bootstrap-switch-off .bootstrap-switch-handle-on ~ .bootstrap-switch-handle-off.bootstrap-switch-success:before { border-color: #2ecc71; background-color: white; } .bootstrap-switch-off .bootstrap-switch-handle-on ~ .bootstrap-switch-handle-off.bootstrap-switch-warning { box-shadow: "inset 0 0 transparent, -16px 0 0 #f1c40f"; } .bootstrap-switch-off .bootstrap-switch-handle-on ~ .bootstrap-switch-handle-off.bootstrap-switch-warning:before { border-color: #f1c40f; background-color: white; } .bootstrap-switch-off .bootstrap-switch-handle-on ~ .bootstrap-switch-handle-off.bootstrap-switch-info { box-shadow: "inset 0 0 transparent, -16px 0 0 #3498db"; } .bootstrap-switch-off .bootstrap-switch-handle-on ~ .bootstrap-switch-handle-off.bootstrap-switch-info:before { border-color: #3498db; background-color: white; } .bootstrap-switch-off .bootstrap-switch-handle-on ~ .bootstrap-switch-handle-off.bootstrap-switch-danger { box-shadow: "inset 0 0 transparent, -16px 0 0 #e74c3c"; } .bootstrap-switch-off .bootstrap-switch-handle-on ~ .bootstrap-switch-handle-off.bootstrap-switch-danger:before { border-color: #e74c3c; background-color: white; } .bootstrap-switch-handle-off { border-bottom-right-radius: 30px; border-top-right-radius: 30px; } .bootstrap-switch-handle-off:before { display: inline-block; content: " "; border: 4px solid transparent; border-radius: 50%; text-align: center; vertical-align: top; padding: 0; height: 29px; width: 29px; position: absolute; top: 0; left: 51px; z-index: 100; background-clip: padding-box; transition: border-color .25s ease-out, background-color .25s ease-out; } .bootstrap-switch-animate > div { transition: margin-left .25s ease-out; } .bootstrap-switch-on > div { margin-left: 0; } .bootstrap-switch-off > div { margin-left: -51px; } .bootstrap-switch-disabled, .bootstrap-switch-readonly { opacity: 0.5; filter: "alpha(opacity=50)"; cursor: default; } .bootstrap-switch-disabled > div > span, .bootstrap-switch-disabled > div > label, .bootstrap-switch-readonly > div > span, .bootstrap-switch-readonly > div > label { cursor: default !important; } .bootstrap-switch-focused { outline: 0; } .bootstrap-switch-default { color: white; background-color: #bdc3c7; } .bootstrap-switch-default ~ .bootstrap-switch-handle-off:before { background-color: #7f8c9a; border-color: #bdc3c7; } .bootstrap-switch-on .bootstrap-switch-default ~ .bootstrap-switch-handle-off { box-shadow: inset 16px 0 0 #bdc3c7; } .bootstrap-switch-primary { color: #1abc9c; background-color: #34495e; } .bootstrap-switch-primary ~ .bootstrap-switch-handle-off:before { background-color: #1abc9c; border-color: #34495e; } .bootstrap-switch-on .bootstrap-switch-primary ~ .bootstrap-switch-handle-off { box-shadow: inset 16px 0 0 #34495e; } .bootstrap-switch-info { color: white; background-color: #3498db; } .bootstrap-switch-info ~ .bootstrap-switch-handle-off:before { background-color: white; border-color: #3498db; } .bootstrap-switch-on .bootstrap-switch-info ~ .bootstrap-switch-handle-off { box-shadow: inset 16px 0 0 #3498db; } .bootstrap-switch-success { color: white; background-color: #2ecc71; } .bootstrap-switch-success ~ .bootstrap-switch-handle-off:before { background-color: white; border-color: #2ecc71; } .bootstrap-switch-on .bootstrap-switch-success ~ .bootstrap-switch-handle-off { box-shadow: inset 16px 0 0 #2ecc71; } .bootstrap-switch-warning { color: white; background-color: #f1c40f; } .bootstrap-switch-warning ~ .bootstrap-switch-handle-off:before { background-color: white; border-color: #f1c40f; } .bootstrap-switch-on .bootstrap-switch-warning ~ .bootstrap-switch-handle-off { box-shadow: inset 16px 0 0 #f1c40f; } .bootstrap-switch-danger { color: white; background-color: #e74c3c; } .bootstrap-switch-danger ~ .bootstrap-switch-handle-off:before { background-color: white; border-color: #e74c3c; } .bootstrap-switch-on .bootstrap-switch-danger ~ .bootstrap-switch-handle-off { box-shadow: inset 16px 0 0 #e74c3c; } .bootstrap-switch-square .bootstrap-switch { -webkit-mask-box-image: url(data:image/svg+xml;base64,your_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashd3cudzMub3JnL0dyYXBoaWNzL1NWRy8xLjEvRFREL3N2ZzExLmR0ZCI+your_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashMS44LDQsNFYyNXoiLz4NCjwvc3ZnPg0K) 0 0 stretch; border-radius: 4px; } .bootstrap-switch-square .bootstrap-switch > div { border-radius: 4px; } .bootstrap-switch-square .bootstrap-switch .bootstrap-switch-handle-on { text-indent: -15px; border-bottom-left-radius: 4px; border-top-left-radius: 4px; } .bootstrap-switch-square .bootstrap-switch .bootstrap-switch-handle-off { text-indent: 15px; border-bottom-right-radius: 4px; border-top-right-radius: 4px; } .bootstrap-switch-square .bootstrap-switch .bootstrap-switch-handle-off:before { border: none; border-bottom-left-radius: 0; border-top-left-radius: 0; border-bottom-right-radius: 2px; border-top-right-radius: 2px; } .bootstrap-switch-square .bootstrap-switch-off .bootstrap-switch-handle-off:before { border-bottom-left-radius: 2px; border-top-left-radius: 2px; border-bottom-right-radius: 0; border-top-right-radius: 0; } .video-js * { font-family: "Flat-UI-Pro-Icons"; } .video-js .vjs-big-play-button .vjs-icon-placeholder:before, .vjs-button > .vjs-icon-placeholder:before, .video-js .vjs-modal-dialog, .vjs-modal-dialog .vjs-modal-dialog-content { position: absolute; top: 0; left: 0; width: 100%; height: 100%; } .video-js .vjs-big-play-button .vjs-icon-placeholder:before, .vjs-button > .vjs-icon-placeholder:before { text-align: center; } .vjs-icon-play:before { content: "\e616"; color: #1abc9c; font-size: 16px; } .video-js .vjs-big-play-button .vjs-icon-placeholder:before, .video-js .vjs-play-control .vjs-icon-placeholder:before { content: "\e616"; color: #1abc9c; font-size: 16px; line-height: 47px; } .vjs-icon-play-circle:before { content: "\f102"; } .vjs-icon-pause:before, .video-js .vjs-play-control.vjs-playing .vjs-icon-placeholder:before { content: "\e615"; line-height: 47px; font-size: 16px; } .vjs-icon-volume-mute:before, .video-js .vjs-mute-control.vjs-vol-0 .vjs-icon-placeholder:before { content: "\e618"; line-height: 47px; font-size: 16px; } .vjs-icon-volume-low:before, .video-js .vjs-mute-control.vjs-vol-1 .vjs-icon-placeholder:before { content: "\f105"; } .vjs-icon-volume-mid:before, .video-js .vjs-mute-control.vjs-vol-2 .vjs-icon-placeholder:before { content: "\f106"; } .vjs-icon-volume-high:before, .video-js .vjs-mute-control .vjs-icon-placeholder:before { content: "\e617"; line-height: 47px; font-size: 16px; } .vjs-icon-fullscreen-enter:before, .video-js .vjs-fullscreen-control .vjs-icon-placeholder:before { content: "\e619"; color: #475d72; line-height: 47px; font-size: 16px; } .vjs-icon-fullscreen-exit:before, .video-js.vjs-fullscreen .vjs-fullscreen-control .vjs-icon-placeholder:before { content: "\e619"; color: #475d72; line-height: 47px; font-size: 16px; } .vjs-icon-square:before { content: "\f10a"; } .vjs-icon-spinner:before { content: "\f10b"; } .vjs-icon-subtitles:before { content: "\f10c"; } .vjs-icon-captions:before { content: "\f10d"; } .video-js .vjs-captions-button .vjs-icon-placeholder:before, .video-js:lang(en) .vjs-subs-caps-button .vjs-icon-placeholder:before, .video-js:lang(fr-CA) .vjs-subs-caps-button .vjs-icon-placeholder:before { content: "\f10d"; } .vjs-icon-chapters:before, .video-js .vjs-chapters-button .vjs-icon-placeholder:before { content: "\f10e"; } .vjs-icon-share:before { content: "\f10f"; } .vjs-icon-cog:before { content: "\f110"; } .vjs-icon-circle:before { content: "\f111"; } .video-js .vjs-play-progress:before, .video-js .vjs-volume-level:before { content: ""; background-color: #16a085; width: 18px; height: 18px; border-radius: 50%; } .vjs-icon-circle-outline:before { content: "\f112"; } .vjs-icon-circle-inner-circle:before { content: "\f113"; } .vjs-icon-hd:before { content: "\f114"; } .vjs-icon-cancel:before, .video-js .vjs-control.vjs-close-button .vjs-icon-placeholder:before { content: "\f115"; } .vjs-icon-replay:before, .video-js .vjs-play-control.vjs-ended .vjs-icon-placeholder:before { content: "\f116"; } .vjs-icon-facebook:before { content: "\f117"; } .vjs-icon-gplus:before { content: "\f118"; } .vjs-icon-linkedin:before { content: "\f119"; } .vjs-icon-twitter:before { content: "\f11a"; } .vjs-icon-tumblr:before { content: "\f11b"; } .vjs-icon-pinterest:before { content: "\f11c"; } .vjs-icon-audio-description:before, .video-js .vjs-descriptions-button .vjs-icon-placeholder:before { content: "\f11d"; } .vjs-icon-audio:before { content: "\f11e"; } .video-js { display: block; vertical-align: top; box-sizing: border-box; color: #fff; background-color: #000; position: relative; padding: 0; font-size: 10px; line-height: 1; font-weight: normal; font-style: normal; font-family: Arial, Helvetica, sans-serif; max-width: 100%; height: auto; border-bottom-right-radius: 6px; border-bottom-left-radius: 6px; } .video-js .vjs-audio-button .vjs-icon-placeholder:before { content: "\f11e"; } .video-js:-moz-full-screen { position: absolute; } .video-js:-webkit-full-screen { width: 100% !important; height: 100% !important; } .video-js[tabindex="-1"] { outline: none; } .video-js * { box-sizing: inherit; } .video-js *:before, .video-js *:after { box-sizing: inherit; } .video-js ul { font-family: inherit; font-size: inherit; line-height: inherit; list-style-position: outside; margin-left: 0; margin-right: 0; margin-top: 0; margin-bottom: 0; } .video-js.vjs-fluid, .video-js.vjs-16-9, .video-js.vjs-4-3 { width: 100%; max-width: 100%; height: 0; } .video-js.vjs-16-9 { padding-top: 56.25%; } .video-js.vjs-4-3 { padding-top: 75%; } .video-js.vjs-fill { width: 100%; height: 100%; } .video-js .vjs-tech { width: 100%; height: 100%; } body.vjs-full-window { padding: 0; margin: 0; height: 100%; overflow-y: auto; } .vjs-full-window .video-js.vjs-fullscreen { position: fixed; overflow: hidden; z-index: 1000; left: 0; top: 0; bottom: 0; right: 0; } .video-js.vjs-fullscreen { width: 100% !important; height: 100% !important; padding-top: 0 !important; } .video-js.vjs-fullscreen.vjs-user-inactive { cursor: none; } .vjs-hidden { display: none !important; } .vjs-disabled { opacity: 0.5; cursor: default; } .video-js .vjs-offscreen { height: 1px; left: -9999px; position: absolute; top: 0; width: 1px; } .vjs-lock-showing { display: block !important; opacity: 1; visibility: visible; } .vjs-no-js { padding: 20px; color: #fff; background-color: #000; font-size: 18px; font-family: Arial, Helvetica, sans-serif; text-align: center; width: 300px; height: 150px; margin: 0px auto; } .vjs-no-js a { color: #66A8CC; } .vjs-no-js a:visited { color: #66A8CC; } .video-js .vjs-big-play-button { font-size: 3em; line-height: 1.5em; height: 1.5em; width: 3em; display: none; position: absolute; top: 10px; left: 10px; padding: 0; cursor: pointer; opacity: 1; border: 0.06666em solid #fff; background-color: #2B333F; background-color: rgba(43, 51, 63, 0.7); border-radius: 0.3em; transition: all 0.4s; } .vjs-big-play-centered .vjs-big-play-button { top: 50%; left: 50%; margin-top: -0.75em; margin-left: -1.5em; } .video-js:hover .vjs-big-play-button, .video-js .vjs-big-play-button:focus { border-color: #fff; background-color: #73859f; background-color: rgba(115, 133, 159, 0.5); transition: all 0s; } .vjs-controls-disabled .vjs-big-play-button, .vjs-has-started .vjs-big-play-button, .vjs-using-native-controls .vjs-big-play-button, .vjs-error .vjs-big-play-button { display: none; } .vjs-has-started.vjs-paused.vjs-show-big-play-button-on-pause .vjs-big-play-button { display: block; } .video-js button { background: none; border: none; color: inherit; display: inline-block; overflow: visible; font-size: inherit; line-height: inherit; text-transform: none; text-decoration: none; transition: none; -webkit-appearance: none; -moz-appearance: none; appearance: none; } .vjs-control .vjs-button { width: 100%; height: 100%; } .video-js .vjs-control.vjs-close-button { cursor: pointer; height: 3em; position: absolute; right: 0; top: 0.5em; z-index: 2; } .video-js .vjs-modal-dialog { background: rgba(0, 0, 0, 0.8); background: linear-gradient(180deg, rgba(0, 0, 0, 0.8), rgba(255, 255, 255, 0)); overflow: auto; box-sizing: content-box; } .video-js .vjs-modal-dialog > * { box-sizing: border-box; } .vjs-modal-dialog .vjs-modal-dialog-content { font-size: 1.2em; line-height: 1.5; padding: 20px 24px; z-index: 1; } .vjs-menu-button { cursor: pointer; } .vjs-menu-button.vjs-disabled { cursor: default; } .vjs-workinghover .vjs-menu-button.vjs-disabled:hover .vjs-menu { display: none; } .vjs-menu .vjs-menu-content { display: block; padding: 0; margin: 0; font-family: Arial, Helvetica, sans-serif; overflow: auto; box-sizing: content-box; } .vjs-menu .vjs-menu-content > * { box-sizing: border-box; } .vjs-scrubbing .vjs-menu-button:hover .vjs-menu { display: none; } .vjs-menu li { list-style: none; margin: 0; padding: 0.2em 0; line-height: 1.4em; font-size: 1.2em; text-align: center; text-transform: lowercase; } .vjs-menu li.vjs-menu-item:focus, .vjs-menu li.vjs-menu-item:hover { background-color: #73859f; background-color: rgba(115, 133, 159, 0.5); } .vjs-menu li.vjs-selected { background-color: #fff; color: #2B333F; } .vjs-menu li.vjs-selected:focus, .vjs-menu li.vjs-selected:hover { background-color: #fff; color: #2B333F; } .vjs-menu li.vjs-menu-title { text-align: center; text-transform: uppercase; font-size: 1em; line-height: 2em; padding: 0; margin: 0 0 0.3em 0; font-weight: bold; cursor: default; } .vjs-menu-button-popup .vjs-menu { display: none; position: absolute; bottom: 0; width: 10em; left: -3em; height: 0em; margin-bottom: 1.5em; border-top-color: rgba(43, 51, 63, 0.7); } .vjs-menu-button-popup .vjs-menu .vjs-menu-content { background-color: #2B333F; background-color: rgba(43, 51, 63, 0.7); position: absolute; width: 100%; bottom: 1.5em; max-height: 15em; } .vjs-workinghover .vjs-menu-button-popup:hover .vjs-menu, .vjs-menu-button-popup .vjs-menu.vjs-lock-showing { display: block; } .video-js .vjs-menu-button-inline { transition: all 0.4s; overflow: hidden; } .video-js .vjs-menu-button-inline:before { width: 2.222222222em; } .video-js .vjs-menu-button-inline:hover, .video-js .vjs-menu-button-inline:focus, .video-js .vjs-menu-button-inline.vjs-slider-active { width: 12em; } .video-js.vjs-no-flex .vjs-menu-button-inline { width: 12em; } .vjs-menu-button-inline .vjs-menu { opacity: 0; height: 100%; width: auto; position: absolute; left: 4em; top: 0; padding: 0; margin: 0; transition: all 0.4s; } .vjs-menu-button-inline:hover .vjs-menu, .vjs-menu-button-inline:focus .vjs-menu, .vjs-menu-button-inline.vjs-slider-active .vjs-menu { display: block; opacity: 1; } .vjs-no-flex .vjs-menu-button-inline .vjs-menu { display: block; opacity: 1; position: relative; width: auto; } .vjs-no-flex .vjs-menu-button-inline:hover .vjs-menu, .vjs-no-flex .vjs-menu-button-inline:focus .vjs-menu, .vjs-no-flex .vjs-menu-button-inline.vjs-slider-active .vjs-menu { width: auto; } .vjs-menu-button-inline .vjs-menu-content { width: auto; height: 100%; margin: 0; overflow: hidden; } .video-js .vjs-control-bar { width: 100%; margin-top: -2px; display: -webkit-box; display: -ms-flexbox; display: flex; height: 47px; color: #ffffff; background: #2c3e50; border-bottom-right-radius: 6px; border-bottom-left-radius: 6px; } .vjs-has-started .vjs-control-bar { display: -webkit-box; display: -ms-flexbox; display: flex; visibility: visible; opacity: 1; transition: visibility 0.1s, opacity 0.1s; } .vjs-has-started.vjs-user-inactive.vjs-playing .vjs-control-bar { visibility: visible; opacity: 0; transition: visibility 1s, opacity 1s; } .vjs-controls-disabled .vjs-control-bar, .vjs-using-native-controls .vjs-control-bar, .vjs-error .vjs-control-bar { display: none !important; } .vjs-audio.vjs-has-started.vjs-user-inactive.vjs-playing .vjs-control-bar { opacity: 1; visibility: visible; } .vjs-has-started.vjs-no-flex .vjs-control-bar { display: table; } .video-js .vjs-control { position: relative; text-align: center; margin: 0; padding: 0; height: 100%; width: 18px; -webkit-box-flex: none; -ms-flex: none; flex: none; } .vjs-button > .vjs-icon-placeholder:before { font-size: 1.8em; line-height: 1.67; } .video-js .vjs-control:focus:before, .video-js .vjs-control:hover:before, .video-js .vjs-control:focus { text-shadow: 0em 0em 1em white; } .video-js .vjs-control-text { border: 0; clip: rect(0 0 0 0); height: 1px; overflow: hidden; padding: 0; position: absolute; width: 1px; } .vjs-no-flex .vjs-control { display: table-cell; vertical-align: middle; } .video-js .vjs-custom-control-spacer { display: none; } .video-js .vjs-progress-control { cursor: pointer; -webkit-box-flex: auto; -ms-flex: auto; flex: auto; display: -webkit-box; display: -ms-flexbox; display: flex; -webkit-box-align: center; -ms-flex-align: center; align-items: center; min-width: 4em; } .vjs-live .vjs-progress-control { display: none; } .vjs-no-flex .vjs-progress-control { width: auto; } .video-js .vjs-progress-holder { -webkit-box-flex: 1; -ms-flex: auto; flex: auto; transition: all 0.2s; height: 12px; } .video-js .vjs-progress-control .vjs-progress-holder { margin: 0 10px; } .video-js .vjs-progress-holder .vjs-play-progress { position: absolute; display: block; height: 100%; margin: 0; padding: 0; width: 0; left: 0; top: 0; } .video-js .vjs-progress-holder .vjs-load-progress { position: absolute; display: block; height: 100%; margin: 0; padding: 0; width: 0; left: 0; top: 0; } .video-js .vjs-progress-holder .vjs-load-progress div { position: absolute; display: block; height: 100%; margin: 0; padding: 0; width: 0; left: 0; top: 0; } .video-js .vjs-play-progress { background: #1abc9c; border-radius: 32px; border-bottom-right-radius: 0; border-top-right-radius: 0; } .video-js .vjs-play-progress:before { font-size: 0.9em; position: absolute; top: -0.333333333333333em; z-index: 1; } .video-js .vjs-load-progress { background: #d6dbdf; border-radius: 32px; } .video-js .vjs-load-progress div { background: #d6dbdf; border-radius: 32px; } .video-js .vjs-time-tooltip { background-color: #fff; background-color: rgba(255, 255, 255, 0.8); border-radius: 0.3em; color: #000; float: right; font-family: Arial, Helvetica, sans-serif; font-size: 1em; padding: 6px 8px 8px 8px; pointer-events: none; position: relative; top: -3.4em; visibility: hidden; z-index: 1; } .video-js .vjs-progress-holder:focus .vjs-time-tooltip { display: none; } .video-js .vjs-progress-control:hover .vjs-time-tooltip, .video-js .vjs-progress-control:hover .vjs-progress-holder:focus .vjs-time-tooltip { display: block; font-size: 0.6em; visibility: visible; } .video-js .vjs-progress-control .vjs-mouse-display { display: none; position: absolute; width: 1px; height: 100%; background-color: #000; z-index: 1; } .vjs-no-flex .vjs-progress-control .vjs-mouse-display { z-index: 0; } .video-js .vjs-progress-control:hover .vjs-mouse-display { display: block; } .video-js.vjs-user-inactive .vjs-progress-control .vjs-mouse-display { visibility: hidden; opacity: 0; transition: visibility 1s, opacity 1s; } .video-js.vjs-user-inactive.vjs-no-flex .vjs-progress-control .vjs-mouse-display { display: none; } .vjs-mouse-display .vjs-time-tooltip { color: #fff; background-color: #000; background-color: rgba(0, 0, 0, 0.8); } .video-js .vjs-slider { position: relative; cursor: pointer; padding: 0; margin: 0 0.45em 0 0.45em; -webkit-user-select: none; -moz-user-select: none; -ms-user-select: none; user-select: none; background-color: #425669; border-radius: 32px; } .video-js .vjs-slider:focus { text-shadow: 0em 0em 1em white; box-shadow: 0 0 1em #fff; } .video-js .vjs-mute-control { cursor: pointer; -webkit-box-flex: 0; -ms-flex: none; flex: none; height: 47px; color: #475d72; } .video-js .vjs-volume-control { cursor: pointer; margin-right: 1em; display: -webkit-box; display: -ms-flexbox; display: flex; } .video-js .vjs-volume-control.vjs-volume-horizontal { width: 5em; } .video-js .vjs-volume-panel .vjs-volume-control { display: none; } .vjs-no-flex .vjs-volume-panel .vjs-volume-control.vjs-volume-vertical { -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=0)"; } .vjs-no-flex .vjs-volume-panel .vjs-volume-control.vjs-volume-vertical .vjs-volume-bar, .vjs-no-flex .vjs-volume-panel .vjs-volume-control.vjs-volume-vertical .vjs-volume-level { -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=0)"; } .video-js .vjs-volume-panel { transition: width 1s; } .video-js .vjs-volume-panel:hover .vjs-volume-control, .video-js .vjs-volume-panel:active .vjs-volume-control, .video-js .vjs-volume-panel:focus .vjs-volume-control { visibility: visible; opacity: 1; position: relative; transition: visibility 0.1s, opacity 0.1s, height 0.1s, width 0.1s, left 0s, top 0s; } .video-js .vjs-volume-panel .vjs-volume-control:hover, .video-js .vjs-volume-panel .vjs-volume-control:active, .video-js .vjs-volume-panel .vjs-volume-control:focus { visibility: visible; opacity: 1; position: relative; transition: visibility 0.1s, opacity 0.1s, height 0.1s, width 0.1s, left 0s, top 0s; } .video-js .vjs-volume-panel .vjs-mute-control:hover ~ .vjs-volume-control, .video-js .vjs-volume-panel .vjs-mute-control:active ~ .vjs-volume-control, .video-js .vjs-volume-panel .vjs-mute-control:focus ~ .vjs-volume-control { visibility: visible; opacity: 1; position: relative; transition: visibility 0.1s, opacity 0.1s, height 0.1s, width 0.1s, left 0s, top 0s; } .video-js .vjs-volume-panel .vjs-volume-control.vjs-slider-active { visibility: visible; opacity: 1; position: relative; transition: visibility 0.1s, opacity 0.1s, height 0.1s, width 0.1s, left 0s, top 0s; } .video-js .vjs-volume-panel:hover .vjs-volume-control.vjs-volume-horizontal, .video-js .vjs-volume-panel:active .vjs-volume-control.vjs-volume-horizontal, .video-js .vjs-volume-panel:focus .vjs-volume-control.vjs-volume-horizontal { width: 5em; height: 47px; } .video-js .vjs-volume-panel .vjs-volume-control:hover.vjs-volume-horizontal, .video-js .vjs-volume-panel .vjs-volume-control:active.vjs-volume-horizontal, .video-js .vjs-volume-panel .vjs-volume-control:focus.vjs-volume-horizontal { width: 5em; height: 47px; } .video-js .vjs-volume-panel .vjs-mute-control:hover ~ .vjs-volume-control.vjs-volume-horizontal, .video-js .vjs-volume-panel .vjs-mute-control:active ~ .vjs-volume-control.vjs-volume-horizontal, .video-js .vjs-volume-panel .vjs-mute-control:focus ~ .vjs-volume-control.vjs-volume-horizontal { width: 5em; height: 47px; } .video-js .vjs-volume-panel .vjs-volume-control.vjs-slider-active.vjs-volume-horizontal { width: 5em; height: 47px; } .video-js .vjs-volume-panel:hover .vjs-volume-control.vjs-volume-vertical, .video-js .vjs-volume-panel:active .vjs-volume-control.vjs-volume-vertical, .video-js .vjs-volume-panel:focus .vjs-volume-control.vjs-volume-vertical { -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"; } .video-js .vjs-volume-panel .vjs-volume-control:hover.vjs-volume-vertical, .video-js .vjs-volume-panel .vjs-volume-control:active.vjs-volume-vertical, .video-js .vjs-volume-panel .vjs-volume-control:focus.vjs-volume-vertical { -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"; } .video-js .vjs-volume-panel .vjs-mute-control:hover ~ .vjs-volume-control.vjs-volume-vertical, .video-js .vjs-volume-panel .vjs-mute-control:active ~ .vjs-volume-control.vjs-volume-vertical, .video-js .vjs-volume-panel .vjs-mute-control:focus ~ .vjs-volume-control.vjs-volume-vertical { -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"; } .video-js .vjs-volume-panel .vjs-volume-control.vjs-slider-active.vjs-volume-vertical { -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"; } .video-js .vjs-volume-panel:hover .vjs-volume-control.vjs-volume-vertical .vjs-volume-bar, .video-js .vjs-volume-panel:hover .vjs-volume-control.vjs-volume-vertical .vjs-volume-level { -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"; } .video-js .vjs-volume-panel:active .vjs-volume-control.vjs-volume-vertical .vjs-volume-bar, .video-js .vjs-volume-panel:active .vjs-volume-control.vjs-volume-vertical .vjs-volume-level { -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"; } .video-js .vjs-volume-panel:focus .vjs-volume-control.vjs-volume-vertical .vjs-volume-bar, .video-js .vjs-volume-panel:focus .vjs-volume-control.vjs-volume-vertical .vjs-volume-level { -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"; } .video-js .vjs-volume-panel .vjs-volume-control:hover.vjs-volume-vertical .vjs-volume-bar, .video-js .vjs-volume-panel .vjs-volume-control:hover.vjs-volume-vertical .vjs-volume-level { -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"; } .video-js .vjs-volume-panel .vjs-volume-control:active.vjs-volume-vertical .vjs-volume-bar, .video-js .vjs-volume-panel .vjs-volume-control:active.vjs-volume-vertical .vjs-volume-level { -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"; } .video-js .vjs-volume-panel .vjs-volume-control:focus.vjs-volume-vertical .vjs-volume-bar, .video-js .vjs-volume-panel .vjs-volume-control:focus.vjs-volume-vertical .vjs-volume-level { -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"; } .video-js .vjs-volume-panel .vjs-mute-control:hover ~ .vjs-volume-control.vjs-volume-vertical .vjs-volume-bar, .video-js .vjs-volume-panel .vjs-mute-control:hover ~ .vjs-volume-control.vjs-volume-vertical .vjs-volume-level { -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"; } .video-js .vjs-volume-panel .vjs-mute-control:active ~ .vjs-volume-control.vjs-volume-vertical .vjs-volume-bar, .video-js .vjs-volume-panel .vjs-mute-control:active ~ .vjs-volume-control.vjs-volume-vertical .vjs-volume-level { -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"; } .video-js .vjs-volume-panel .vjs-mute-control:focus ~ .vjs-volume-control.vjs-volume-vertical .vjs-volume-bar, .video-js .vjs-volume-panel .vjs-mute-control:focus ~ .vjs-volume-control.vjs-volume-vertical .vjs-volume-level { -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"; } .video-js .vjs-volume-panel .vjs-volume-control.vjs-slider-active.vjs-volume-vertical .vjs-volume-bar, .video-js .vjs-volume-panel .vjs-volume-control.vjs-slider-active.vjs-volume-vertical .vjs-volume-level { -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"; } .video-js .vjs-volume-panel .vjs-volume-control.vjs-volume-vertical { height: 8em; width: 3em; left: -3.5em; transition: visibility 1s, opacity 1s, height 1s 1s, width 1s 1s, left 1s 1s, top 1s 1s; } .video-js .vjs-volume-panel .vjs-volume-control.vjs-volume-horizontal { transition: visibility 1s, opacity 1s, height 1s 1s, width 1s, left 1s 1s, top 1s 1s; } .video-js.vjs-no-flex .vjs-volume-panel .vjs-volume-control.vjs-volume-horizontal { width: 5em; height: 3em; visibility: visible; opacity: 1; position: relative; transition: none; } .video-js.vjs-no-flex .vjs-volume-control.vjs-volume-vertical, .video-js.vjs-no-flex .vjs-volume-panel .vjs-volume-control.vjs-volume-vertical { position: absolute; bottom: 3em; left: 0.5em; } .video-js .vjs-volume-panel { display: -webkit-box; display: -ms-flexbox; display: flex; -webkit-box-ordinal-group: 3; -ms-flex-order: 2; order: 2; } .video-js .vjs-volume-bar { margin: 1.35em 0.45em; } .vjs-volume-bar.vjs-slider-horizontal { width: 5em; height: 0.3em; position: absolute; top: 50%; margin: 0; -webkit-transform: translatey(-50%); transform: translatey(-50%); } .vjs-volume-bar.vjs-slider-vertical { width: 0.3em; height: 5em; margin: 1.35em auto; } .video-js .vjs-volume-level { position: absolute; bottom: 0; left: 0; background-color: #fff; } .video-js .vjs-volume-level:before { position: absolute; font-size: 0.9em; } .vjs-slider-vertical .vjs-volume-level { width: 0.3em; } .vjs-slider-vertical .vjs-volume-level:before { top: -0.5em; left: -0.3em; } .vjs-slider-horizontal .vjs-volume-level { height: 0.3em; } .vjs-slider-horizontal .vjs-volume-level:before { top: 50%; right: -0.5em; -webkit-transform: translatey(-50%); transform: translatey(-50%); } .video-js .vjs-volume-panel.vjs-volume-panel-vertical { width: 4em; } .vjs-volume-bar.vjs-slider-vertical .vjs-volume-level { height: 100%; } .vjs-volume-bar.vjs-slider-horizontal .vjs-volume-level { width: 100%; } .video-js .vjs-volume-vertical { width: 3em; height: 8em; bottom: 8em; background-color: #2B333F; background-color: rgba(43, 51, 63, 0.7); } .video-js .vjs-volume-horizontal .vjs-menu { left: -2em; } .vjs-poster { display: inline-block; vertical-align: middle; background-repeat: no-repeat; background-position: 50% 50%; background-size: contain; background-color: #000000; cursor: pointer; margin: 0; padding: 0; position: absolute; top: 0; right: 0; bottom: 0; left: 0; height: 100%; display: none; } .vjs-poster img { display: block; vertical-align: middle; margin: 0 auto; max-height: 100%; padding: 0; width: 100%; } .vjs-has-started .vjs-poster { display: none; } .vjs-audio.vjs-has-started .vjs-poster { display: block; } .vjs-using-native-controls .vjs-poster { display: none; } .video-js .vjs-live-control { display: -webkit-box; display: -ms-flexbox; display: flex; -webkit-box-align: flex-start; -ms-flex-align: flex-start; align-items: flex-start; -webkit-box-flex: auto; -ms-flex: auto; flex: auto; font-size: 1em; line-height: 3em; } .vjs-no-flex .vjs-live-control { display: table-cell; width: auto; text-align: left; } .video-js .vjs-time-control { -webkit-box-flex: 0; -ms-flex: none; flex: none; width: auto; padding-left: 2px; padding-right: 2px; -webkit-box-ordinal-group: 2; -ms-flex-order: 1; order: 1; } .video-js .vjs-time-control * { font-family: "Lato", Helvetica, Arial, sans-serif; font-weight: 300; font-size: 13px; line-height: 47px; } .vjs-live .vjs-time-control, .video-js .vjs-remaining-time { display: none; } .vjs-no-flex .vjs-current-time { display: none; } .vjs-no-flex .vjs-remaining-time.vjs-time-control.vjs-control { width: 0px !important; white-space: nowrap; } .video-js .vjs-time-divider, .video-js .vjs-duration { color: #5d6d7e; } .video-js .vjs-duration { margin-right: 20px; } .vjs-live .vjs-time-divider { display: none; } .video-js .vjs-play-control { display: block; height: 47px; width: 58px; } .video-js .vjs-play-control .vjs-icon-placeholder { cursor: pointer; -webkit-box-flex: 0; -ms-flex: none; flex: none; } .vjs-text-track-display { position: absolute; bottom: 3em; left: 0; right: 0; top: 0; pointer-events: none; } .video-js.vjs-user-inactive.vjs-playing .vjs-text-track-display { bottom: 1em; } .video-js .vjs-text-track { font-size: 1.4em; text-align: center; margin-bottom: 0.1em; background-color: #000; background-color: rgba(0, 0, 0, 0.5); } .vjs-subtitles { color: #fff; } .vjs-captions { color: #fc6; } .vjs-tt-cue { display: block; } video::-webkit-media-text-track-display { -webkit-transform: translateY(-3em); transform: translateY(-3em); } .video-js.vjs-user-inactive.vjs-playing video::-webkit-media-text-track-display { -webkit-transform: translateY(-1.5em); transform: translateY(-1.5em); } .video-js .vjs-fullscreen-control { cursor: pointer; -webkit-box-flex: 0; -ms-flex: none; flex: none; -webkit-box-ordinal-group: 3; -ms-flex-order: 2; order: 2; width: 48px; } .vjs-playback-rate > .vjs-menu-button { position: absolute; top: 0; left: 0; width: 100%; height: 100%; } .vjs-playback-rate .vjs-playback-rate-value { position: absolute; top: 0; left: 0; width: 100%; height: 100%; pointer-events: none; font-size: 1.5em; line-height: 2; text-align: center; } .vjs-playback-rate .vjs-menu { width: 4em; left: 0em; } .vjs-error .vjs-error-display .vjs-modal-dialog-content { font-size: 1.4em; text-align: center; } .vjs-error .vjs-error-display:before { color: #fff; content: 'X'; font-family: Arial, Helvetica, sans-serif; font-size: 4em; left: 0; line-height: 1; margin-top: -0.5em; position: absolute; text-shadow: 0.05em 0.05em 0.1em #000; text-align: center; top: 50%; vertical-align: middle; width: 100%; } .vjs-loading-spinner { display: none; position: absolute; top: 50%; left: 50%; margin: -25px 0 0 -25px; opacity: 0.85; text-align: left; border: 6px solid rgba(43, 51, 63, 0.7); box-sizing: border-box; background-clip: padding-box; width: 50px; height: 50px; border-radius: 25px; } .vjs-seeking .vjs-loading-spinner, .vjs-waiting .vjs-loading-spinner { display: block; } .vjs-loading-spinner:before, .vjs-loading-spinner:after { content: ""; position: absolute; margin: -6px; box-sizing: inherit; width: inherit; height: inherit; border-radius: inherit; opacity: 1; border: inherit; border-color: transparent; border-top-color: white; } .vjs-seeking .vjs-loading-spinner:before, .vjs-seeking .vjs-loading-spinner:after { -webkit-animation: vjs-spinner-spin 1.1s cubic-bezier(0.6, 0.2, 0, 0.8) infinite, vjs-spinner-fade 1.1s linear infinite; animation: vjs-spinner-spin 1.1s cubic-bezier(0.6, 0.2, 0, 0.8) infinite, vjs-spinner-fade 1.1s linear infinite; } .vjs-waiting .vjs-loading-spinner:before, .vjs-waiting .vjs-loading-spinner:after { -webkit-animation: vjs-spinner-spin 1.1s cubic-bezier(0.6, 0.2, 0, 0.8) infinite, vjs-spinner-fade 1.1s linear infinite; animation: vjs-spinner-spin 1.1s cubic-bezier(0.6, 0.2, 0, 0.8) infinite, vjs-spinner-fade 1.1s linear infinite; } .vjs-seeking .vjs-loading-spinner:before, .vjs-waiting .vjs-loading-spinner:before { border-top-color: white; } .vjs-seeking .vjs-loading-spinner:after, .vjs-waiting .vjs-loading-spinner:after { border-top-color: white; -webkit-animation-delay: 0.44s; animation-delay: 0.44s; } @keyframes vjs-spinner-spin { 100% { -webkit-transform: rotate(360deg); transform: rotate(360deg); } } @-webkit-keyframes vjs-spinner-spin { 100% { -webkit-transform: rotate(360deg); } } @keyframes vjs-spinner-fade { 0% { border-top-color: #73859f; } 20% { border-top-color: #73859f; } 35% { border-top-color: white; } 60% { border-top-color: #73859f; } 100% { border-top-color: #73859f; } } @-webkit-keyframes vjs-spinner-fade { 0% { border-top-color: #73859f; } 20% { border-top-color: #73859f; } 35% { border-top-color: white; } 60% { border-top-color: #73859f; } 100% { border-top-color: #73859f; } } .vjs-chapters-button .vjs-menu ul { width: 24em; } .video-js .vjs-subs-caps-button + .vjs-menu .vjs-captions-menu-item .vjs-menu-item-text .vjs-icon-placeholder { position: absolute; } .video-js .vjs-subs-caps-button + .vjs-menu .vjs-captions-menu-item .vjs-menu-item-text .vjs-icon-placeholder:before { content: "\f10d"; font-size: 1.5em; line-height: inherit; } .video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-custom-control-spacer { -webkit-box-flex: auto; -ms-flex: auto; flex: auto; } .video-js.vjs-layout-tiny:not(.vjs-fullscreen).vjs-no-flex .vjs-custom-control-spacer { width: auto; } .video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-current-time, .video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-time-divider, .video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-duration, .video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-remaining-time, .video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-playback-rate, .video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-progress-control, .video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-mute-control, .video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-volume-control, .video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-chapters-button, .video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-descriptions-button, .video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-captions-button, .video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-subtitles-button, .video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-audio-button { display: none; } .video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-current-time, .video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-time-divider, .video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-duration, .video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-remaining-time, .video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-playback-rate, .video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-mute-control, .video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-volume-control, .video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-chapters-button, .video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-descriptions-button, .video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-captions-button, .video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-subtitles-button, .video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-audio-button { display: none; } .video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-current-time, .video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-time-divider, .video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-duration, .video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-remaining-time, .video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-playback-rate, .video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-mute-control, .video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-volume-control, .video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-chapters-button, .video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-descriptions-button, .video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-captions-button, .video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-subtitles-button .vjs-audio-button { display: none; } .vjs-modal-dialog.vjs-text-track-settings { background-color: #2B333F; background-color: rgba(43, 51, 63, 0.75); color: #fff; height: 70%; } .vjs-text-track-settings .vjs-modal-dialog-content { display: table; } .vjs-text-track-settings .vjs-track-settings-colors, .vjs-text-track-settings .vjs-track-settings-font { display: table-cell; } .vjs-text-track-settings .vjs-track-settings-controls { display: table-cell; text-align: right; vertical-align: bottom; } .vjs-text-track-settings fieldset { margin: 5px; padding: 3px; border: none; } .vjs-text-track-settings fieldset span { display: inline-block; margin-left: 5px; } .vjs-text-track-settings legend { color: #fff; margin: 0 0 5px 0; } .vjs-text-track-settings .vjs-label { position: absolute; clip: rect(1px 1px 1px 1px); clip: rect(1px, 1px, 1px, 1px); display: block; margin: 0 0 5px 0; padding: 0; border: 0; height: 1px; width: 1px; overflow: hidden; } .vjs-track-settings-controls button { background-color: #fff; background-image: linear-gradient(-180deg, #fff 88%, #73859f 100%); color: #2B333F; cursor: pointer; border-radius: 2px; } .vjs-track-settings-controls button:focus, .vjs-track-settings-controls button:active { outline-style: solid; outline-width: medium; background-image: linear-gradient(0deg, #fff 88%, #73859f 100%); } .vjs-track-settings-controls button:hover { color: rgba(43, 51, 63, 0.75); } .vjs-track-settings-controls .vjs-default-button { margin-right: 1em; } @media print { .video-js > *:not(.vjs-tech):not(.vjs-poster) { visibility: hidden; } } @media \0screen { .vjs-user-inactive.vjs-playing .vjs-control-bar :before { content: ""; } } @media \0screen { .vjs-has-started.vjs-user-inactive.vjs-playing .vjs-control-bar { visibility: hidden; } } .todo { color: #798795; margin-bottom: 20px; border-radius: 6px; } .todo ul { background-color: #2c3e50; margin: 0; padding: 0; list-style-type: none; border-radius: 0 0 6px 6px; } .todo li { background: #34495e; background-size: 20px 20px; cursor: pointer; font-size: 14px; line-height: 1.214; margin-top: 2px; padding: 18px 42px 21px 25px; position: relative; transition: .25s; } .todo li:first-child { margin-top: 0; } .todo li:last-child { border-radius: 0 0 6px 6px; padding-bottom: 21px; } .todo li.todo-done { background: transparent; color: #1abc9c; } .todo li.todo-done .todo-name { color: #1abc9c; } .todo li:after { content: " "; display: block; width: 20px; height: 20px; position: absolute; top: 50%; right: 22px; margin-top: -10px; background: white; border-radius: 50%; } .todo li.todo-done:after { content: "\e60a"; font-family: 'Flat-UI-Pro-Icons'; text-align: center; font-size: 12px; line-height: 21px; font-style: normal; font-weight: normal; font-variant: normal; text-transform: none; -webkit-font-smoothing: antialiased; -moz-osx-font-smoothing: grayscale; background: #1abc9c; color: #2c3e50; } .todo-search { position: relative; background: #1abc9c; background-size: 16px 16px; border-radius: 6px 6px 0 0; color: #34495e; padding: 19px 25px 20px; } .todo-search:before { position: absolute; font-family: 'Flat-UI-Pro-Icons'; content: "\e630"; font-size: 16px; line-height: 17px; display: inline-block; top: 50%; left: 92%; margin: -0.5em 0 0 -1em; } input.todo-search-field { background: none; border: none; color: #34495e; font-size: 19px; font-weight: 700; margin: 0; line-height: 23px; padding: 5px 0; text-indent: 0; box-shadow: none; outline: none; } input.todo-search-field::-moz-placeholder { color: #34495e; opacity: 1; } input.todo-search-field:-ms-input-placeholder { color: #34495e; } input.todo-search-field::-webkit-input-placeholder { color: #34495e; } .todo-icon { float: left; font-size: 24px; padding: 11px 22px 0 0; } .todo-content { padding-top: 1px; overflow: hidden; } .todo-name { color: white; font-size: 17px; margin: 1px 0 3px; } .login { background: url(../images/login/imac.png) 0 0 no-repeat; background-size: 940px 778px; color: white; margin-bottom: 77px; padding: 38px 38px 267px; position: relative; } .login-screen { background-color: #1abc9c; min-height: 473px; padding: 123px 199px 33px 306px; } .login-icon { left: 200px; position: absolute; top: 160px; width: 96px; } .login-icon > img { display: block; margin-bottom: 6px; width: 100%; } .login-icon > h4 { font-size: 17px; font-weight: 300; line-height: 34px; opacity: .95; } .login-icon > h4 small { color: inherit; display: block; font-size: inherit; font-weight: 700; } .login-form { background-color: #edeff1; padding: 24px 23px 20px; position: relative; border-radius: 6px; } .login-form .control-group { margin-bottom: 6px; position: relative; } .login-form .login-field { border-color: transparent; font-size: 17px; text-indent: 3px; } .login-form .login-field:focus { border-color: #1abc9c; } .login-form .login-field:focus + .login-field-icon { color: #1abc9c; } .login-form .login-field-icon { color: #bfc9ca; font-size: 16px; position: absolute; right: 15px; top: 3px; transition: all .25s; } .login-link { color: #bfc9ca; display: block; font-size: 13px; margin-top: 15px; text-align: center; } @media only screen and (-webkit-min-device-pixel-ratio: 2), only screen and (-webkit-min-device-pixel-ratio: 1.5), only screen and (-moz-min-device-pixel-ratio: 2), only screen and (-o-min-device-pixel-ratio: 3 / 2), only screen and (-o-min-device-pixel-ratio: 2 / 1), only screen and (-moz-min-device-pixel-ratio: 1.5), only screen and (min-device-pixel-ratio: 1.5), only screen and (min-device-pixel-ratio: 2) { .login { background-image: url(../images/login/imac-2x.png); } } .pallete-item { width: 140px; float: left; margin: 0 0 20px 20px; } .palette { font-size: 14px; line-height: 1.214; color: white; margin: 0; padding: 15px; text-transform: uppercase; } .palette dt, .palette dd { line-height: 1.429; } .palette dt { display: block; font-weight: bold; opacity: .8; } .palette dd { font-weight: 300; margin-left: 0; opacity: .8; -webkit-font-smoothing: subpixel-antialiased; } .palette-turquoise { background-color: #1abc9c; } .palette-green-sea { background-color: #16a085; } .palette-emerald { background-color: #2ecc71; } .palette-nephritis { background-color: #27ae60; } .palette-peter-river { background-color: #3498db; } .palette-belize-hole { background-color: #2980b9; } .palette-amethyst { background-color: #9b59b6; } .palette-wisteria { background-color: #8e44ad; } .palette-wet-asphalt { background-color: #34495e; } .palette-midnight-blue { background-color: #2c3e50; } .palette-sun-flower { background-color: #f1c40f; } .palette-orange { background-color: #f39c12; } .palette-carrot { background-color: #e67e22; } .palette-pumpkin { background-color: #d35400; } .palette-alizarin { background-color: #e74c3c; } .palette-pomegranate { background-color: #c0392b; } .palette-clouds { background-color: #ecf0f1; } .palette-silver { background-color: #bdc3c7; } .palette-concrete { background-color: #95a5a6; } .palette-asbestos { background-color: #7f8c8d; } .palette-clouds { color: #bdc3c7; } .palette-paragraph { color: #7f8c8d; font-size: 12px; line-height: 17px; } .palette-paragraph span { color: #bdc3c7; } .palette-headline { color: #7f8c8d; font-size: 13px; font-weight: 700; margin-top: -3px; } .share { background-color: #eff0f2; position: relative; border-radius: 6px; } .share ul { list-style-type: none; margin: 0; padding: 15px; } .share li { font-size: 15px; line-height: 1.4; padding-top: 11px; } .share li:before, .share li:after { content: " "; display: table; } .share li:after { clear: both; } .share li:first-child { padding-top: 0; } .share .toggle { float: right; margin: 0; } .share .btn { border-top-right-radius: 0; border-top-left-radius: 0; } .share-label { float: left; font-size: 15px; line-height: 1.4; padding-top: 5px; width: 50%; } footer { background-color: #edeff1; color: #bac1c8; font-size: 15px; padding: 0; } footer a { color: #9aa4af; font-weight: 700; } footer p { font-size: 15px; line-height: 20px; margin-bottom: 10px; } .footer-title { margin: 0 0 22px; padding-top: 21px; font-size: 24px; line-height: 40px; } .footer-brand { display: block; margin-bottom: 26px; width: 220px; } .footer-brand img { width: 216px; } .footer-banner { background-color: #1abc9c; color: #d1f2eb; margin-left: 42px; min-height: 316px; padding: 0 30px 30px; } .footer-banner .footer-title { color: white; } .footer-banner a { color: #b7f5e9; text-decoration: underline; } .footer-banner a:hover { text-decoration: none; } .footer-banner ul { list-style-type: none; margin: 0 0 26px; padding: 0; } .footer-banner ul li { border-top: 1px solid #1bc5a3; line-height: 19px; padding: 6px 0; } .footer-banner ul li:first-child { border-top: none; padding-top: 1px; } .last-col { overflow: hidden; } .ptn, .pvn, .pan { padding-top: 0 !important; } .ptx, .pvx, .pax { padding-top: 3px !important; } .pts, .pvs, .pas { padding-top: 5px !important; } .ptm, .pvm, .pam { padding-top: 10px !important; } .ptl, .pvl, .pal { padding-top: 20px !important; } .pth, .pvh, .pah { padding-top: 40px !important; } .prn, .phn, .pan { padding-right: 0 !important; } .prx, .phx, .pax { padding-right: 3px !important; } .prs, .phs, .pas { padding-right: 5px !important; } .prm, .phm, .pam { padding-right: 10px !important; } .prl, .phl, .pal { padding-right: 20px !important; } .prh, .phh, .pah { padding-right: 40px !important; } .pbn, .pvn, .pan { padding-bottom: 0 !important; } .pbx, .pvx, .pax { padding-bottom: 3px !important; } .pbs, .pvs, .pas { padding-bottom: 5px !important; } .pbm, .pvm, .pam { padding-bottom: 10px !important; } .pbl, .pvl, .pal { padding-bottom: 20px !important; } .pbh, .pvh, .pah { padding-bottom: 40px !important; } .pln, .phn, .pan { padding-left: 0 !important; } .plx, .phx, .pax { padding-left: 3px !important; } .pls, .phs, .pas { padding-left: 5px !important; } .plm, .phm, .pam { padding-left: 10px !important; } .pll, .phl, .pal { padding-left: 20px !important; } .plh, .phh, .pah { padding-left: 40px !important; } .mtn, .mvn, .man { margin-top: 0 !important; } .mtx, .mvx, .max { margin-top: 3px !important; } .mts, .mvs, .mas { margin-top: 5px !important; } .mtm, .mvm, .mam { margin-top: 10px !important; } .mtl, .mvl, .mal { margin-top: 20px !important; } .mth, .mvh, .mah { margin-top: 40px !important; } .mrn, .mhn, .man { margin-right: 0 !important; } .mrx, .mhx, .max { margin-right: 3px !important; } .mrs, .mhs, .mas { margin-right: 5px !important; } .mrm, .mhm, .mam { margin-right: 10px !important; } .mrl, .mhl, .mal { margin-right: 20px !important; } .mrh, .mhh, .mah { margin-right: 40px !important; } .mbn, .mvn, .man { margin-bottom: 0 !important; } .mbx, .mvx, .max { margin-bottom: 3px !important; } .mbs, .mvs, .mas { margin-bottom: 5px !important; } .mbm, .mvm, .mam { margin-bottom: 10px !important; } .mbl, .mvl, .mal { margin-bottom: 20px !important; } .mbh, .mvh, .mah { margin-bottom: 40px !important; } .mln, .mhn, .man { margin-left: 0 !important; } .mlx, .mhx, .max { margin-left: 3px !important; } .mls, .mhs, .mas { margin-left: 5px !important; } .mlm, .mhm, .mam { margin-left: 10px !important; } .mll, .mhl, .mal { margin-left: 20px !important; } .mlh, .mhh, .mah { margin-left: 40px !important; } /*! Source: path_to_url */ @media print { .btn { border-style: solid; border-width: 2px; } .dropdown-menu, .select2-drop, .ui-datepicker, .ui-timepicker-wrapper, .tt-dropdown-menu { background: #fff !important; border: 2px solid #ddd; } .ui-datepicker .ui-datepicker-prev, .ui-datepicker .ui-datepicker-next { display: none; } .input-group-rounded .input-group-btn + .form-control, .input-group-rounded .select2-search .input-group-btn + input[type="text"], .select2-search .input-group-rounded .input-group-btn + input[type="text"], .input-group-rounded .input-group-btn + .select2-search input[type="text"] { padding-left: 10px; } .form-control, .select2-search input[type="text"] { border: 2px solid #ddd !important; } .popover, .nav-pills { border: 2px solid #ddd; } .popover .popover-title { border-bottom: 2px solid #ddd; } .bootstrap-switch { height: 33px; width: 84px; border: 2px solid #bdc3c7; } .ui-spinner-button, .tooltip { border: 2px solid #bdc3c7; } .carousel-caption { background: rgba(255, 255, 255, 0.8) !important; } .progress, .ui-slider, .ui-slider { background: #ddd !important; } .progress-bar, .ui-slider-range, .ui-slider-handle { background: #bdc3c7 !important; } .tile a:after { content: ""; } } ```
```c /*your_sha256_hash------------ * Description: Nb Demo Implementation * Author: Huawei LiteOS Team * Create: 2013-01-01 * Redistribution and use in source and binary forms, with or without modification, * are permitted provided that the following conditions are met: * 1. Redistributions of source code must retain the above copyright notice, this list of * conditions and the following disclaimer. * 2. Redistributions in binary form must reproduce the above copyright notice, this list * of conditions and the following disclaimer in the documentation and/or other materials * provided with the distribution. * 3. Neither the name of the copyright holder nor the names of its contributors may be used * to endorse or promote products derived from this software without specific prior written * permission. * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS * "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, * THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR * PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR * CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, * EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, * PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; * OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, * WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR * OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF * ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. * your_sha256_hash----------- */ #include <stdio.h> #include "nb_iot/los_nb_api.h" #define TELECON_IP "119.3.250.80" #define OCEAN_IP "139.159.140.34" #define SECURITY_PORT "5684" #define NON_SECURITY_PORT "5683" #define DEV_PSKID "868744031131026" #define DEV_PSK "d1e1be0c05ac5b8c78ce196412f0cdb0" void demo_nbiot_only(void) { #if defined(LOSCFG_COMPONENTS_NET_AT_BC95) && defined(LOSCFG_DEMOS_NBIOT_WITHOUT_ATINY) #if LOSCFG_DEMOS_NBIOT_DTLS sec_param_s sec; sec.setpsk = 1; sec.pskid = DEV_PSKID; sec.psk = DEV_PSK; #endif printf("\r\n====================================================="); printf("\r\nSTEP1: Init NB Module( NB Init )"); printf("\r\n=====================================================\r\n"); #if LOSCFG_DEMOS_NBIOT_DTLS los_nb_init((const int8_t *)TELECON_IP, (const int8_t *)SECURITY_PORT, &sec); #else los_nb_init((const int8_t *)TELECON_IP, (const int8_t *)NON_SECURITY_PORT, NULL); #endif #if defined(WITH_SOTA) extern void nb_sota_demo(void); nb_sota_demo(); #endif printf("\r\n====================================================="); printf("\r\nSTEP2: Register Command( NB Notify )"); printf("\r\n=====================================================\r\n"); printf("\r\n====================================================="); printf("\r\nSTEP3: Report Data to Server( NB Report )"); printf("\r\n=====================================================\r\n"); while (1) { los_nb_report("22", 2); // "22" is a random string, 2 is the string length LOS_TaskDelay(60000); } #else printf("Please checkout if open LOSCFG_COMPONNETS_NET_AT and select LOSCFG_COMPONENTS_NET_AT_BC95\n"); #endif } ```
Joe Salisbury and Neal Skupski were the defending champions, but Skupski chose to compete in Basel instead. Salisbury played alongside Rajeev Ram and successfully defended the title, defeating Łukasz Kubot and Marcelo Melo in the final, 6–4, 6–7(5–7), [10–5]. Seeds Draw Draw Qualifying Seeds Qualifiers Luke Bambridge / Ben McLachlan Lucky losers Frederik Nielsen / Tim Pütz Qualifying draw References External links Main draw Qualifying draw Erste Bank Open - Doubles Vienna Open
Apple SIM is a proprietary subscriber identity module (SIM) produced by Apple Inc. It is included in GPS + Cellular versions of iPad Air 2 and later, iPad mini 3 and later, and iPad Pro. The Apple SIM supports wireless services across multiple supported carriers, which can be selected from a user interface within iOS and iPadOS, removing the need to install a SIM provided by the carrier itself. While Apple did not acknowledge the feature whilst presenting the iPad models that ship with Apple SIM, promotional materials on its website discuss the feature as being geared toward users of short-term mobile Internet contracts across multiple carriers. Carriers supported by Apple SIM include AT&T, Verizon, T-Mobile US, EE, au, GigSky, Truphone, Three, and AlwaysOnline Wireless. Altogether these carriers provide coverage in 100+ countries. However, activating mobile services on AT&T will permanently lock the Apple SIM to AT&T, requiring the purchase of a new Apple SIM in order to use a different carrier. The Apple SIM is known as a Removable SIM with Remote Provisioning – it is a special SIM card that may be configured with different operator profiles. This is in contrast to an embedded SIM, which is not removable and may also be remotely provisioned. It appears that Apple has begun to include both types of SIM in their newer devices. Supported devices Source: Embedded Apple SIM The following devices have embedded Apple SIM (except China). iPad Pro 12.9-inch (2nd generation) (WiFi + Cellular) iPad Pro 10.5-inch (WiFi + Cellular) iPad Pro 9.7-inch (WiFi + Cellular) Apple SIM support The following devices support physical Apple SIM cards. iPad Pro 11-inch (3rd generation) (WiFi + Cellular) iPad Pro 11-inch (2nd-generation) (WiFi + Cellular) iPad Pro 11-inch (1st generation) (WiFi + Cellular) iPad Pro 12.9-inch (5th generation) (WiFi + Cellular) iPad Pro 12.9-inch (4th generation) (WiFi + Cellular) iPad Pro 12.9-inch (3rd generation) (WiFi + Cellular) iPad Pro 12.9-inch (2nd generation) (WiFi + Cellular) iPad Pro 12.9-inch (1st generation) (WiFi + Cellular) iPad Pro 10.5-inch (WiFi + Cellular) iPad Pro 9.7-inch (WiFi + Cellular) iPad (9th generation) (WiFi + Cellular) iPad (7th generation) (WiFi + Cellular) iPad (7th generation) (WiFi + Cellular) iPad (6th generation) (WiFi + Cellular) iPad (5th generation) (WiFi + Cellular) iPad Air (5th generation) (WiFi + Cellular) iPad Air (4th generation) (WiFi + Cellular) iPad Air (3rd generation) (WiFi + Cellular) iPad Air 2 (WiFi + Cellular) iPad mini (6th generation) (WiFi + Cellular) iPad mini (5th generation) (WiFi + Cellular) iPad mini 4 (WiFi + Cellular) iPad mini 3 (WiFi + Cellular) References External links Apple SIM (Official website) Apple Inc. hardware
The Roman Catholic Diocese of San José del Guaviare () is a diocese located in the city of San José del Guaviare in the Ecclesiastical province of Villavicencio in Colombia. History 19 January 1989: Established as Apostolic Vicariate of San José del Guaviare from the Apostolic Prefecture of Mitú 29 October 1999: Promoted as Diocese of San José del Guaviare Ordinaries Vicars Apostolic of San José del Guaviare Belarmino Correa Yepes, M.X.Y. (1989.01.19 – 1999.10.29); see below Bishops of San José del Guaviare Belarmino Correa Yepes, M.X.Y. (1999.10.29 – 2006.01.17); see above Guillermo Orozco Montoya (2006.01.17 – 2011.02.02) Appointed, Bishop of Girardota Francisco Antonio Nieto Sua (2 February 2011 – 26 June 2015) Appointed, Bishop of Engativá Nelson Jair Cardona Ramírez (7 May 2016 – present) See also Roman Catholicism in Colombia Sources External links GCatholic.org Roman Catholic dioceses in Colombia Roman Catholic Ecclesiastical Province of Villavicencio Christian organizations established in 1989 Roman Catholic dioceses and prelatures established in the 20th century
```go package dns import ( "context" "net" "strings" "sync" "github.com/go-kit/log" "github.com/go-kit/log/level" "github.com/prometheus/client_golang/prometheus" "github.com/prometheus/client_golang/prometheus/promauto" "github.com/thanos-io/thanos/pkg/discovery/dns/godns" "github.com/thanos-io/thanos/pkg/discovery/dns/miekgdns" "github.com/thanos-io/thanos/pkg/errutil" "github.com/thanos-io/thanos/pkg/extprom" ) // Provider is a stateful cache for asynchronous DNS resolutions. It provides a way to resolve addresses and obtain them. type Provider struct { sync.RWMutex resolver Resolver // A map from domain name to a slice of resolved targets. resolved map[string][]string logger log.Logger resolverAddrs *extprom.TxGaugeVec resolverLookupsCount prometheus.Counter resolverFailuresCount prometheus.Counter } type ResolverType string const ( GolangResolverType ResolverType = "golang" MiekgdnsResolverType ResolverType = "miekgdns" ) func (t ResolverType) ToResolver(logger log.Logger) ipLookupResolver { var r ipLookupResolver switch t { case GolangResolverType: r = &godns.Resolver{Resolver: net.DefaultResolver} case MiekgdnsResolverType: r = &miekgdns.Resolver{ResolvConf: miekgdns.DefaultResolvConfPath} default: level.Warn(logger).Log("msg", "no such resolver type, defaulting to golang", "type", t) r = &godns.Resolver{Resolver: net.DefaultResolver} } return r } // NewProvider returns a new empty provider with a given resolver type. // If empty resolver type is net.DefaultResolver. func NewProvider(logger log.Logger, reg prometheus.Registerer, resolverType ResolverType) *Provider { p := &Provider{ resolver: NewResolver(resolverType.ToResolver(logger), logger), resolved: make(map[string][]string), logger: logger, resolverAddrs: extprom.NewTxGaugeVec(reg, prometheus.GaugeOpts{ Name: "dns_provider_results", Help: "The number of resolved endpoints for each configured address", }, []string{"addr"}), resolverLookupsCount: promauto.With(reg).NewCounter(prometheus.CounterOpts{ Name: "dns_lookups_total", Help: "The number of DNS lookups resolutions attempts", }), resolverFailuresCount: promauto.With(reg).NewCounter(prometheus.CounterOpts{ Name: "dns_failures_total", Help: "The number of DNS lookup failures", }), } return p } // Clone returns a new provider from an existing one. func (p *Provider) Clone() *Provider { return &Provider{ resolver: p.resolver, resolved: make(map[string][]string), logger: p.logger, resolverAddrs: p.resolverAddrs, resolverLookupsCount: p.resolverLookupsCount, resolverFailuresCount: p.resolverFailuresCount, } } // IsDynamicNode returns if the specified StoreAPI addr uses // any kind of SD mechanism. func IsDynamicNode(addr string) bool { qtype, _ := GetQTypeName(addr) return qtype != "" } // GetQTypeName splits the provided addr into two parts: the QType (if any) // and the name. func GetQTypeName(addr string) (qtype, name string) { qtypeAndName := strings.SplitN(addr, "+", 2) if len(qtypeAndName) != 2 { return "", addr } return qtypeAndName[0], qtypeAndName[1] } // Resolve stores a list of provided addresses or their DNS records if requested. // Addresses prefixed with `dns+` or `dnssrv+` will be resolved through respective DNS lookup (A/AAAA or SRV). // For non-SRV records, it will return an error if a port is not supplied. func (p *Provider) Resolve(ctx context.Context, addrs []string) error { resolvedAddrs := map[string][]string{} errs := errutil.MultiError{} for _, addr := range addrs { var resolved []string qtype, name := GetQTypeName(addr) if qtype == "" { resolvedAddrs[name] = []string{name} continue } resolved, err := p.resolver.Resolve(ctx, name, QType(qtype)) p.resolverLookupsCount.Inc() if err != nil { // Append all the failed dns resolution in the error list. errs.Add(err) // The DNS resolution failed. Continue without modifying the old records. p.resolverFailuresCount.Inc() // Use cached values. p.RLock() resolved = p.resolved[addr] p.RUnlock() } resolvedAddrs[addr] = resolved } // All addresses have been resolved. We can now take an exclusive lock to // update the resolved addresses metric and update the local state. p.Lock() defer p.Unlock() p.resolverAddrs.ResetTx() for name, addrs := range resolvedAddrs { p.resolverAddrs.WithLabelValues(name).Set(float64(len(addrs))) } p.resolverAddrs.Submit() p.resolved = resolvedAddrs return errs.Err() } // Addresses returns the latest addresses present in the Provider. func (p *Provider) Addresses() []string { p.RLock() defer p.RUnlock() var result []string for _, addrs := range p.resolved { result = append(result, addrs...) } return result } ```
Saradaga Ammayitho () is a 2013 Telugu-language film directed by Bhanu Shankar starring Varun Sandesh and Nisha Agarwal in the lead roles. Pattikonda Kumara Swamy produced this movie on Sri Kumara Swamy Productions Banner while Ravi Varma scored the music. This is the second collaboration of Varun Sandesh and Nisha Agarwal after their hit movie, Yemaindi Ee Vela (2010). The film released on 14 June 2013. Plot The film begins with Santosh coming to confess his story to a church father. Before his confession, he suggests to tell his story to his best friend Peetambaram because he cannot bear to hear the sins of today's youth and that's why he diverted him to his best friend. Then Santosh meets Peetambaram and his wife Andallu. He narrates his story to both of them, they hear his story on the belief that they will console his pain and god will offer them a child. Santosh is a playboy who always thinks about girls and doesn't believe in marriage. His father is worried about his attitude. Santosh has a dream, i.e. there are only girls in the world which he only wants to stay with. One day Santosh meets a girl, Geetha at his friend's wedding and tries to woo her, but she doesn't fall for his tricks, then he focuses completely on her, tries hard to woo her again, but his trials were in vain. Then he approaches her in the name of love. Both become friends in this process, sometimes in the wooing he crosses his limits, even though she apologises to him. One day, she learns about his attitude toward girls and his intentions towards her, she cuts him off then he lies to her that he has changed and really loves her and thinks about no girl other than her. Then she puts some tests on him to prove his love is sincere. He accepts the challenge. In the process, he manages to stay in the girls' hostel for a particular period of time. He feels happy that his dream is coming true. Then after some days with a comical circumstances he understands slowly that the world is miserable without any human relationships. He understands the value of women, starts respecting them. He really changes his attitude and starts friendships with those girls, he even makes friendship with Geetha again. One day Santosh's long lost girl's (earlier Santosh's parents fix marriage with her but Santosh brainwashes her to not to marry and enjoy with the boys like him) husband tries to kill himself, then he discovers she had affairs with other men. He apologises for his actions to them and he sets right their relationship. Geetha was very impressed with his behaviour and says he passed her tests. This time, Santosh really falls for her and he wants to express his feelings toward her. But from that day onward, Geetha disappears. After completion of the flashback, he says that he really loves her and he doesn't know the reason why she abandoned him. He told his story to them because he may find out her if he confessed his story in front of gods. Meanwhile, in a rehabilitation centre, Dr. Anjali gives a presentation on the subject of obsessive compulsive disorder (OCD) she says that she treated Santosh without knowing him with the help of her colleagues and sends her report to US to achieve a fellowship on her treatment. One day suddenly, Anjali sees Santosh in the rehabilitation center for treatment on mental disability. Then she feels bad about her treatment style. Her rival doctors take it as a chance to prove her wrong and started treating him under their observation. After some days, Ekaambaram and Andallu come to look for her distant relative in the center, finds him, then he says that he is actually acting as a mentally disabled patient to find her whereabouts through his father because he requested her to treat him on his disorder. Then he came to win her heart with the sincere attempts. Andallu says to Santosh that after hearing his story, she became pregnant happy to hear this, he started to try to impress her again. After some comical situations, Anjali realised that she loves Santosh, decides to accept his proposal, then a fire accident took place in the center, Santosh successfully rescues her and confesses everything to her. She accepts his apologies and proposal and finally they unite. Cast Varun Sandesh as Santosh Nisha Agarwal as Geetha / Dr. Anjali Suman as Santosh's father K. Vishwanath (cameo) Ali as Peethambaram Mumaith Khan as Andallu Dharmavarapu Subramanyam as Dr. Ekambaram M. S. Narayana as Doctor at Mental Hospital Krishna Bhagavaan as Dr. Bhagvan Surekha Vani as Dr. Surekha Srinivasa Reddy Charmy Kaur (cameo) Production The director thought in January 2012 to do this movie with Telugu actor Nithiin and he thought to put the female lead as Bollywood serial actress Sriti Jha, but the actress refused. Later the director said Varun would be perfect for this movie, but the director did not know whom to select as a female role, so thought Nisha was perfect, because the Telugu cinema liked this pair. Soundtrack The music was composed by Ravi Varma and released by Puri Sangeet. Reception A critic from 123telugu wrote that "Saradaga Ammaitho is let down by its poor execution. A below par first half, predictable story line and way too many characters spoil the fun completely". References 2013 films 2010s Telugu-language films
A drawer pull (wire pull or simply pull) is a handle to pull a drawer out of a chest of drawers, cabinet or other furniture piece. A drawer pull often includes a plate to which the handle is fastened. The handle may swing from one or two mounts ("drop handle" or "swing handle"), making a drop drawer pull. A bail handle is a kind of swing handle consisting of an open loop attached to two mounts. The handle may also be fastened to the plate with rivets, making it immovable. The plate may be ornamented by piercing, embossing, or both. The ornament may also be cut on the surface with tools, leaving it sunken into the metal. The stock for handles may be round, rectangular, or irregular forged shapes. Drawer pulls may also be in one piece, either a handle only or a plate shaped into a grip. See also Cord pull References External links Engines of Our Ingenuity No. 2824: A Brass Catalogue Furniture Cabinets (furniture)
Austrodrillia rawitensis is a species of sea snail, a marine gastropod mollusk in the family Horaiclavidae. It was previously categorized within the family Turridae. Description The length of the shell attains 15 mm, its diameter 6 mm. Distribution This marine species is endemic to New Zealand. References Hedley, Charles. A revision of the Australian Turridae. Vol. 13. 1922 Powell, A.W.B. 1979: New Zealand Mollusca: Marine, Land and Freshwater Shells, Collins, Auckland Maxwell, P.A. (1988) Late Miocene deep-water Mollusca from the Stillwater Mudstone at Greymouth, Westland, New Zealand: paleoecology and systematics. New Zealand Geological Survey Paleontological Bulletin, 55, 1–120 Morley, M.S., Hayward, B.W., Raven, J.L., Foreman, G.A., Grenfell, H.R. 2006: Intertidal and shallow subtidal biota of Mahia Peninsula, Hawkes Bay, Records of the Auckland Museum, 43 External links Spencer H.G., Willan R.C., Marshall B.A. & Murray T.J. (2011) Checklist of the Recent Mollusca Recorded from the New Zealand Exclusive Economic Zone rawitensis Gastropods of New Zealand
Manfredo P. Alipala (1938-2006) was a Filipino boxer who competed at the 1964 Summer Olympics. He won a gold medal at the 1962 Asian Games. Alipala died in his sleep at his family residence in Barangay San Roque, Tarlac City on October 8, 2006, at age 68. He was buried at the Garden of Peace Memorial Park in Sapang Maragul, also within the city. Amateur career Olympic Games results 1964 Defeated Al-Kharki Khalid (Iraq) Lost to Kichijiro Hamada (Japan) 0-5 Professional boxing record | style="text-align:center;" colspan="8"|3 Wins (1 knockouts), 8 Losses (4 knockouts, 1 decision) |- style="text-align:center; background:#e3e3e3;" | style="border-style:none none solid solid; "|Res. | style="border-style:none none solid solid; "|Record | style="border-style:none none solid solid; "|Opponent | style="border-style:none none solid solid; "|Type | style="border-style:none none solid solid; "|Rd., Time | style="border-style:none none solid solid; "|Date | style="border-style:none none solid solid; "|Location | style="border-style:none none solid solid; "|Notes |- align=center |Lose||3–8 || align=left| Cassius Naito | || || |align=left| |align=left| |- align=center |Lose||3–7 || align=left| Takeshi Fuji | || || |align=left| |align=left| |- align=center |Lose||3–6 || align=left| Choi Sun Kap | || || |align=left| |align=left| |- align=center |Lose||3–5 || align=left| Kim Ki-Soo | || || |align=left| |align=left| |- align=center |Lose||3–4 || align=left| Jesse Cortez | || || |align=left| |align=left| |- align=center |Lose||3–3 || align=left| Koji Okano | || || |align=left| |align=left| |- align=center |Win||3–2 || align=left| Akio Matsunaga | || || |align=left| |align=left| |- align=center |Lose||2–2 || align=left| Musashi Nakano | || || |align=left| |align=left| |- align=center |Lose||2–1 || align=left| Eduardo Canete | || || |align=left| |align=left| |- align=center |Win||2–0 || align=left| Filipino Ravalo | || || |align=left| |align=left| |- align=center |Win||1–0 || align=left| Phil Robinson | || || |align=left| |align=left| References 2006 deaths Boxers at the 1964 Summer Olympics Olympic boxers for the Philippines Boxers at the 1962 Asian Games Medalists at the 1962 Asian Games Place of birth missing Filipino male boxers Sportspeople from Tarlac People from Tarlac City Asian Games gold medalists for the Philippines Asian Games medalists in boxing 1938 births Welterweight boxers
Pavel Maratovich Kuznetsov (Russian: Павел Маратович Кузнецов; born on 10 August 1958), is a Russian diplomat who is currently the ambassador to Finland since 14 August 2017. He had been the ambassador to Slovakia from 2010 to 2014. Biography Kuznetsov was born in Moscow on 10 August 1958. In 1980, he graduated from MGIMO of the USSR Ministry of Foreign Affairs and entered the diplomatic work in the USSR Ministry of Foreign Affairs. From 1980 to 1985, he worked as an employee of the Soviet Embassy in Finland. From 1991 to 1996 he was on a business trip for the second time as an employee of the Russian Embassy in Finland. From 1997 to 1999, he was deputy director of the Second European Department of the Russian Foreign Ministry. From 1999 to 2004 he was minister counselor of the Russian Embassy in Estonia. From 2004 to 2006, he worked as deputy director of the foreign policy planning department of the Russian Foreign Ministry, and from July 2006 to 2010, he became the director of the Second European Department of the Russian Foreign Ministry. From April 20, 2010, to September 10, 2014, he was Ambassador of Russia to Slovakia. From 2014 to 2017, he was director of the General Secretariat (Department) of the Russian Foreign Ministry. On 14 August 2017, Kuznestov became the ambassador to Finland. Family His father, Marat Nikolayevich (born 25 June 1926 in Moscow), had been a diplomat and a former army officer. From December 1944 to May 1945 he served as an ordinary signalman-telephonist of the signal platoon of the second battalion of the 381st rifle regiment of the 61st separate rifle division of the internal troops of the NKVD as part of the 2nd Ukrainian Front. He took part in the battles in Hungary. From 1946 to 1950 he served in the border troops: he graduated from the sergeant's school in the city of Vilok, Transcarpathian region of the Ukrainian SSR, served at the 5th border outpost of the 14th border detachment of the Transcarpathian border district. He took part in the elimination of Bandera formations. After graduating from MGIMO, the USSR Ministry of Foreign Affairs, in 1957 he was in diplomatic work. Graduated from the Higher Diplomatic School of the USSR Ministry of Foreign Affairs. He was awarded the Order of the Red Banner of Labor, the Order of the Patriotic War II degree, the Order of Friendship of Peoples, the Badge of Honor, the Czechoslovak Order of the White Lion II degree, domestic and foreign (Czechoslovakia, Bulgaria) medals. Kuznetsov was warded with a Certificate of Honor from the Presidium of the Supreme Soviet of the RSFSR. Pavel was married and has a son. Awards On 5 April 2017, he was awarded the Order of Friendship References 1958 births Living people Russian diplomats People from Moscow
The Defeated, also known as Shadowplay, is a 2020 television series. Plot New York Police Department Detective Max McLaughlin gets assigned to post-World War II Berlin by the United States Department of State to help organize and establish a new police force and at the same time, looks for his brother, Moritz, a United States Army soldier who went missing at the end of the war, and helps Elsie Garten, a novice female German police superintendent, to fight crime in 1946 Germany. The two lead characters, brothers Max and Moritz McLaughlin, are named after German literary characters from a 19th century illustrated children's book, Max and Moritz: A Story of Seven Boyish Pranks. The book also features prominently throughout the series. Episodes "First Trick". New York Police Department Detective Max McLaughlin is sent to Berlin by the United States Department of State in 1946 to help German police superintendent Elsie Garten establish a new police department after World War II in the hopes of finding his brother, Moritz, a United States Army soldier who is thought to have died. "Brother of Edmund". Vice-consul Tom Franklin, Max's boss, puts pressure on him to investigate and crack the murder case of two American GIs as soon as possible, and Max and Elsie question Karin. "Rainbows". An auxiliary police officer has discovered where Karin is, but she manages to flee to the "Angel Maker", a German crime boss and abortionist; Max does not find Moritz himself, but at least he will find his sanctuary and discovers he is holed up in a boathouse. "Nakam". Moritz discovers crucial documents in high-ranking Nazi officer Otto Oberlander's home; Tom's wife Claire helps Max in his investigation; Claire discovers that her husband is collaborating with the Nazis; and Max and Moritz disagree about what should happen to Franklin. "Bellyful". When Max and Elsie's unit locates Karin once more and pursues a contentious line of questioning, the investigation in Berlin goes on. "Blessed". Elsie and Max make progress in the investigation, but Karin and the Angel Maker continue to be one step ahead. Elsie also takes dangerous action to defend her husband Leopold. "Mutti". When Max discovers the truth about the secret flights, he issues an ultimatum to Moritz, and Karin and the Angel Maker organize a fatal attack on Max and Elsie's police precinct. "Homecoming". When Max and Elsie find out where the Angel Maker is, he has one last ruse up his sleeve; Moritz targets Tom, setting up a confrontation with Max. Cast Taylor Kitsch as Max McLaughlin, a New York Police Department Detective of partial German descent; he has come to Germany to find his brother, Moritz, and help novice German police superintendent Elise Garten establish a new police force in post-World War II Berlin. Logan Marshall-Green as Moritz McLaughlin, a United States Army soldier and Max's brother who has become mentally unstable since World War II. Nina Hoss as Elsie Garten, a hot-headed novice German police superintendent. Benjamin Sadler as Leopold Garten, Elsie's husband; currently being held prisoner in a Russian gulag. Tuppence Middleton as Claire Franklin, Tom’s wife and friend of Max. Michael C. Hall as Tom Franklin, Vice-consul and Claire's husband Sebastian Koch as Dr. Hermann Gladow, also known as the Engelmacher ("Angel Maker"), an abortionist and crime boss who runs a crime syndicate. Mala Emde as Karin Mann, a woman raped by an American soldier who, after enacting revenge, is indebted to Gladow. as Marianne, a member of Gladow's crime syndicate; something of a handler of Karin. Ivan G'Vera as Alexander Izosimov, a Soviet Army General detaining Leopold Garten, Elsie’s husband. as Gad, a kind 16 year old male novice German police officer assisting Max and Elsie. Production and distribution The series was written by Måns Mårlind, and produced by Tandem Productions and Bron Studios. It premiered in Germany on ZDF in four film-length episodes in October and November 2020. In Australia, it was shown as Shadowplay in 2021 on free-to-air TV station SBS. The Defeated was distributed on Netflix on 18 August 2021. Production on The Defeated took place entirely in Prague and surrounding locations in the Czech Republic, standing in for WWII-era Germany. Reception The Daily Telegraph Ed Power rated the series four out of five stars. The Sydney Morning Herald Kylie Northover rated the series three out of five stars. References Further reading External links 2020 Canadian television series debuts 2020 French television series debuts 2020 German television series debuts Television shows set in Berlin Television series set in 1946 2020s Canadian drama television series 2020s French drama television series 2020s German drama television series
Nautical publications is a technical term used in maritime circles describing a set of publications, either published by national governments or by commercial and professional organisations, for use in safe navigation of ships, boats, and similar vessels. Other publications might cover topics such as seamanship and cargo operations. In the UK, the United Kingdom Hydrographic Office, the Witherby Publishing Group and the Nautical Institute provide numerous navigational publications, including charts, publications on how to navigate and passage planning publications. In the US, publications are issued by the US government and US Coast Guard. The marine environment is subject to frequent change and the latest publications should always be used, especially when passage planning. Hydrographic officers who produce of nautical publications also provide a system to inform mariners of changes that effect the chart. In the US and the UK, corrections and notifications of new editions are provided by various governmental agencies by way of Notice to Mariners, Local Notice to Mariners, Summary of Corrections, and Broadcast Notice to Mariners. Radio broadcasts give advance notice of urgent corrections. A convenient way to keep track of corrections is with a Chart and Publication Correction Record system, either electronic or paper-based. Using this system, the navigator does not immediately update every publication in the library when a new Notice to Mariners arrives, instead creating a 'card' for every chart and noting the correction on this 'card'. When the time comes to use the publication, the navigator pulls the publication and its card, and makes the indicated corrections to the publication. This system ensures that every publication is properly corrected prior to use. Various and diverse methods exist for the correction of electronic nautical publications. List of publications List of Lights and Radio Signals List of lights and radio signals, sometimes including Fog Signals are provided by government authorities and hydrographic offices for mariners. The lists include prominent lights, such as lighthouses and radio stations that are used in passage planning for navigation and communication while on voyage. In the US, the United States Coast Guard Light List is an American navigation publication in seven volumes made available yearly by the U.S. Coast Guard which gives information on lighted navigation aids, unlighted buoys, radiobeacons, radio direction finder calibration stations, daybeacons and racons. The List of Lights, Radio Aids, and Fog Signals is a navigation publication produced by the United States Defense Mapping Agency Hydrographic/Topographic Center. The book is usually referred to as the List of Lights, and should not be confused with the U.S. Coast Guard's Light List. The List of Lights is published in seven volumes, as Publication numbers 110 through 116. Each volume contains lights and other aids to navigation that are maintained by or under the authority of other governments. In the UK, the UKHO List of Lights and Fog Signals, and the Admiralty List of Radio signals are split into separate volumes. The UKHO light lists include some 85,000 light structures of significance for navigation. The UKHO radio lists are split into six volumes. The Canadian Coast Guard publishes its own List of Lights, Buoys and Fog Signals covering various coastal geographic areas in Canada. Pilot Volumes/Sailing Directions These provide a variety of information for the mariner, including details of harbours, ports, navigational hazards, local information and pilotage requirements. In the UK, the Admiralty issues 76 volumes covering the world and these are used frequently by most merchant ships. In the US, the United States Coast Pilots is a nine-volume American navigation publication distributed yearly by the National Ocean Service. Its purpose is to supplement nautical charts of US waters. Information comes from field inspections, survey vessels, and various harbour authorities. Maritime officials and pilotage associations provide additional information. Coast Pilots provides more detailed information than Sailing Directions because the latter is intended exclusively for the oceangoing mariner. Each volume of Coast Pilots must be regularly corrected using Notice to Mariners. Sailing Directions is a 47-volume American navigation publication published by the Defense Mapping Agency Hydrographic/Topographic Center. It consists of 37 Enroute volumes and 10 Planning Guides. Planning Guides describe general features of ocean basins; Enroutes describe features of coastlines, ports, and harbors. Sailing Directions is updated when new data requires extensive revision of an existing text. These data are obtained from several sources, including pilots and Sailing Directions from other countries. Passage Planning Guides provide a variety of navigation related information for deck officers during passage planning and cover certain geographic areas. Examples include the Witherby Passage Planning Guide for the Straits of Malacca and Singapore and the Port of London Authority Passage Planning Guide. General Reference Publications General reference nautical publications are available from government authorities and publishers, such as Witherbys and Adlard Coles Nautical. They cover a wide range of subjects, such as navigation, passage planning, seamanship, the use of Radar and ARPA, anchoring and mooring. Guidance publications are also available that cover a wider variety of compliance with international and local maritime regulations, including those of the International Maritime Organization. Maritime industry bodies such as the International Chamber of Shipping, BIMCO, SIGTTO and OCIMF produce nautical publications on operational subjects published by Witherbys. OCIMF focuses on industry guidance for oil tankers and oil terminals, including the leading industry title International Safety Guide for Tankers and Terminals (the 6th edition was published in 2020). SIGTTO and Witherbys produce nautical operational titles for gas carriers including LNG carriers, for example Liquefied Gas Handling Principles on Ships and in Terminals (LGHP4) was published in 2016. Cyber security has come under increased focus in the maritime industry since the IMO required cyber security to be addressed under the International Safety Management Code. In 2019, ICS, BIMCO and Witherbys published the Cyber Security Workbook for Onboard Ship Use. The second edition of the nautical workbook was published in 2021. The American Practical Navigator, written by Nathaniel Bowditch, is an encyclopedia of navigation, valuable handbook on oceanography and meteorology, and contains useful tables and a maritime glossary. In 1866 the copyright and plates were bought by the Hydrographic Office of the United States Navy, and as a U.S. Government publication, it is now available for free online. The World Port Index The World Port Index is a US publication issued by the US National Geospatial-Intelligence Agency. It contains a tabular listing of thousands of ports throughout the world, describing their location, characteristics, known facilities, and available services. Of particular interest are the applicable volume of Sailing Directions and the number of the harbor chart. The table is arranged geographically, with an alphabetical index. It is also available from several different independent publishers. Distances Between Ports Distances Between Ports is a US publication produced by the US Defense Mapping Agency Hydrographic Topographic Center and issued by the National Oceanic and Atmospheric Administration and the United States Department of Commerce. It lists the distances between major ports. Reciprocal distances between two ports may differ due to different routes chosen because of currents and climatic conditions. To reduce the number of listings needed, junction points along major routes are used to consolidate routes converging from different directions. It is also available from several different independent publishers. References Navigation Hydrography Water transport
Runumi (Assamese:ৰুণুমী) is the ninth Assamese language film. It was directed and produced by Suresh Chandra Goswami and released in 1952. The film is based on Henrik Ibsen’s play The Warriors at Helgeland. It is the second Assamese film to have been shot in location and open floor after Joymoti. The film stars Kanaklata Saikia, Neyimuddin Ahmed, Suresh Goswami, Indreshwar Barthakur, Hironmoyee Devi. The film was set in Assam and Nagaland (then the Naga hills of Assam). Banned in 1952 Although the film was running in good response, the then government of Assam headed by chief minister Bishnuram Medhi suddenly banned due to some unknown reason that left Goswami completely bankrupt. The government did not offer any reason for the ban. Retrieving the film After the ban, Goswami’s brother-in-law Lakshminath Borthakur took it for some "illegal" viewing in some tea gardens and since that time it was lying in a tin trunk box in Borthakur’s residence. After four decades, Borthakur’s son Amiya Borthakur returned it to Guwahati-based Dolly Borpujari, daughter of Mr Goswami. The 13 reels are still in original cans. Present condition of the film Preliminary examination indicates that a significant part of the film could still be intact. But the actual condition of the print will be known only after it is checked by experts for due to the high-humidity conditions of the region the cans have caught rust and a few of them even have developed cracks, because of which some of the contents might have got damaged. Restoring the film Utpal Borpujari, Goswami’s grandson and a noted film critic, is already in touch with relevant people in Mumbai for the cleaning of the print and transferring it to other formats. The National Film Archive of India in Pune is expected to restore and preserve the film. The Appeal The late Goswami’s family has appealed to the Government of Assam to let the people know why the film was banned, and also come forward to help restore and preserve the film. It also appeal to anyone directly or indirectly involved in making of the film or related to any material of the film or had seen the film to send or share those materials and memories. See also Jollywood References Indian drama films 1952 films Films set in Assam 1950s Assamese-language films Film censorship in India Censored films
Victor Pickard is an American media studies scholar. He is a professor at the Annenberg School for Communication at the University of Pennsylvania. He works on the intersections of U.S. and global media activism and politics; the history and political economy of media institutions; and the normative foundations of media policy. Background and education Pickard was born in Sewickley, Pennsylvania, near Pittsburgh, and attended Quaker Valley High School and then Allegheny College. He earned a master's degree in communications from the University of Washington and, in 2008, a Ph.D. at the Institute of Communications Research at the University of Illinois at Urbana–Champaign, with a thesis "Media Democracy Deferred: The Postwar Settlement for U.S. Communications, 1945-1949." Academic career and policy work Before teaching at Penn, Pickard was an assistant professor in the Media, Culture, and Communication Department at New York University. Pickard also designed and taught the inaugural Verklin media policy course at the University of Virginia. In D.C., he worked on media policy as a senior research fellow at the media reform organization Free Press and the public policy think tank the New America Foundation. He was the first full-time researcher at New America's Open Technology Institute, where he continues to be a senior research fellow. He also served as a media policy fellow for Congresswoman Diane Watson and spent a summer conducting research as a Google Policy Fellow. Scholarship In 2009, Pickard was the lead author of a comprehensive report on the American journalism crisis, "Saving the News: Toward a National Journalism Strategy" (Published by Free Press). The report documented the roots of the crisis, potential alternative models, and policy recommendations for implementing structural reform in the American media system. The report was described as “the most intelligent and comprehensive proposed solution to the crisis in journalism" and listed as one of “2009’s Most Influential Media About Media.” In 2011 Pickard co-edited with Robert McChesney the book Will the Last Reporter Please Turn out the Lights: The Collapse of Journalism and What Can Be Done To Fix It . The book provides an analysis of the shifting news media landscape and maps the ongoing debates about journalism's uncertain future. Booklist called it “Bold, meditative, engrossing, this is an indispensable guide for followers of modern media.” A review in Library Journal described it as highlighting "journalism's role as a crucial component of democracy and an institution that needs to be reinvigorated ... anyone concerned about the state of journalism should read this book." Pickard's 2014 Book, America's Battle for Media Democracy, explores the history of the contemporary American media system came to be. Publications Books Robert McChesney & Victor Pickard, eds. (2011). Will the Last Reporter Please Turn out the Lights: The Collapse of Journalism and What Can Be Done To Fix It. New York: The New Press. Victor Pickard (2014). America’s Battle for Media Democracy: The Triumph of Corporate Libertarianism and the Future of Media Reform. Cambridge University Press Victor Pickard (2020). Democracy Without Journalism?: Confronting the Misinformation Society. New York, NY: Oxford University Press. Reports Victor Pickard, Josh Stearns & Craig Aaron (2009). “Saving the News: Toward a National Journalism Strategy,” Free Press, Washington, D.C. References American journalism academics American mass media scholars Annenberg School for Communication at the University of Pennsylvania faculty People from Sewickley, Pennsylvania Living people Year of birth missing (living people)
```python # # or more contributor license agreements. See the NOTICE file # distributed with this work for additional information # regarding copyright ownership. The ASF licenses this file # # path_to_url # # Unless required by applicable law or agreed to in writing, # "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY # specific language governing permissions and limitations from __future__ import division from kudu.compat import CompatUnitTest from kudu.errors import KuduInvalidArgument import kudu from kudu.schema import Schema class TestSchema(CompatUnitTest): def setUp(self): self.columns = [('one', 'int32', False), ('two', 'int8', False), ('three', 'double', True), ('four', 'string', False)] self.primary_keys = ['one', 'two'] self.builder = kudu.schema_builder() for name, typename, nullable in self.columns: self.builder.add_column(name, typename, nullable=nullable) self.builder.set_primary_keys(self.primary_keys) self.schema = self.builder.build() def test_repr(self): result = repr(self.schema) for name, _, _ in self.columns: assert name in result assert 'PRIMARY KEY (one, two)' in result def test_schema_length(self): assert len(self.schema) == 4 def test_names(self): assert self.schema.names == ['one', 'two', 'three', 'four'] def test_primary_keys(self): assert self.schema.primary_key_indices() == [0, 1] assert self.schema.primary_keys() == ['one', 'two'] def test_getitem_boundschecking(self): idx = 4 error_msg = 'Column index {0} is not in range'.format(idx) with self.assertRaisesRegex(IndexError, error_msg): self.schema[idx] def test_getitem_wraparound(self): # wraparound result = self.schema[-1] expected = self.schema[3] assert result.equals(expected) def test_getitem_string(self): result = self.schema['three'] expected = self.schema[2] assert result.equals(expected) error_msg = 'not_found' with self.assertRaisesRegex(KeyError, error_msg): self.schema['not_found'] def test_schema_equals(self): assert self.schema.equals(self.schema) builder = kudu.schema_builder() builder.add_column('key', 'int64', nullable=False, primary_key=True) schema = builder.build() assert not self.schema.equals(schema) def test_column_equals(self): assert not self.schema[0].equals(self.schema[1]) def test_type(self): builder = kudu.schema_builder() (builder.add_column('key') .type('int32') .primary_key() .block_size(1048576) .nullable(False)) schema = builder.build() tp = schema[0].type assert tp.name == 'int32' assert tp.type == kudu.schema.INT32 def test_compression(self): builder = kudu.schema_builder() builder.add_column('key', 'int64', nullable=False) foo = builder.add_column('foo', 'string').compression('lz4') assert foo is not None bar = builder.add_column('bar', 'string') bar.compression(kudu.COMPRESSION_ZLIB) compression = 'unknown' error_msg = 'Invalid compression type: {0}'.format(compression) with self.assertRaisesRegex(ValueError, error_msg): bar = builder.add_column('qux', 'string', compression=compression) builder.set_primary_keys(['key']) builder.build() # TODO; The C++ client does not give us an API to see the storage # attributes of a column def test_encoding(self): builder = kudu.schema_builder() builder.add_column('key', 'int64', nullable=False) available_encodings = ['auto', 'plain', 'prefix', 'bitshuffle', 'rle', 'dict', kudu.ENCODING_DICT] for enc in available_encodings: foo = builder.add_column('foo_%s' % enc, 'string').encoding(enc) assert foo is not None del foo bar = builder.add_column('bar', 'string') bar.encoding(kudu.ENCODING_PLAIN) error_msg = 'Invalid encoding type' with self.assertRaisesRegex(ValueError, error_msg): builder.add_column('qux', 'string', encoding='unknown') builder.set_primary_keys(['key']) builder.build() # TODO(wesm): The C++ client does not give us an API to see the storage # attributes of a column def test_decimal(self): builder = kudu.schema_builder() (builder.add_column('key') .type('decimal') .primary_key() .nullable(False) .precision(9) .scale(2)) schema = builder.build() column = schema[0] tp = column.type assert tp.name == 'decimal' assert tp.type == kudu.schema.DECIMAL ta = column.type_attributes assert ta.precision == 9 assert ta.scale == 2 def test_decimal_without_precision(self): builder = kudu.schema_builder() (builder.add_column('key') .type('decimal') .primary_key() .nullable(False)) error_msg = 'no precision provided for decimal column: key' with self.assertRaisesRegex(kudu.KuduInvalidArgument, error_msg): builder.build() def test_precision_on_non_decimal_column(self): builder = kudu.schema_builder() (builder.add_column('key') .type('int32') .primary_key() .nullable(False) .precision(9) .scale(2)) error_msg = 'precision is not valid on a 2 column: key' with self.assertRaisesRegex(kudu.KuduInvalidArgument, error_msg): builder.build() def test_date(self): builder = kudu.schema_builder() (builder.add_column('key') .type('date') .primary_key() .nullable(False)) schema = builder.build() column = schema[0] tp = column.type assert tp.name == 'date' assert tp.type == kudu.schema.DATE def test_varchar(self): builder = kudu.schema_builder() (builder.add_column('key') .type('varchar') .primary_key() .nullable(False) .length(10)) schema = builder.build() column = schema[0] tp = column.type assert tp.name == 'varchar' assert tp.type == kudu.schema.VARCHAR ta = column.type_attributes assert ta.length == 10 def test_varchar_without_length(self): builder = kudu.schema_builder() (builder.add_column('key') .type('varchar') .primary_key() .nullable(False)) error_msg = 'no length provided for VARCHAR column: key' with self.assertRaisesRegex(kudu.KuduInvalidArgument, error_msg): builder.build() def test_varchar_invalid_length(self): builder = kudu.schema_builder() (builder.add_column('key') .type('varchar') .primary_key() .length(0) .nullable(False)) error_msg = 'length must be between 1 and 65535: key' with self.assertRaisesRegex(kudu.KuduInvalidArgument, error_msg): builder.build() def test_length_on_non_varchar_column(self): builder = kudu.schema_builder() (builder.add_column('key') .type('decimal') .primary_key() .nullable(False) .length(10)) error_msg = 'no precision provided for decimal column: key' with self.assertRaisesRegex(kudu.KuduInvalidArgument, error_msg): builder.build() def test_unsupported_col_spec_methods_for_create_table(self): builder = kudu.schema_builder() builder.add_column('test', 'int64').rename('test') error_msg = 'cannot rename a column during CreateTable: test' with self.assertRaisesRegex(kudu.KuduNotSupported, error_msg): builder.build() builder.add_column('test', 'int64').remove_default() error_msg = 'cannot rename a column during CreateTable: test' with self.assertRaisesRegex(kudu.KuduNotSupported, error_msg): builder.build() def test_set_column_spec_pk(self): builder = kudu.schema_builder() key = (builder.add_column('key', 'int64', nullable=False) .primary_key()) assert key is not None schema = builder.build() assert 'key' in schema.primary_keys() builder = kudu.schema_builder() key = (builder.add_column('key', 'int64', nullable=False, primary_key=True)) schema = builder.build() assert 'key' in schema.primary_keys() def test_partition_schema(self): pass def test_nullable_not_null(self): builder = kudu.schema_builder() (builder.add_column('key', 'int64', nullable=False) .primary_key()) builder.add_column('data1', 'double').nullable(True) builder.add_column('data2', 'double').nullable(False) builder.add_column('data3', 'double', nullable=True) builder.add_column('data4', 'double', nullable=False) schema = builder.build() assert not schema[0].nullable assert schema[1].nullable assert not schema[2].nullable assert schema[3].nullable assert not schema[4].nullable def test_mutable_immutable(self): builder = kudu.schema_builder() (builder.add_column('key', 'int64', nullable=False) .primary_key()) builder.add_column('data1', 'double').mutable(True) builder.add_column('data2', 'double').mutable(False) schema = builder.build() assert schema[0].mutable assert schema[1].mutable assert not schema[2].mutable def test_column_comment(self): comment = "test_comment" builder = kudu.schema_builder() (builder.add_column('key', 'int64', nullable=False) .primary_key() .comment(comment)) builder.add_column('data1', 'double').nullable(True) schema = builder.build() assert isinstance(schema[0].comment, str) assert len(schema[0].comment) > 0 assert schema[0].comment == comment assert isinstance(schema[1].comment, str) assert len(schema[1].comment) == 0 def test_auto_incrementing_column_name(self): name = Schema.get_auto_incrementing_column_name() assert isinstance(name, str) assert len(name) > 0 def test_non_unique_primary_key(self): builder = kudu.schema_builder() (builder.add_column('key', 'int64') .nullable(False) .non_unique_primary_key()) builder.add_column('data1', 'double') schema = builder.build() assert len(schema) == 3 assert len(schema.primary_keys()) == 2 assert Schema.get_auto_incrementing_column_name() in schema.primary_keys() def test_set_non_unique_primary_keys(self): builder = kudu.schema_builder() (builder.add_column('key', 'int64') .nullable(False)) builder.add_column('data1', 'double') builder.set_non_unique_primary_keys(['key']) schema = builder.build() assert len(schema) == 3 assert len(schema.primary_keys()) == 2 assert Schema.get_auto_incrementing_column_name() in schema.primary_keys() def test_set_non_unique_primary_keys_wrong_order(self): builder = kudu.schema_builder() builder.add_column('key1', 'int64').nullable(False) builder.add_column('key2', 'double').nullable(False) builder.set_non_unique_primary_keys(['key2', 'key1']) error_msg = 'primary key columns must be listed first in the schema: key' with self.assertRaisesRegex(KuduInvalidArgument, error_msg): schema = builder.build() def test_set_non_unique_primary_keys_not_first(self): builder = kudu.schema_builder() builder.add_column('data1', 'double') (builder.add_column('key', 'int64') .nullable(False)) builder.set_non_unique_primary_keys(['key']) error_msg = 'primary key columns must be listed first in the schema: key' with self.assertRaisesRegex(KuduInvalidArgument, error_msg): schema = builder.build() def test_set_non_unique_primary_keys_same_name_twice(self): builder = kudu.schema_builder() (builder.add_column('key', 'int64') .nullable(False)) builder.add_column('data1', 'double') builder.set_non_unique_primary_keys(['key', 'key']) error_msg = 'primary key columns must be listed first in the schema: key' with self.assertRaisesRegex(KuduInvalidArgument, error_msg): schema = builder.build() def test_unique_and_non_unique_primary_key_on_same_column(self): builder = kudu.schema_builder() (builder.add_column('key', 'int64') .nullable(False) .primary_key() .non_unique_primary_key()) builder.add_column('data1', 'double') schema = builder.build() assert len(schema) == 3 assert len(schema.primary_keys()) == 2 assert Schema.get_auto_incrementing_column_name() in schema.primary_keys() def test_non_unique_and_unique_primary_key_on_same_column(self): builder = kudu.schema_builder() (builder.add_column('key', 'int64') .nullable(False) .non_unique_primary_key() .primary_key()) builder.add_column('data1', 'double') schema = builder.build() assert len(schema) == 2 assert len(schema.primary_keys()) == 1 assert Schema.get_auto_incrementing_column_name() not in schema.primary_keys() def test_non_unique_primary_key_not_first(self): builder = kudu.schema_builder() builder.add_column('data1', 'int64') (builder.add_column('key', 'double') .nullable(False) .non_unique_primary_key()) error_msg = 'primary key column must be the first column' with self.assertRaisesRegex(KuduInvalidArgument, error_msg): builder.build() def test_unique_and_non_unique_primary_key_on_different_cols(self): builder = kudu.schema_builder() (builder.add_column('key1', 'double') .nullable(False) .primary_key()) (builder.add_column('key2', 'double') .nullable(False) .non_unique_primary_key()) error_msg = 'multiple columns specified for primary key: key1, key2' with self.assertRaisesRegex(KuduInvalidArgument, error_msg): builder.build() def test_non_unique_and_unique_primary_key_on_different_cols(self): builder = kudu.schema_builder() (builder.add_column('key1', 'double') .nullable(False) .non_unique_primary_key()) (builder.add_column('key2', 'double') .nullable(False) .primary_key()) error_msg = 'multiple columns specified for primary key: key1, key2' with self.assertRaisesRegex(KuduInvalidArgument, error_msg): builder.build() def test_multiple_non_unique_primary_keys(self): builder = kudu.schema_builder() (builder.add_column('key1', 'double') .nullable(False) .non_unique_primary_key()) (builder.add_column('key2', 'double') .nullable(False) .non_unique_primary_key()) error_msg = 'multiple columns specified for primary key: key1, key2' with self.assertRaisesRegex(KuduInvalidArgument, error_msg): builder.build() def test_non_unique_primary_key_and_set_non_unique_primary_keys(self): builder = kudu.schema_builder() (builder.add_column('key', 'int64') .nullable(False) .non_unique_primary_key()) builder.add_column('data1', 'double') builder.set_non_unique_primary_keys(['key']) error_msg = ('primary key specified by both SetNonUniquePrimaryKey\(\)' ' and on a specific column: key') with self.assertRaisesRegex(KuduInvalidArgument, error_msg): builder.build() def test_primary_key_and_set_non_unique_primary_keys(self): builder = kudu.schema_builder() (builder.add_column('key', 'int64') .nullable(False) .primary_key()) builder.add_column('data1', 'double') builder.set_non_unique_primary_keys(['key']) error_msg = ('primary key specified by both SetNonUniquePrimaryKey\(\)' ' and on a specific column: key') with self.assertRaisesRegex(KuduInvalidArgument, error_msg): builder.build() def test_primary_key_and_set_primary_keys(self): builder = kudu.schema_builder() (builder.add_column('key', 'int64') .nullable(False) .primary_key()) builder.add_column('data1', 'double') builder.set_primary_keys(['key']) error_msg = ('primary key specified by both SetPrimaryKey\(\)' ' and on a specific column: key') with self.assertRaisesRegex(KuduInvalidArgument, error_msg): builder.build() def test_non_unique_primary_key_and_set_primary_keys(self): builder = kudu.schema_builder() (builder.add_column('key', 'int64') .nullable(False) .non_unique_primary_key()) builder.add_column('data1', 'double') builder.set_primary_keys(['key']) error_msg = ('primary key specified by both SetPrimaryKey\(\)' ' and on a specific column: key') with self.assertRaisesRegex(KuduInvalidArgument, error_msg): builder.build() def test_set_non_unique_and_set_unique_primary_key(self): builder = kudu.schema_builder() builder.add_column('key1', 'int64').nullable(False) builder.add_column('key2', 'double').nullable(False) builder.set_non_unique_primary_keys(['key1', 'key2']) builder.set_primary_keys(['key1', 'key2']) schema = builder.build() assert len(schema) == 2 assert len(schema.primary_keys()) == 2 assert Schema.get_auto_incrementing_column_name() not in schema.primary_keys() def test_set_unique_and_set_non_unique_primary_key(self): builder = kudu.schema_builder() builder.add_column('key1', 'int64').nullable(False) builder.add_column('key2', 'double').nullable(False) builder.set_primary_keys(['key1', 'key2']) builder.set_non_unique_primary_keys(['key1', 'key2']) schema = builder.build() assert len(schema) == 3 assert len(schema.primary_keys()) == 3 assert Schema.get_auto_incrementing_column_name() in schema.primary_keys() def test_reserved_column_name(self): builder = kudu.schema_builder() (builder.add_column('key', 'int64') .nullable(False) .primary_key()) builder.add_column(Schema.get_auto_incrementing_column_name(), 'double') error_msg = 'auto_incrementing_id is a reserved column name' with self.assertRaisesRegex(KuduInvalidArgument, error_msg): builder.build() def test_default_value(self): pass def test_column_schema_repr(self): result = repr(self.schema[0]) expected = 'ColumnSchema(name=one, type=int32, nullable=False)' self.assertEqual(result, expected) ```
An Dealg Óir (meaning 'The Golden Thorn') is the fifth studio album from Irish singer Pádraigín Ní Uallacháin. The album was released on the Gael Linn label. The album is made up of songs from the Oriel area in southeast Ulster in Ireland. Éalaigh Liom / Elope With Me became one of Ní Uallacháin's most popular tracks since its broadcast on the BBC's Highland Sessions. Track listing "Éalaigh Liom" "Éirigh Suas, A Stóirín" "An Seanduine Dóite" "Is Fada an Lá" "Ailí Gheal Chiúin" "Amhrán na Craoibhe" "Marbhna Airt Óig Uí Néill" "Thugamar Féin an Samhradh Linn" "Uilleagán Dubh Ó" "Cailín as Contae Lú" "Séamus Mac Murfaidh" "Máire Bhán" "An Bonnán Buí" "Tá 'na Lá" Personnel Pádraigín Ní Uallacháin – vocals Steve Cooney - guitars Liam O'Flynn – uilleann pipes Laoise Kelly – Irish harp Liam Ó Maonlaí – whistles Ódhrán Ó Casaide - uilleann pipes, whistles Helen Davies – harp Máire Breatnach – fiddle, viola Rónán Ó Snodaigh – percussion Pat Crowley – piano, keyboards References External links An Dealg Óir - official website 2002 albums Pádraigín Ní Uallacháin albums
3i Infrastructure plc () is an investment trust headquartered in Jersey. It is listed on the London Stock Exchange and is a constituent of the FTSE 250 Index. History The company was launched by way of an initial public offering in 2007. Its early investments included Anglian Water Group and Oiltanking GmbH's terminal facilities in the Netherlands, Malta, and Singapore. Between 2010 and 2020, 3i Infrastructure invested in businesses such as Esvagt, Infinis and Wireless Infrastructure Group, a UK mobile infrastructure provider. Since 2021, the company’s new investments have included SRL Traffic Systems, a UK manufacturer and supplier of temporary traffic equipment, and Global Cloud Xchange. Major shareholder About 29.2% of the company is owned by 3i Group plc. References External links Official site 3i Group companies Financial services companies of the United Kingdom Financial services companies established in 2007 2007 establishments in Jersey Companies listed on the London Stock Exchange
Door-to-door is a canvassing technique that is generally used for sales, marketing, advertising, evangelism or campaigning, in which the person or persons walk from the door of one house to the door of another, trying to sell or advertise a product or service to the general public or gather information. People who use this sales approach are often known as traveling salesmen, or by the archaic name drummer (someone who "drums up" business), and the technique is also sometimes called direct sales. A variant of this involves cold calling first, when another sales representative attempts to gain agreement that a salesperson should visit. Historically, this was a major method of distributing goods outside large towns, with the salesmen, often self-employed known as pedlars or peddlers, also hawkers. With the huge growth of retail shops in the 19th century, it became less important, and the development of mail order and finally sales via the internet gradually reduced its significance in advanced economies except in a few fields, such as repairs and improvements to homes. Model Products or services sold door-to-door are generally in one of seven industries: cable, telecommunications, solar, energy, security, landscaping and construction. There are also many multi-level marketing products sold door-to-door. The industries accounting for the largest share of direct-sales revenue include construction and telecommunications. The largest subset of these would be the home improvement products/services where items sold could be new or repaired roofs, siding, new replacement windows, and decorative stone. the business model of many companies that participate in this type of direct marketing has changed with the growth of the Information Age. Products sold door-to-door are now more likely to be more subtle in nature: such as sheets of coupons to events or local businesses, season tickets to local professional sports teams (both of these are known in the industry as "Cert [or certificate] Sales", or subscriptions to home television services or broadband internet services. Telecommunications companies like Verizon Communications (Fios), Comcast (cable television and internet) and AT&T (U-verse TV) all contract with various marketing companies for nationwide sales fulfillment at the residential level. While the practice of the salesman carrying a bag of goods on his shoulder to sell to the public declined with advances made in technology and internet selling, there has been a resurgence of door-to-door selling in recent years, especially in the energy and solar industries, such as SolarCity and Vivint Solar). History Door to door sales likely have their root in peddling. Banning and regulation In the United States, some communities attempted to criminalize this form of selling by passing what is known as a Green River Ordinance which bans all door-to-door sales. In 1933, the United States Court of Appeals for the Tenth Circuit upheld such a law valid but in 1976 the Supreme Court extended the First Amendment to commercial speech and in 1980 set forth a four-pronged test regarding the regulation of door-to-door selling: The pitch itself must not regard things that are in themselves illegal and must be truthful to be protected by the First Amendment. Assertive governmental interest is substantial. The regulation directly advances point 2. If the regulation is necessary to serve that interest (i.e. demonstrating “no solicitation” signs and already existing trespass laws are not sufficient). If a regulation meets these criteria, it is most likely legal. Revival In 2011, door-to-door sales was named one of the top 10 dead or dying career paths with an 18 percent decline in positions expected by 2018. Instead, between 2012 and 2013, door-to-door sales positions started growing 34% year-over-year. In 2017 the market is believed to be worth $36 billion, an increase of $7.7 billion since 2009 (or $4 billion if adjusted for inflation). As of 2017, the research shows that 20.5 million people in the United States have signed agreements with direct selling companies making them eligible to purchase discounted products and resell them that at a profit, and to sponsor others individuals who also can sell the products. New technologies have also changed door-to-door sales' efficacy and appeal for organizations. Expansive databases of American households pull together demographic information, consumer data, and past-canvassing profiles to allow precise targeting of potential buyers. Corporations no longer knock on all the doors in an area, instead they focus on people most likely to buy their products or services. Law enforcement and detective work Police detectives many times will go door-to-door at residences that exist nearby a crime scene, to see if the victim or suspect may have known (or may have been known by) any of the residents in the general vicinity, or to gather information from potential witnesses. Religious work The Bible records that Jesus sent out his disciples to evangelize by visiting peoples homes in pairs of two believers (cf. ). Accordingly, in Christianity, Methodist churches aligned with the holiness movement engage in door-to-door evangelism; in this tradition, it is frequently referred to as "calling". Baptist congregations are known for door-to-door evangelism as well. In both the Holiness Methodist and Baptist Christian traditions, those visiting people's homes commonly distribute gospel tracts to residents. Restorationist groups, such as Jehovah's Witnesses, Seventh-Day Adventists and the Church of Jesus Christ of Latter-day Saints, are known for door-to-door evangelizing and proselytizing. See also Canvassing Solicitation References Personal selling Non-store retailing
Arniquet () is a commune in the Port-Salut Arrondissement, in the Sud department of Haiti. In 2015, the commune had 29,180 inhabitants. Settlements References Populated places in Sud (department) Communes of Haiti
Shaquille O'Neal Presents His Superfriends, Vol. 1 is an unreleased album by Shaquille O'Neal. Completed in 2001, it was intended to be the NBA superstar's fifth solo album. Producers for the album included Denaun Porter, Big Tank, L. T. Hutton, Rick Rock, and Dr. Dre. The original release date was slated for September 11, 2001, but was pushed back to October 9 of the same year. After much delay, the album was completely abandoned and never released. Background O'Neal had released four albums before Superfriends: 1993's platinum-certified Shaq Diesel; 1994's platinum-certified Shaq-Fu: Da Return; 1996's gold-certified Can't Stop the Reign; and 1998's Respect. O'Neal also released a "Best Of" album that debuted in 1996. O'Neal originally began the "Superfriends" project telling The Source Magazine that the album was going to be "revolutionary" and that he wanted to "bring together all genres." In 2000, he told the New York Times that he was working on negotiations with Pink, Limp Bizkit, Dr. Dre, and George Clinton. Although Shaq did not land all of the performers he had in mind, he still managed to gather a notable cast of "Superfriends." In 2001, Shaquille O'Neal performed a rendition of Rob Base and DJ E-Z Rock's platinum 1988 hit "It Takes Two" at the Los Angeles Lakers back-to-back championship victory parade in front of the Los Angeles Staples Center. It was later stated in an interview that O'Neal had already begun production for the track after the Lakers first championship win in 2000. The song was scheduled to a part of his "Superfriends" compilation and featured vocalist Nicole Scherzinger (formerly from Eden's Crush and now of The Pussycat Dolls). Contributors As the title suggests, the album was to host many of Shaq's musical associates. Scheduled to appear on the album were Nate Dogg, R.L. of Next, Peter Gunz, Fieldy of Korn, Thor-El, Dr. Dre, Shawn Stockman of Boyz II Men, Lord Tariq, 112, Jayo Felony, WC of Westside Connection, Trina, Ludacris, Joi of Lucy Pearl, Black Star, Nicole Scherzinger, Common, Black Thought of The Roots, Nick Hexum and Chad Sexton of 311, Black Rob, Twista, George Clinton, Memphis Bleek, Snoop Dogg, and Angie Stone. Singles Because the project was abandoned, the only available music from album was released in singles by Fireworks Productions. Most of the singles that were released were only given to "Shaq Team" members, a group of the American public that volunteered to promote and distribute the material. Singles were released on both 12" vinyl and compact discs. The first single off the "Superfriends" album, "Connected," was a West coast success. The song received large radio play from California hip-hop stations such as Power 106, KDAY, and 100.3 The Beat. The following singles "Do It Faster" and "In the Sun" were not as well received. Reception Track listing (*) indicates the song is still lost/unreleased. Cut tracks "You'd Be Lyin'" (featuring Peter Gunz) "I Don't Give a Fuck" (featuring The Lady of Rage) "4 Commandments" (featuring Sixx John) "It Takes Two" (featuring Nicole Scherzinger) (*) References Albums produced by Dr. Dre Albums produced by Rick Rock Shaquille O'Neal albums Unreleased albums Trauma Records albums Albums produced by L.T. Hutton
```xml import { render } from "@testing-library/react"; import React from "react"; import App from "coral-account/App"; import { CoralContext, CoralContextProvider, } from "coral-framework/lib/bootstrap"; export default function customRenderAppWithContext(context: CoralContext) { render( <CoralContextProvider value={context}> <App /> </CoralContextProvider> ); } ```
From Me to You is the first full album by the Japanese artist and songwriter Yui. It was released on February 22, 2006. The album title, From Me to You's message is , which means "All of These Songs, to You" in English. The album returned onto the Oricon Top 20 album charts due to the promotion of Yui's 5th single, "Good-bye Days", and the movie Midnight Sun. This album reached #4 rank weekly, charted for 121 weeks and sold more than 260,000 copies. Track listing References 2006 debut albums Yui (singer) albums Sony Music Entertainment Japan albums Japanese-language albums
This is a list of 646 species in Clivina, a genus of ground beetles in the family Carabidae. Clivina species Subgenus Antroforceps Barr, 1967 Clivina alabama Bousquet, 2012 Clivina bolivari (Barr, 1967) Clivina sasajii Ball, 2001 Subgenus Clivina Latreille, 1802 Clivina acutimentum Balkenohl, 2021 Clivina acutipalpis Putzeys, 1877 Clivina addita Darlington, 1934 Clivina adstricta Putzeys, 1867 Clivina aequalis Blackburn, 1890 Clivina agona Putzeys, 1867 Clivina agumbea Balkenohl, 2021 Clivina alleni Baehr, 2015 Clivina alternans Darlington, 1971 Clivina amazonica Putzeys, 1861 Clivina ambigua Baehr, 2015 Clivina ampandrandavae Basilewsky, 1973 Clivina angulicollis Baehr, 2015 Clivina angustipes Putzeys, 1868 Clivina antennaria Putzeys, 1867 Clivina anthracina Klug, 1862 Clivina antoni Balkenohl, 2018 Clivina apexopaca Balkenohl, 2021 Clivina apexplana Balkenohl, 2021 Clivina argenteicola Baehr, 2015 Clivina armata Putzeys, 1846 Clivina arnhemensis Baehr, 2015 Clivina arunachalensis Saha & Biswas, 1985 Clivina asymmetrica Baehr, 2015 Clivina athertonensis Baehr, 2015 Clivina atrata Putzeys, 1861 Clivina atridorsis Sloane, 1905 Clivina australasiae Boheman, 1858 Clivina australica Sloane, 1896 Clivina bacillaria Bates, 1889 Clivina balli Baehr, 2015 Clivina baloghi Baehr, 2015 Clivina bankae Baehr, 2017 Clivina banksi Sloane, 1907 Clivina basalis Chaudoir, 1843 Clivina bataviae Baehr, 2015 Clivina batesi Putzeys, 1867 Clivina bengalensis Putzeys, 1846 Clivina bicolor Putzeys, 1867 Clivina bicolorata Baehr, 2015 Clivina bicornuta Baehr, 2008 Clivina bidentata Putzeys, 1846 Clivina bifoveata Putzeys, 1861 Clivina bifoveifrons Baehr, 2015 Clivina biguttata Putzeys, 1867 Clivina bilyi Baehr, 2015 Clivina bingbong Baehr, 2015 Clivina biplagiata Putzeys, 1866 Clivina birdumensis Baehr, 2015 Clivina biroi Kult, 1951 Clivina bitincta Sloane, 1905 Clivina bituberculata Putzeys, 1867 Clivina blackburni Sloane, 1896 Clivina boliviensis Putzeys, 1846 Clivina boops Blackburn, 1890 Clivina bouchardi Baehr, 2015 Clivina bovillae Blackburn, 1890 Clivina bowenensis Baehr, 2008 Clivina brandti Darlington, 1962 Clivina breviceps Baehr, 2015 Clivina brevicollis Putzeys, 1867 Clivina brevicornis Darlington, 1962 Clivina brevior Putzeys, 1867 Clivina brevipennis Baehr, 2015 Clivina brevisterna Sloane, 1916 Clivina breviuscula Putzeys, 1867 Clivina brittoni Baehr, 2015 Clivina brooksi Baehr, 2015 Clivina brunnea Putzeys, 1846 Clivina brunnicolor Sloane, 1916 Clivina brunnipennis Putzeys, 1846 Clivina bulirschi Baehr, 2015 Clivina bullata Andrewes, 1927 Clivina bunburyana Baehr, 2015 Clivina burmeisteri Putzeys, 1867 Clivina cairnsensis Baehr, 2015 Clivina carbinensis Baehr, 2015 Clivina carbonaria Putzeys, 1867 Clivina carinifera Baehr, 2015 Clivina carnabyi Baehr, 2017 Clivina carpentaria Sloane, 1896 Clivina castanea Westwood, 1837 Clivina cava Putzeys, 1866 Clivina choatei Bousquet & Skelley, 2012 Clivina clarencea Baehr, 2015 Clivina clivinoides (Schmidt-Goebel, 1846) Clivina cobourgiana Baehr, 2017 Clivina cochlearia Baehr, 2015 Clivina collaris (Herbst, 1784) Clivina columbica Putzeys, 1846 Clivina communis Baehr, 2015 Clivina confinis Baehr, 2015 Clivina conicollis Baehr, 2017 Clivina consanguinea Baehr, 2015 Clivina consimilis Baehr, 2015 Clivina convexior Baehr, 2015 Clivina cooindae Baehr, 2017 Clivina cooperensis Baehr, 2015 Clivina coriacea Baehr, 2015 Clivina coronata Putzeys, 1873 Clivina corrugata Baehr, 2015 Clivina coryzoides Baehr, 1989 Clivina crassidentata Baehr, 2008 Clivina crassipennis Baehr, 2017 Clivina crawfordensis Baehr, 2015 Clivina crenulata Balkenohl, 2021 Clivina cribricollis Putzeys, 1861 Clivina cribrifrons Sloane, 1905 Clivina cribrosa Putzeys, 1868 Clivina cruciata Putzeys, 1867 Clivina cruralis Putzeys, 1867 Clivina csikii Kult, 1951 Clivina cubae Darlington, 1934 Clivina cuttacutta Baehr, 2015 Clivina cylindracea Baehr, 2008 Clivina cylindriformis Sloane, 1896 Clivina cylindripennis Sloane, 1905 Clivina dampieri Sloane, 1916 Clivina darlingtoni Baehr, 2008 Clivina darlingtoniana Baehr, 2015 Clivina darwinensis Baehr, 2015 Clivina darwini Sloane, 1916 Clivina dealata Darlington, 1962 Clivina debilis Blackburn, 1890 Clivina defaverii Baehr, 2008 Clivina deleta Darlington, 1962 Clivina delkeskampi Kult, 1959 Clivina demarzi Baehr, 1988 Clivina densepunctata Baehr, 2015 Clivina densesulcata Baehr, 2008 Clivina denticollis Sloane, 1896 Clivina dentifemorata Putzeys, 1846 Clivina deplanata Putzeys, 1867 Clivina depressa Kult, 1951 Clivina depressicollis Baehr, 1989 Clivina desperata Baehr, 2008 Clivina difformis Putzeys, 1868 Clivina diluta Darlington, 1953 Clivina dilutipes Putzeys, 1868 Clivina dimidiata Putzeys, 1866 Clivina dingo Sloane, 1905 Clivina discrepans Baehr, 2015 Clivina dissimilis Putzeys, 1846 Clivina distigma Putzeys, 1867 Clivina doddi Sloane, 1905 Clivina dolens Putzeys, 1873 Clivina dostali Baehr, 2015 Clivina douglasensis Baehr, 2015 Clivina drumonti Balkenohl, 2021 Clivina drysdalea Baehr, 2015 Clivina dubia Baehr, 2017 Clivina duboisi Burgeon, 1935 Clivina edithae Baehr, 2015 Clivina edungalbae Baehr, 2015 Clivina elegans Putzeys, 1861 Clivina elliott Baehr, 2015 Clivina elongata Chaudoir, 1843 Clivina elongatula Nietner, 1856 Clivina emarginata Putzeys, 1868 Clivina eremicola Blackburn, 1894 Clivina erugata Darlington, 1962 Clivina erugatella Darlington, 1962 Clivina erythropus Putzeys, 1846 Clivina euphratica Putzeys, 1867 Clivina excavatifrons Baehr, 2015 Clivina exilis Sloane, 1916 Clivina extensicollis Putzeys, 1846 Clivina ferruginea Putzeys, 1868 Clivina fessa Darlington, 1962 Clivina finitima Baehr, 2015 Clivina flava Putzeys, 1868 Clivina fluviatilis Baehr, 2015 Clivina fontisaliceae Baehr, 2008 Clivina fortis Sloane, 1896 Clivina fossifrons Putzeys, 1867 Clivina fossor (Linnaeus, 1758) Clivina fossulata Baehr, 2015 Clivina foveiceps Putzeys, 1846 Clivina foveifrons Baehr, 2017 Clivina foveiventris Baehr, 2015 Clivina frenchi Sloane, 1896 Clivina froggatti Sloane, 1896 Clivina frontalis Baehr, 2015 Clivina fuscicornis Putzeys, 1846 Clivina fuscipes Putzeys, 1846 Clivina gamma Andrewes, 1929 Clivina gemina Baehr, 2017 Clivina gentilis Baehr, 2015 Clivina germanni Balkenohl, 2021 Clivina gerstmeieri Baehr, 1989 Clivina gilesi Baehr, 2008 Clivina glabrata Baehr, 2015 Clivina glabriceps Baehr, 2015 Clivina glabripennis Baehr, 2017 Clivina goldingi Baehr, 2017 Clivina goniostoma Putzeys, 1867 Clivina gracilipes Sloane, 1896 Clivina grahami Baehr, 2015 Clivina grandiceps Sloane, 1896 Clivina grata Darlington, 1953 Clivina gressitti Darlington, 1962 Clivina grossi Baehr, 2008 Clivina gubarae Baehr, 2015 Clivina guineensis Kult, 1951 Clivina gunlomensis Baehr, 2015 Clivina hackeri Sloane, 1907 Clivina haeckeli Baehr, 2015 Clivina hanichi Baehr, 2008 Clivina hartleyi Baehr, 2015 Clivina hasenpuschi Baehr, 2015 Clivina heathlandica Baehr, 2015 Clivina helferi Putzeys, 1867 Clivina helmsi Blackburn, 1892 Clivina helmutbergeri Baehr, 2015 Clivina hennigi Baehr, 2015 Clivina heridgei Baehr, 2008 Clivina heros Baehr, 2017 Clivina heterogena Putzeys, 1866 Clivina hilaris Putzeys, 1861 Clivina hogani Balkenohl, 2021 Clivina hogenhoutae Baehr, 2015 Clivina horaki Baehr, 2017 Clivina horneri Baehr, 2017 Clivina houstoni Baehr, 2008 Clivina hovorkai Baehr, 2015 Clivina howdenorum Baehr, 2015 Clivina impressefrons LeConte, 1844 Clivina impressiceps Baehr, 2015 Clivina impuncticollis Baehr, 2015 Clivina inaequalifrons Baehr, 1989 Clivina inaequalis Putzeys, 1867 Clivina incerta Baehr, 2008 Clivina incurvicollis Baehr, 2017 Clivina inermis Baehr, 2015 Clivina infans Baehr, 2017 Clivina inopaca Darlington, 1962 Clivina inopinata Baehr, 2017 Clivina inops Baehr, 2008 Clivina integra Andrewes, 1929 Clivina interioris Baehr, 2008 Clivina interposita Baehr, 2017 Clivina intersecta Baehr, 1989 Clivina isogona Putzeys, 1868 Clivina jabiruensis Baehr, 2015 Clivina jakli Baehr, 2015 Clivina janae Kult, 1959 Clivina janetae Baehr, 2015 Clivina javanica Putzeys, 1846 Clivina jodasi Kult, 1959 Clivina kakaduana Baehr, 2015 Clivina kalumburu Baehr, 2015 Clivina kapuri Kult, 1951 Clivina karikali Jedlicka, 1964 Clivina kaszabi Kult, 1951 Clivina kershawi Sloane, 1916 Clivina kimberleyana Baehr, 2015 Clivina komareki Kult, 1951 Clivina kubor Darlington, 1971 Clivina kulti Darlington, 1962 Clivina kununurrae Baehr, 2015 Clivina laeta Putzeys, 1867 Clivina laetipes Putzeys, 1867 Clivina laevicollis Baehr, 2015 Clivina laevigata Baehr, 2017 Clivina lamondi Baehr, 2015 Clivina langeri Baehr, 2015 Clivina languida Baehr, 2015 Clivina larrimah Baehr, 2015 Clivina lata Putzeys, 1867 Clivina latesulcata Baehr, 2015 Clivina laticeps Putzeys, 1846 Clivina latimanus Putzeys, 1846 Clivina latiuscula Putzeys, 1867 Clivina leai Sloane, 1896 Clivina lebasii Putzeys, 1846 Clivina lepida Putzeys, 1866 Clivina leptosoma Andrewes, 1938 Clivina lewisi Andrewes, 1927 Clivina limbipennis Jacquelin du Val, 1857 Clivina lincolnensis Baehr, 2008 Clivina lobata Bonelli, 1813 Clivina lobifera Baehr, 2015 Clivina lobipes Sloane, 1896 Clivina longipennis Putzeys, 1861 Clivina longissima Baehr, 2015 Clivina longithorax Baehr, 2008 Clivina lucernicola Baehr, 2015 Clivina lucida Putzeys, 1867 Clivina lutea Baehr, 2015 Clivina macleayi Sloane, 1896 Clivina macularis Putzeys, 1867 Clivina madiganensis Baehr, 2015 Clivina magnicollis Baehr, 2008 Clivina mahoni Baehr, 2017 Clivina major Sloane, 1917 Clivina mareebae Baehr, 2015 Clivina marginata (Putzeys, 1868) Clivina marginicollis Putzeys, 1867 Clivina marlgu Baehr, 2015 Clivina mastersi Sloane, 1896 Clivina matarankae Baehr, 2015 Clivina matthewsi Baehr, 2015 Clivina mcquillani Baehr, 2015 Clivina media Putzeys, 1846 Clivina megalops Baehr, 2015 Clivina mekongensis Lesne, 1896 Clivina micans Baehr, 2017 Clivina mickoleiti Baehr, 2015 Clivina microps Baehr, 2015 Clivina minilyae Baehr, 2015 Clivina minuta Baehr, 2015 Clivina minutissima Baehr, 2015 Clivina mirrei Kult, 1959 Clivina misella Sloane, 1905 Clivina mjoebergi Baehr, 2008 Clivina mocquerysi Alluaud, 1935 Clivina moerens Putzeys, 1873 Clivina molucca Balkenohl, 2021 Clivina monilicornis Sloane, 1896 Clivina monteithi Baehr, 2015 Clivina monticola Andrewes, 1931 Clivina montisbelli Baehr, 2017 Clivina montisferrei Baehr, 2015 Clivina moreheadensis Baehr, 2015 Clivina moretona Baehr, 2017 Clivina morosa Baehr, 2008 Clivina muirellae Baehr, 2015 Clivina multispinosa Baehr, 2015 Clivina murgenellae Baehr, 2015 Clivina mustela Andrewes, 1923 Clivina myops Bousquet, 1997 Clivina nadineae Baehr, 2015 Clivina nana Sloane, 1896 Clivina napieria Baehr, 2015 Clivina netolitzkyi Kult, 1951 Clivina newcastleana Baehr, 2017 Clivina nicholsona Baehr, 2015 Clivina nigra Sloane, 1905 Clivina nigrosuturata Baehr, 2015 Clivina nitescens Baehr, 2017 Clivina nitidula Putzeys, 1867 Clivina normanbyensis Baehr, 2017 Clivina normandi Kult, 1959 Clivina normantona Baehr, 2015 Clivina nourlangie Baehr, 2015 Clivina nyctosyloides Putzeys, 1868 Clivina obliquata Putzeys, 1867 Clivina obliquicollis Sloane, 1905 Clivina oblita Putzeys, 1867 Clivina oblonga (Putzeys, 1873) Clivina obscuripennis Putzeys, 1867 Clivina obscuripes Blackburn, 1890 Clivina obsoleta Sloane, 1896 Clivina occulta Sloane, 1896 Clivina odontomera Putzeys, 1868 Clivina okutanii Habu, 1958 Clivina olliffi Sloane, 1896 Clivina oodnadattae Blackburn, 1894 Clivina orbitalis Baehr, 2008 Clivina oregona Fall, 1922 Clivina ovalior Baehr, 2017 Clivina ovalipennis Sloane, 1905 Clivina pachysoma Baehr, 2017 Clivina pallida Say, 1823 Clivina pallidiceps Sloane, 1905 Clivina pampicola Putzeys, 1867 Clivina pandana Andrewes, 1938 Clivina paradebilis Baehr, 2008 Clivina parallela Lesne, 1896 Clivina parolliffi Baehr, 2015 Clivina parryensis Baehr, 2015 Clivina parryi Putzeys, 1861 Clivina parvidens Putzeys, 1867 Clivina parvula Putzeys, 1867 Clivina paucidentata Baehr, 2015 Clivina pectonada Sloane, 1905 Clivina pectoralis Putzeys, 1868 Clivina peninsulae Baehr, 2015 Clivina pentecostensis Baehr, 2015 Clivina perlonga Baehr, 2015 Clivina pernigra Baehr, 2015 Clivina perthensis Baehr, 1989 Clivina pfisteri Andrewes, 1930 Clivina picina Andrewes, 1936 Clivina pilbarae Baehr, 2015 Clivina pileolata Bates, 1892 Clivina planiceps Putzeys, 1861 Clivina planicollis LeConte, 1857 Clivina planifrons Sloane, 1907 Clivina planulata Putzeys, 1867 Clivina platensis Putzeys, 1867 Clivina platynota Baehr, 2017 Clivina pluridentata Putzeys, 1877 Clivina plurisetofaria Balkenohl, 2021 Clivina pravei Lutshnik, 1927 Clivina procera Putzeys, 1866 Clivina profundestriolata Baehr, 2017 Clivina pronotalis Baehr, 2015 Clivina protibialis Baehr, 2008 Clivina punctaticeps Putzeys, 1868 Clivina puncticeps Darlington, 1962 Clivina punctifrons Putzeys, 1867 Clivina punctigera LeConte, 1857 Clivina punctiventris Putzeys, 1867 Clivina punctulata LeConte, 1852 Clivina putzeysi Csiki, 1927 Clivina quadrata Putzeys, 1867 Clivina quadraticollis Baehr, 2015 Clivina quadratifrons Sloane, 1896 Clivina quadricornuta Baehr, 2015 Clivina quadristriata Baehr, 2008 Clivina queenslandica Sloane, 1896 Clivina quinquesetosa Baehr, 2015 Clivina rectipennis Baehr, 2017 Clivina recurvidens Putzeys, 1867 Clivina regularis Sloane, 1896 Clivina reticulata Baehr, 2015 Clivina riverinae Sloane, 1896 Clivina robusta Sloane, 1905 Clivina rokebyensis Baehr, 2015 Clivina roperensis Baehr, 2015 Clivina rubicunda LeConte, 1857 Clivina rubripes Putzeys, 1868 Clivina rubropicea Baehr, 2015 Clivina rufipennis Baehr, 2008 Clivina rufonigra Baehr, 1989 Clivina rufula Darlington, 1962 Clivina rugicollis Baehr, 2015 Clivina rugosepunctata Baehr, 2015 Clivina rugosifrons Baehr, 2017 Clivina rugosofemoralis Balkenohl, 1999 Clivina ryaceki Baehr, 2017 Clivina sabulosa W.S.MacLeay, 1825 Clivina sagittifera Baehr, 2015 Clivina sansapor Darlington, 1962 Clivina saundersi Andrewes, 1926 Clivina scabra Baehr, 2015 Clivina schaubergeri Kult, 1951 Clivina schillhammeri Balkenohl, 2021 Clivina sculpticeps Darlington, 1953 Clivina sectifrons Bates, 1892 Clivina sellata Putzeys, 1866 Clivina semicava Baehr, 2015 Clivina semirubra Baehr, 2017 Clivina shortlandica Emden, 1937 Clivina siamica Putzeys, 1867 Clivina sicula Baudi di Selve, 1864 Clivina simillima Baehr, 2015 Clivina simulans Sloane, 1896 Clivina sinuicola Baehr, 2017 Clivina sloanei Csiki, 1927 Clivina sodalis Baehr, 2015 Clivina soror Baehr, 2008 Clivina sororcula Baehr, 2015 Clivina spadix Andrewes, 1929 Clivina spatulata Baehr, 2015 Clivina spatulifera Andrewes, 1929 Clivina spinipes Putzeys, 1867 Clivina stefaniana G.Müller, 1942 Clivina sternalis Baehr, 2015 Clivina storeyi Baehr, 2015 Clivina stricta Putzeys, 1861 Clivina stygica Putzeys, 1867 Clivina subdepressa Kult, 1951 Clivina subfoveiceps Kult, 1959 Clivina subfusa Darlington, 1962 Clivina subrufipes Baehr, 2017 Clivina sulcaticeps Sloane, 1923 Clivina sulcicollis Sloane, 1896 Clivina suturalis Putzeys, 1861 Clivina svenssoni Basilewsky, 1946 Clivina synnotensis Baehr, 2015 Clivina synoikos Baehr, 2015 Clivina syriaca J.Sahlberg, 1908 Clivina szekessyi Kult, 1951 Clivina szitoi Baehr, 2008 Clivina talpa Andrewes, 1927 Clivina tanami Baehr, 2015 Clivina taurina Putzeys, 1867 Clivina tenuis Baehr, 2015 Clivina territorialis Baehr, 2008 Clivina thenmala Balkenohl, 2021 Clivina thoracica Baehr, 2017 Clivina toledanoi Baehr, 2015 Clivina toombae Baehr, 2015 Clivina torrida Putzeys, 1867 Clivina toxopei Darlington, 1962 Clivina tozeria Baehr, 2015 Clivina trachys Andrewes, 1930 Clivina transgrediens Baehr, 2015 Clivina transversa Putzeys, 1867 Clivina transversicollis Putzeys, 1867 Clivina trapezicollis Baehr, 2015 Clivina tribulationis Baehr, 2015 Clivina tridentata Putzeys, 1867 Clivina tripuncta Darlington, 1962 Clivina triseriata Baehr, 2017 Clivina tristis Putzeys, 1846 Clivina truncata Putzeys, 1877 Clivina tuberculata Putzeys, 1846 Clivina tuberculifrons Blackburn, 1890 Clivina ubirr Baehr, 2015 Clivina ulrichi Baehr, 2015 Clivina uluru Baehr, 2015 Clivina uncinata Baehr, 2017 Clivina uptoni Baehr, 2015 Clivina vagans Putzeys, 1866 Clivina validior Baehr, 2015 Clivina variabilis Baehr, 2015 Clivina variseta Baehr, 2017 Clivina ventripunctata Baehr, 2015 Clivina vicina Baehr, 2008 Clivina victoriae Baehr, 2017 Clivina vigil Darlington, 1962 Clivina vittata Sloane, 1896 Clivina vixsulcata Baehr, 2017 Clivina vulgivaga Boheman, 1858 Clivina wachteli Baehr, 2015 Clivina wallacei Putzeys, 1867 Clivina weanyanae Baehr, 2015 Clivina weipae Baehr, 2015 Clivina weiri Baehr, 2015 Clivina werrisensis Baehr, 2015 Clivina westralis Baehr, 2015 Clivina westwoodi Putzeys, 1867 Clivina wildi Blackburn, 1890 Clivina wiluna Darlington, 1953 Clivina windjanae Baehr, 2017 Clivina wurargae Baehr, 2008 Clivina yanoi Kult, 1951 Clivina ypsilon Dejean, 1830 Clivina zborowskii Baehr, 2015 Subgenus Cliviniella Kult, 1959 Clivina albertiana Burgeon, 1935 Clivina camerunensis Kult, 1959 Clivina ghesquierei Kult, 1959 Clivina veselyi Kult, 1959 Subgenus Dacca Putzeys, 1861 Clivina boreri Balkenohl, 2020 Clivina forcipata (Putzeys, 1861) Clivina ursulae Balkenohl, 2020 Subgenus Eoclivina Kult, 1959 Clivina attenuata (Herbst, 1806) Clivina bhamoensis Bates, 1892 Clivina burgeoni Kult, 1959 Clivina dumolinii Putzeys, 1846 Clivina machadoi Basilewsky, 1955 Clivina sagittaria Bates, 1892 Clivina striata Putzeys, 1846 Clivina sulcigera Putzeys, 1867 Subgenus Leucocara Bousquet, 2009 Clivina acuducta Haldeman, 1843 Clivina allaeri Kult, 1959 Clivina alluaudi Kult, 1947 Clivina americana Dejean, 1831 Clivina angolana Kult, 1959 Clivina antoinei Kult, 1959 Clivina aucta Erichson, 1843 Clivina baenningeri Kult, 1951 Clivina balfourbrownei Kult, 1951 Clivina bartolozzii Magrini & Bulirsch, 2021 Clivina basilewskyi Kult, 1959 Clivina birmanica Kult, 1951 Clivina caffra Putzeys, 1861 Clivina californica Van Dyke, 1925 Clivina capensis Kult, 1959 Clivina cardiothorax Baehr, 2008 Clivina championi Kult, 1951 Clivina clypealis Baehr, 2008 Clivina collarti Burgeon, 1935 Clivina consobrina Putzeys, 1867 Clivina coomani Kult, 1951 Clivina damarina Péringuey, 1896 Clivina decellei Basilewsky, 1968 Clivina dewaillyi Kult, 1959 Clivina donabaueri Dostal, 2012 Clivina erythropyga Putzeys, 1867 Clivina esulcata Baehr, 2008 Clivina femoralis Putzeys, 1846 Clivina fratercula Baehr, 2008 Clivina girardi Kult, 1959 Clivina heinemanni Kult, 1959 Clivina hoberlandti Kult, 1951 Clivina insignis Kult, 1959 Clivina interstitialis Kolbe, 1883 Clivina jeanneli Kult, 1959 Clivina katangana Kult, 1959 Clivina kawa Basilewsky, 1948 Clivina kirschenhoferi Dostal, 2012 Clivina kochi Schatzmayr, 1936 Clivina lacustris Putzeys, 1867 Clivina laevifrons Chaudoir, 1842 Clivina latior Baehr, 2008 Clivina lebisi Kult, 1959 Clivina legorskyi Dostal, 2012 Clivina madagascariensis Putzeys, 1846 Clivina makolskii Kult, 1959 Clivina martii Kult, 1959 Clivina martinbaehri Dostal & Bulirsch, 2016 Clivina maxima Kult, 1959 Clivina montei Kult, 1959 Clivina mordax Putzeys, 1861 Clivina morio Dejean, 1831 Clivina muelleri Kult, 1959 Clivina ngayensis Burgeon, 1935 Clivina niponensis Bates, 1873 Clivina obenbergeri Kult, 1951 Clivina opacidermis Baehr, 1989 Clivina orientalis Kult, 1959 Clivina pacholatkoi Dostal & Bulirsch, 2016 Clivina palmeni Kult, 1959 Clivina perplexa Péringuey, 1896 Clivina pfefferi Kult, 1951 Clivina rufa LeConte, 1857 Clivina rugiceps Klug, 1832 Clivina sacra Putzeys, 1875 Clivina saigonica Kult, 1951 Clivina sakalava Dostal, 2016 Clivina schatzmayri Kult, 1959 Clivina schuhi Dostal, 2016 Clivina semicarinata Putzeys, 1877 Clivina simplicifrons Fairmaire, 1901 Clivina sobrina Dejean, 1831 Clivina straneoi Kult, 1959 Clivina subterranea Decou; Nitzu & Juberthie, 1994 Clivina sudanensis Kult, 1959 Clivina tanganyikana Kult, 1959 Clivina tranquebarica Bonelli, 1813 Clivina tutancamon Schatzmayr, 1936 Clivina vosahloi Kult, 1959 Clivina yorkiana Baehr, 2008 Clivina zebi Kult, 1951 Subgenus Paraclivina Kult, 1947 Clivina bipustulata (Fabricius, 1798) Clivina convexa LeConte, 1844 Clivina fasciata Putzeys, 1846 Clivina fassatii Kult, 1947 Clivina ferrea LeConte, 1857 Clivina floridae Csiki, 1927 Clivina marginipennis Putzeys, 1846 Clivina postica LeConte, 1846 Clivina stigmula Putzeys, 1846 Clivina striatopunctata Dejean, 1831 Clivina sulcipennis Putzeys, 1867 Subgenus Physoclivina Kult, 1959 Clivina bulirschi Dostal, 2015 Clivina donabaueriana Dostal, 2015 Clivina dostaliana Balkenohl, 2018 Clivina physopleura Burgeon, 1935 References Clivina
Ormiston Maritime Academy (formerly known as Hereford Technology School) is a secondary school with academy status in Grimsby, North East Lincolnshire, England. The school has an intake of 1048 pupils, aged 11 to 16. In the last Ofsted report under its former name, Hereford Technology School, the school was found to have a larger proportion of pupils with disabilities or special learning requirements than is found on average nationally. The school has facilities to address these needs, and Extended Services for pupils and parents. The school gained specialist technology status in 2000, and moved into a new building in October 2010. The school gained Academy status on 1 August 2011 when it became Ormiston Maritime Academy. It is sponsored by the Ormiston Academies Trust. Notable alumni Jane Andrews—murderer of Tom Cressman Stuart Carrington—professional snooker player Gary Lloyd—West End theatre director and choreographer Danny North—footballer, formerly of Grimsby Town, subsequent League of Ireland and FAI Cup winner References External links Ormiston Maritime Academy web site, Retrieved 19 January 2012 Academies in the Borough of North East Lincolnshire Schools in Grimsby Secondary schools in the Borough of North East Lincolnshire Ormiston Academies
```go // +build !windows package main import ( "bufio" "bytes" "encoding/json" "io/ioutil" "os" "os/exec" "path/filepath" "regexp" "strings" "time" "github.com/docker/docker/integration-cli/checker" "github.com/docker/docker/integration-cli/cli" "github.com/docker/docker/integration-cli/cli/build" "github.com/docker/docker/integration-cli/cli/build/fakecontext" "github.com/docker/docker/pkg/testutil" icmd "github.com/docker/docker/pkg/testutil/cmd" "github.com/docker/go-units" "github.com/go-check/check" ) func (s *DockerSuite) TestBuildResourceConstraintsAreUsed(c *check.C) { testRequires(c, cpuCfsQuota) name := "testbuildresourceconstraints" ctx := fakecontext.New(c, "", fakecontext.WithDockerfile(` FROM hello-world:frozen RUN ["/hello"] `)) cli.Docker( cli.Args("build", "--no-cache", "--rm=false", "--memory=64m", "--memory-swap=-1", "--cpuset-cpus=0", "--cpuset-mems=0", "--cpu-shares=100", "--cpu-quota=8000", "--ulimit", "nofile=42", "-t", name, "."), cli.InDir(ctx.Dir), ).Assert(c, icmd.Success) out := cli.DockerCmd(c, "ps", "-lq").Combined() cID := strings.TrimSpace(out) type hostConfig struct { Memory int64 MemorySwap int64 CpusetCpus string CpusetMems string CPUShares int64 CPUQuota int64 Ulimits []*units.Ulimit } cfg := inspectFieldJSON(c, cID, "HostConfig") var c1 hostConfig err := json.Unmarshal([]byte(cfg), &c1) c.Assert(err, checker.IsNil, check.Commentf(cfg)) c.Assert(c1.Memory, checker.Equals, int64(64*1024*1024), check.Commentf("resource constraints not set properly for Memory")) c.Assert(c1.MemorySwap, checker.Equals, int64(-1), check.Commentf("resource constraints not set properly for MemorySwap")) c.Assert(c1.CpusetCpus, checker.Equals, "0", check.Commentf("resource constraints not set properly for CpusetCpus")) c.Assert(c1.CpusetMems, checker.Equals, "0", check.Commentf("resource constraints not set properly for CpusetMems")) c.Assert(c1.CPUShares, checker.Equals, int64(100), check.Commentf("resource constraints not set properly for CPUShares")) c.Assert(c1.CPUQuota, checker.Equals, int64(8000), check.Commentf("resource constraints not set properly for CPUQuota")) c.Assert(c1.Ulimits[0].Name, checker.Equals, "nofile", check.Commentf("resource constraints not set properly for Ulimits")) c.Assert(c1.Ulimits[0].Hard, checker.Equals, int64(42), check.Commentf("resource constraints not set properly for Ulimits")) // Make sure constraints aren't saved to image cli.DockerCmd(c, "run", "--name=test", name) cfg = inspectFieldJSON(c, "test", "HostConfig") var c2 hostConfig err = json.Unmarshal([]byte(cfg), &c2) c.Assert(err, checker.IsNil, check.Commentf(cfg)) c.Assert(c2.Memory, check.Not(checker.Equals), int64(64*1024*1024), check.Commentf("resource leaked from build for Memory")) c.Assert(c2.MemorySwap, check.Not(checker.Equals), int64(-1), check.Commentf("resource leaked from build for MemorySwap")) c.Assert(c2.CpusetCpus, check.Not(checker.Equals), "0", check.Commentf("resource leaked from build for CpusetCpus")) c.Assert(c2.CpusetMems, check.Not(checker.Equals), "0", check.Commentf("resource leaked from build for CpusetMems")) c.Assert(c2.CPUShares, check.Not(checker.Equals), int64(100), check.Commentf("resource leaked from build for CPUShares")) c.Assert(c2.CPUQuota, check.Not(checker.Equals), int64(8000), check.Commentf("resource leaked from build for CPUQuota")) c.Assert(c2.Ulimits, checker.IsNil, check.Commentf("resource leaked from build for Ulimits")) } func (s *DockerSuite) TestBuildAddChangeOwnership(c *check.C) { testRequires(c, DaemonIsLinux) name := "testbuildaddown" ctx := func() *fakecontext.Fake { dockerfile := ` FROM busybox ADD foo /bar/ RUN [ $(stat -c %U:%G "/bar") = 'root:root' ] RUN [ $(stat -c %U:%G "/bar/foo") = 'root:root' ] ` tmpDir, err := ioutil.TempDir("", "fake-context") c.Assert(err, check.IsNil) testFile, err := os.Create(filepath.Join(tmpDir, "foo")) if err != nil { c.Fatalf("failed to create foo file: %v", err) } defer testFile.Close() icmd.RunCmd(icmd.Cmd{ Command: []string{"chown", "daemon:daemon", "foo"}, Dir: tmpDir, }).Assert(c, icmd.Success) if err := ioutil.WriteFile(filepath.Join(tmpDir, "Dockerfile"), []byte(dockerfile), 0644); err != nil { c.Fatalf("failed to open destination dockerfile: %v", err) } return fakecontext.New(c, tmpDir) }() defer ctx.Close() buildImageSuccessfully(c, name, build.WithExternalBuildContext(ctx)) } // Test that an infinite sleep during a build is killed if the client disconnects. // This test is fairly hairy because there are lots of ways to race. // Strategy: // * Monitor the output of docker events starting from before // * Run a 1-year-long sleep from a docker build. // * When docker events sees container start, close the "docker build" command // * Wait for docker events to emit a dying event. func (s *DockerSuite) TestBuildCancellationKillsSleep(c *check.C) { testRequires(c, DaemonIsLinux) name := "testbuildcancellation" observer, err := newEventObserver(c) c.Assert(err, checker.IsNil) err = observer.Start() c.Assert(err, checker.IsNil) defer observer.Stop() // (Note: one year, will never finish) ctx := fakecontext.New(c, "", fakecontext.WithDockerfile("FROM busybox\nRUN sleep 31536000")) defer ctx.Close() buildCmd := exec.Command(dockerBinary, "build", "-t", name, ".") buildCmd.Dir = ctx.Dir stdoutBuild, err := buildCmd.StdoutPipe() c.Assert(err, checker.IsNil) if err := buildCmd.Start(); err != nil { c.Fatalf("failed to run build: %s", err) } matchCID := regexp.MustCompile("Running in (.+)") scanner := bufio.NewScanner(stdoutBuild) outputBuffer := new(bytes.Buffer) var buildID string for scanner.Scan() { line := scanner.Text() outputBuffer.WriteString(line) outputBuffer.WriteString("\n") if matches := matchCID.FindStringSubmatch(line); len(matches) > 0 { buildID = matches[1] break } } if buildID == "" { c.Fatalf("Unable to find build container id in build output:\n%s", outputBuffer.String()) } testActions := map[string]chan bool{ "start": make(chan bool, 1), "die": make(chan bool, 1), } matcher := matchEventLine(buildID, "container", testActions) processor := processEventMatch(testActions) go observer.Match(matcher, processor) select { case <-time.After(10 * time.Second): observer.CheckEventError(c, buildID, "start", matcher) case <-testActions["start"]: // ignore, done } // Send a kill to the `docker build` command. // Causes the underlying build to be cancelled due to socket close. if err := buildCmd.Process.Kill(); err != nil { c.Fatalf("error killing build command: %s", err) } // Get the exit status of `docker build`, check it exited because killed. if err := buildCmd.Wait(); err != nil && !testutil.IsKilled(err) { c.Fatalf("wait failed during build run: %T %s", err, err) } select { case <-time.After(10 * time.Second): observer.CheckEventError(c, buildID, "die", matcher) case <-testActions["die"]: // ignore, done } } ```
James Lowe is an orchestra conductor and current Music Director of the Spokane Symphony in Spokane, WA beginning in the 2019-2020 season. He assumed his role of Chief Conductor of the Prussian Chamber Orchestra for the 2015/16 season. His work as Artistic Director of the Hallé Harmony Youth Orchestra was featured in a four-part documentary shown in the UK on Channel 4 in 2010. A recipient of the Bernard Haitink Fund for Young Talent, Lowe is Principal Conductor of the Edinburgh Contemporary Music Ensemble, Principal Guest Conductor of Music for Everyone, Orchestras Advisor and conductor of the Senior Orchestra of the National Youth Orchestra of Scotland and held the position of Associate Conductor of the Royal Scottish National Orchestra. Lowe is also Artistic Advisor of the Nottingham Youth Orchestra, with whom he began his orchestral career. Early life Lowe was born in Nottingham. His first venture into the world of music was the study of the viola. He began viola lessons aged 13 and later went on to study the instrument privately with John White. He then studied music at the University of Edinburgh gaining a First Class Honours degree in music. Lowe's first conducting experience was with the Nottingham Youth Orchestra, with whom he conducted Shostakovich's Symphony No 5 in D minor. Having conducted most of the main ensembles at the University of Edinburgh during his time as a student there Lowe continued his study of conducting in a series of master classes with legendary Finnish conducting teacher Jorma Panula and continued studies with Bernard Haitink, Neeme Järvi and Valery Gergiev. Career Educated at the University of Edinburgh, Lowe continued his development as Benjamin Zander Conducting Fellow with the Boston Philharmonic, and has studied with leading conductors in master classes, including Jorma Panula, Neeme Järvi, Bernard Haitink and with Valery Gergiev and the London Symphony Orchestra. He has worked as Assistant Conductor to Haitink in performances with the Concertgebouw Orchestra in Amsterdam. One of two prizewinners in the Tokyo International Music Competition for Conducting and special prize winner in the Jorma Panula International Competition, he has appeared in performance with the Osaka and Tokyo Philharmonic Orchestras, the Trondheim Symphony Orchestra, the Moscow Chamber Orchestra, the St. Petersburg Academic Symphony Orchestra, the New Japan Philharmonic, the Indianapolis Symphony Orchestra, the Hallé Orchestra, the BBC Philharmonic, Scottish Ballet, the orchestra of Welsh National Opera, the Royal Liverpool Philharmonic and the Scottish Chamber Orchestra, and the Edinburgh Contemporary Music Ensemble as well as working with numerous other ensembles in many European countries, South Africa and the USA. In June 2019, Lowe was announced as Music Director for the Spokane Symphony from a pool of five candidates who conducted the orchestra for a "Classics" concert during the 2018-2019 season. He began full-time direction for the orchestra’s 2019-2020 season. Lowe is also active as a teacher of conducting and is undertaking research exploring ways in which orchestras can meaningfully engage with a greater public. References 1976 births British male conductors (music) British classical violists Living people Musicians from Nottingham Alumni of the University of Edinburgh 21st-century British conductors (music) 21st-century British male musicians 21st-century violists
```c++ /* */ #include "PDFHighLevelEncoder.h" #include "PDFCompaction.h" #include "CharacterSet.h" #include "ECI.h" #include "TextEncoder.h" #include "ZXBigInteger.h" #include "ZXAlgorithms.h" #include <cstdint> #include <algorithm> #include <string> #include <stdexcept> namespace ZXing { namespace Pdf417 { /** * code for Text compaction */ static const int TEXT_COMPACTION = 0; /** * code for Byte compaction */ static const int BYTE_COMPACTION = 1; /** * code for Numeric compaction */ static const int NUMERIC_COMPACTION = 2; /** * Text compaction submode Alpha */ static const int SUBMODE_ALPHA = 0; /** * Text compaction submode Lower */ static const int SUBMODE_LOWER = 1; /** * Text compaction submode Mixed */ static const int SUBMODE_MIXED = 2; /** * Text compaction submode Punctuation */ static const int SUBMODE_PUNCTUATION = 3; /** * mode latch to Text Compaction mode */ static const int LATCH_TO_TEXT = 900; /** * mode latch to Byte Compaction mode (number of characters NOT a multiple of 6) */ static const int LATCH_TO_BYTE_PADDED = 901; /** * mode latch to Numeric Compaction mode */ static const int LATCH_TO_NUMERIC = 902; /** * mode shift to Byte Compaction mode */ static const int SHIFT_TO_BYTE = 913; /** * mode latch to Byte Compaction mode (number of characters a multiple of 6) */ static const int LATCH_TO_BYTE = 924; /** * identifier for a user defined Extended Channel Interpretation (ECI) */ static const int ECI_USER_DEFINED = 925; /** * identifier for a general purpose ECO format */ static const int ECI_GENERAL_PURPOSE = 926; /** * identifier for an ECI of a character set of code page */ static const int ECI_CHARSET = 927; /** * Raw code table for text compaction Mixed sub-mode */ //static const uint8_t TEXT_MIXED_RAW[] = { // 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 38, 13, 9, 44, 58, // 35, 45, 46, 36, 47, 43, 37, 42, 61, 94, 0, 32, 0, 0, 0 }; /** * Raw code table for text compaction: Punctuation sub-mode */ //static const uint8_t TEXT_PUNCTUATION_RAW[] = { // 59, 60, 62, 64, 91, 92, 93, 95, 96, 126, 33, 13, 9, 44, 58, // 10, 45, 46, 36, 47, 34, 124, 42, 40, 41, 63, 123, 125, 39, 0 }; //static { // //Construct inverse lookups // Arrays.fill(MIXED, (byte)-1); // for (byte i = 0; i < TEXT_MIXED_RAW.length; i++) { // byte b = TEXT_MIXED_RAW[i]; // if (b > 0) { // MIXED[b] = i; // } // } // Arrays.fill(PUNCTUATION, (byte)-1); // for (byte i = 0; i < TEXT_PUNCTUATION_RAW.length; i++) { // byte b = TEXT_PUNCTUATION_RAW[i]; // if (b > 0) { // PUNCTUATION[b] = i; // } // } //} static const int8_t MIXED[] = { -1, -1, -1, -1, -1, -1, -1, -1, -1, 12, -1, -1, -1, 11, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 26, -1, -1, 15, 18, 21, 10, -1, -1, -1, 22, 20, 13, 16, 17, 19, 0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 14, -1, -1, 23, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 24, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, }; static const int8_t PUNCTUATION[] = { -1, -1, -1, -1, -1, -1, -1, -1, -1, 12, 15, -1, -1, 11, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 10, 20, -1, 18, -1, -1, 28, 23, 24, 22, -1, 13, 16, 17, 19, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 14, 0, 1, -1, 2, 25, 3, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 4, 5, 6, -1, 7, 8, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 26, 21, 27, 9, -1, }; static void EncodingECI(int eci, std::vector<int>& buffer) { if (eci >= 0 && eci < 900) { buffer.push_back(ECI_CHARSET); buffer.push_back(eci); } else if (eci >= 900 && eci < 810900) { buffer.push_back(ECI_GENERAL_PURPOSE); buffer.push_back(eci / 900 - 1); buffer.push_back(eci % 900); } else if (eci >= 810900 && eci < 811800) { buffer.push_back(ECI_USER_DEFINED); buffer.push_back(eci - 810900); } else { throw std::invalid_argument("ECI number not in valid range from 0..811799"); } } static bool IsDigit(int ch) { return ch >= '0' && ch <= '9'; } static bool IsAlphaUpper(int ch) { return ch == ' ' || (ch >= 'A' && ch <= 'Z'); } static bool IsAlphaLower(int ch) { return ch == ' ' || (ch >= 'a' && ch <= 'z'); } static bool IsMixed(int ch) { return (ch & 0x7f) == ch && MIXED[ch] != -1; } static bool IsPunctuation(int ch) { return (ch & 0x7f) == ch && PUNCTUATION[ch] != -1; } static bool IsText(int ch) { return ch == '\t' || ch == '\n' || ch == '\r' || (ch >= 32 && ch <= 126); } /** * Encode parts of the message using Text Compaction as described in ISO/IEC 15438:2001(E), * chapter 4.4.2. * * @param msg the message * @param startpos the start position within the message * @param count the number of characters to encode * @param submode should normally be SUBMODE_ALPHA * @param output receives the encoded codewords * @return the text submode in which this method ends */ static int EncodeText(const std::wstring& msg, int startpos, int count, int submode, std::vector<int>& output) { std::vector<int> tmp; tmp.reserve(count); int idx = 0; while (true) { int ch = msg[startpos + idx]; switch (submode) { case SUBMODE_ALPHA: if (IsAlphaUpper(ch)) { tmp.push_back(ch == ' ' ? 26 : (ch - 65)); // space } else if (IsAlphaLower(ch)) { submode = SUBMODE_LOWER; tmp.push_back(27); // ll continue; } else if (IsMixed(ch)) { submode = SUBMODE_MIXED; tmp.push_back(28); // ml continue; } else { tmp.push_back(29); // ps tmp.push_back(PUNCTUATION[ch]); } break; case SUBMODE_LOWER: if (IsAlphaLower(ch)) { tmp.push_back(ch == ' ' ? 26 : (ch - 97)); // space } else if (IsAlphaUpper(ch)) { tmp.push_back(27); // as tmp.push_back(ch - 65); // space cannot happen here, it is also in "Lower" } else if (IsMixed(ch)) { submode = SUBMODE_MIXED; tmp.push_back(28); // ml continue; } else { tmp.push_back(29); // ps tmp.push_back(PUNCTUATION[ch]); } break; case SUBMODE_MIXED: if (IsMixed(ch)) { tmp.push_back(MIXED[ch]); } else if (IsAlphaUpper(ch)) { submode = SUBMODE_ALPHA; tmp.push_back(28); // al continue; } else if (IsAlphaLower(ch)) { submode = SUBMODE_LOWER; tmp.push_back(27); // ll continue; } else { if (startpos + idx + 1 < count) { int next = msg[startpos + idx + 1]; if (IsPunctuation(next)) { submode = SUBMODE_PUNCTUATION; tmp.push_back(25); // pl continue; } } tmp.push_back(29); // ps tmp.push_back(PUNCTUATION[ch]); } break; default: // SUBMODE_PUNCTUATION if (IsPunctuation(ch)) { tmp.push_back(PUNCTUATION[ch]); } else { submode = SUBMODE_ALPHA; tmp.push_back(29); // al continue; } } idx++; if (idx >= count) { break; } } int h = 0; size_t len = tmp.size(); for (size_t i = 0; i < len; i++) { bool odd = (i % 2) != 0; if (odd) { h = (h * 30) + tmp[i]; output.push_back(h); } else { h = tmp[i]; } } if ((len % 2) != 0) { output.push_back((h * 30) + 29); //ps } return submode; } /** * Encode parts of the message using Byte Compaction as described in ISO/IEC 15438:2001(E), * chapter 4.4.3. The Unicode characters will be converted to binary using the cp437 * codepage. * * @param bytes the message converted to a byte array * @param startpos the start position within the message * @param count the number of bytes to encode * @param startmode the mode from which this method starts * @param output receives the encoded codewords */ static void EncodeBinary(const std::string& bytes, int startpos, int count, int startmode, std::vector<int>& output) { if (count == 1 && startmode == TEXT_COMPACTION) { output.push_back(SHIFT_TO_BYTE); } else { if ((count % 6) == 0) { output.push_back(LATCH_TO_BYTE); } else { output.push_back(LATCH_TO_BYTE_PADDED); } } int idx = startpos; // Encode sixpacks if (count >= 6) { int chars[5]; while ((startpos + count - idx) >= 6) { long t = 0; for (int i = 0; i < 6; i++) { t <<= 8; t += bytes[idx + i] & 0xff; } for (int i = 0; i < 5; i++) { chars[i] = t % 900; t /= 900; } for (int i = 4; i >= 0; i--) { output.push_back(chars[i]); } idx += 6; } } //Encode rest (remaining n<5 bytes if any) for (int i = idx; i < startpos + count; i++) { int ch = bytes[i] & 0xff; output.push_back(ch); } } static void EncodeNumeric(const std::wstring& msg, int startpos, int count, std::vector<int>& output) { int idx = 0; std::vector<int> tmp; tmp.reserve(count / 3 + 1); BigInteger num900(900); while (idx < count) { tmp.clear(); int len = std::min(44, count - idx); auto part = L"1" + msg.substr(startpos + idx, len); BigInteger bigint, r; BigInteger::TryParse(part, bigint); do { BigInteger::Divide(bigint, num900, bigint, r); tmp.push_back(r.toInt()); } while (!bigint.isZero()); //Reverse temporary string output.insert(output.end(), tmp.rbegin(), tmp.rend()); idx += len; } } /** * Determines the number of consecutive characters that are encodable using numeric compaction. * * @param msg the message * @param startpos the start position within the message * @return the requested character count */ static int DetermineConsecutiveDigitCount(const std::wstring& msg, int startpos) { int count = 0; size_t len = msg.length(); size_t idx = startpos; if (idx < len) { int ch = msg[idx]; while (IsDigit(ch) && idx < len) { count++; idx++; if (idx < len) { ch = msg[idx]; } } } return count; } /** * Determines the number of consecutive characters that are encodable using text compaction. * * @param msg the message * @param startpos the start position within the message * @return the requested character count */ static int DetermineConsecutiveTextCount(const std::wstring& msg, int startpos) { size_t len = msg.length(); size_t idx = startpos; while (idx < len) { int ch = msg[idx]; int numericCount = 0; while (numericCount < 13 && IsDigit(ch) && idx < len) { numericCount++; idx++; if (idx < len) { ch = msg[idx]; } } if (numericCount >= 13) { return static_cast<int>(idx - startpos - numericCount); } if (numericCount > 0) { //Heuristic: All text-encodable chars or digits are binary encodable continue; } ch = msg[idx]; //Check if character is encodable if (!IsText(ch)) { break; } idx++; } return static_cast<int>(idx - startpos); } /** * Determines the number of consecutive characters that are encodable using binary compaction. * * @param msg the message * @param startpos the start position within the message * @return the requested character count */ static int DetermineConsecutiveBinaryCount(const std::wstring& msg, int startpos) { size_t len = msg.length(); size_t idx = startpos; while (idx < len) { int ch = msg[idx]; int numericCount = 0; while (numericCount < 13 && IsDigit(ch)) { numericCount++; //textCount++; size_t i = idx + numericCount; if (i >= len) { break; } ch = msg[i]; } if (numericCount >= 13) { return static_cast<int>(idx - startpos); } idx++; } return static_cast<int>(idx - startpos); } /** * Performs high-level encoding of a PDF417 message using the algorithm described in annex P * of ISO/IEC 15438:2001(E). If byte compaction has been selected, then only byte compaction * is used. * * @param msg the message * @param compaction compaction mode to use * @param encoding character encoding used to encode in default or byte compaction * or {@code null} for default / not applicable * @return the encoded message (the char values range from 0 to 928) */ std::vector<int> HighLevelEncoder::EncodeHighLevel(const std::wstring& msg, Compaction compaction, CharacterSet encoding) { std::vector<int> highLevel; highLevel.reserve(highLevel.size() + msg.length()); //the codewords 0..928 are encoded as Unicode characters if (encoding != CharacterSet::ISO8859_1) { EncodingECI(ToInt(ToECI(encoding)), highLevel); } int len = Size(msg); int p = 0; int textSubMode = SUBMODE_ALPHA; // User selected encoding mode if (compaction == Compaction::TEXT) { EncodeText(msg, p, len, textSubMode, highLevel); } else if (compaction == Compaction::BYTE) { std::string bytes = TextEncoder::FromUnicode(msg, encoding); EncodeBinary(bytes, p, Size(bytes), BYTE_COMPACTION, highLevel); } else if (compaction == Compaction::NUMERIC) { highLevel.push_back(LATCH_TO_NUMERIC); EncodeNumeric(msg, p, len, highLevel); } else { int encodingMode = TEXT_COMPACTION; //Default mode, see 4.4.2.1 while (p < len) { int n = DetermineConsecutiveDigitCount(msg, p); if (n >= 13) { highLevel.push_back(LATCH_TO_NUMERIC); encodingMode = NUMERIC_COMPACTION; textSubMode = SUBMODE_ALPHA; //Reset after latch EncodeNumeric(msg, p, n, highLevel); p += n; } else { int t = DetermineConsecutiveTextCount(msg, p); if (t >= 5 || n == len) { if (encodingMode != TEXT_COMPACTION) { highLevel.push_back(LATCH_TO_TEXT); encodingMode = TEXT_COMPACTION; textSubMode = SUBMODE_ALPHA; //start with submode alpha after latch } textSubMode = EncodeText(msg, p, t, textSubMode, highLevel); p += t; } else { int b = DetermineConsecutiveBinaryCount(msg, p); if (b == 0) { b = 1; } std::string bytes = TextEncoder::FromUnicode(msg.substr(p, b), encoding); if (bytes.length() == 1 && encodingMode == TEXT_COMPACTION) { //Switch for one byte (instead of latch) EncodeBinary(bytes, 0, 1, TEXT_COMPACTION, highLevel); } else { //Mode latch performed by encodeBinary() EncodeBinary(bytes, 0, Size(bytes), encodingMode, highLevel); encodingMode = BYTE_COMPACTION; textSubMode = SUBMODE_ALPHA; //Reset after latch } p += b; } } } } return highLevel; } } // Pdf417 } // ZXing ```
The 1910 Australasian Championships was a tennis tournament that took place on outdoor grass courts at the Adelaide Oval, Adelaide, Australia. It was the 6th edition of the Australasian Championships (now known as the Australian Open), the first held in Adelaide and the first Grand Slam tournament of the year. Finals Singles Rodney Heath defeated Horace Rice 6–4, 6–3, 6–2 Doubles Ashley Campbell / Horace Rice defeated Rodney Heath / James O'Day 6–3, 6–3, 6–2 References External links Australian Open official Website 1910 in Australian tennis 1910 March 1910 sports events
Chuchuyimlang is a village in Mokokchung District in the state of Nagaland in Northeast India. The village is divided into four sectors or "mopu", namely Longzung mopu, Teyong mopu, Impang mopu and Imlang Mopu. The "Compound Area" comes under different constituency though it is also a part of Chuchuyimlang village, it is also referred to as "Chuchu Town". Initially Chuchu yimlang village consisted of only Imlang, Impang and Mongta(Teyong) mopu, Longzung which was altogether a different village later merged with Chuchuyimlang. The census of 2001 shows that it has overtaken Ungma as the largest Ao village. It lies on National Highway 61, about 30 km from the heart of Mokokchung town. It is a famous destination for the celebration of Moatsu Mong as it is the only Ao village which invites people from neighbouring trans Dikhu tribes during the festival. Non citizens (of the village) are not allowed in other Ao villages during Moatsu. The Census of 2001 puts the population of the Chuchuyimlang at 9,524. Out of this 7,846 reside in Chuchuyimlang village while 1,678 reside in Chuchuyimlang Compound. See also Natwar Thakkar, person who established first Gandhi Ashram in Nagaland in Chuchuyimlang village References Chuchuyimlang Ao villages Villages in Mokokchung district
The Hörsel () is a long river in Thuringia, Germany, right tributary of the Werra. It is formed by the confluence of two smaller rivers in Leinatal, at the northern edge of the Thuringian Forest. The Hörsel flows generally northwest through the towns Hörselgau, Wutha-Farnroda and Eisenach. It flows into the Werra in Hörschel, a village near Eisenach. Course As with many rivers, the name of the middle and lower reaches of the Hörsel was only extended to the upper reaches in the 20th century. Kleine Leina und (Wilde) Leina The Hörsel has its source as Kleine Leina in the Thuringian Forest in the immediate vicinity of the Rennsteig south of the 749 metre high Spießberga at the southern community border of Finsterbergen to Georgenthal. (both district of Gotha). The stream flows first to the northeast and passes different parts of Georgenthal. After 8.4 kilometers of flow distance in the district Schönau vor dem Walde the Leinakanal branches off to the right. Shortly after, streams flow in from both sides. From Schönau vor dem Walde the small river turns to the north. In maps from the beginning of the 20th century the name Wilde Leina is written here. After the inflow of the Cumbach from Cumbach the name Leina-Hörsel. In the further course to the north the Schilfwasser coming from Ernstroda flows in from the left. Hörsel In Leinatal-Leina after 16.3 kilometres with the inflow of the Altenwasser (also: Altes Wasser, from right) the name Leina ends completely. From here the river is called Hörsel and its course turns to the northwest. In Wahlwinkel and Hörselgau the Badewasser flows in two arms from left. After passing Fröttstädt, the Asse flows into Teutleben from the right. The Hörsel takes over the direction of flow to the west and, after the inflow of the Laucha, the Asse flows into the Laucha. Mechterstädt When reaching the Wartburgkreises the river crosses under the Bundesautobahn 4, flows south past the Hörselbergen through the communities Hörselberg-Hainich (district Sättelstädt with the left-sided tributary Emse) and Wutha-Farnroda, where the Erbstrom flows into Wutha from the left. Then the Hörsel reaches Eisenach, where it takes in from the right the approximately equally strong Nesse and the much smaller Michelsbach, from the left the Löbersbach and the Roten Bach. Further west, in the Eisenach district of Hörschel - - the place of origin of the Rennsteigs - is its estuary (waters) into the Werra. The total length of the river "Kleine Leina-Hörsel" is 48.5 km, over the 52.6 km long Nesse the Hörsel is even about 62 km long. Tributaries The catchment area of the Hörsel is divided into two major landscapes. The headwaters Leina and left tributaries come from the Thuringian Forest, while all right tributaries come from the Thuringian Basin and its edge plates. Correspondingly, the upper reaches of the left tributaries are typical low mountain streams with deep gorges and a large bottom gradient, while the right tributaries are mostly lowland rivers with a small gradient, almost all of them flowing into the Hörsel via the Nesse. Today, their courses are mostly straightened and integrated into a system of drainage ditches. The catchment area of the Nesse comprises 426.3 km2, 54.4% of the total catchment area of the Hörsel and 139.5% of the Hörsel catchment area above the Nesse estuary (305.6 km2). Thus, the Nesse brings about the same amount of water (3.14 m2/s) to unite with the Hörsel as the Hörsel itself (3.11 m2/s). A pipeline from the Leina - and the (upper) Apfelstädt from the system Gera/Unstrut/Saale/Elbe - to the subsystem of the Nesse is the Leinakanal, which was already built in the Middle Ages to supply the city Gotha with water from the Thuringian Forest. The flow distance of the Hörsel over the upper reaches of the Leina, the Leina Canal, the Wilden Graben from the Leina Canal, the Nesse (middle and lower reaches) and the Hörsel Lower reaches is 8.4 + 29.5 + 9.8 + 26.0 = 73.3 km. See also List of rivers of Thuringia References Rivers of Thuringia Rivers of Germany
One on One with Steve Adubato is produced by the Caucus Educational Corporation, which also produces Caucus: New Jersey and New Jersey Capital Report, and it is aired on NJTV, WNET (the network's sister station) and was formerly aired on FiOS1 New Jersey. One-on-One with four-time Emmy Award-winning anchor Steve Adubato gives insight into today's world. One-on-One discusses compelling, real-life stories and features political leaders, CEOs, television personalities, professors, artists and educational innovators who each share their experiences and accomplishments. Steve Adubato, host of One-on-One, combines wide-ranging knowledge, a penetrating and inquisitive style and the appreciation for amiable conversation throughout the program. Steve asks questions that inspire the guests to talk beyond their expected route in a manner rarely seen on televised talk shows. References External links Official website American television talk shows
Afraurantium is a genus of flowering plants belonging to the family Rutaceae. Its native range is Western Tropical Africa. Species: Afraurantium senegalense References Rutaceae Rutaceae genera Taxa named by Auguste Chevalier
"Untouchable" is a song performed by British all-female pop group Girls Aloud, taken from their fifth studio album Out of Control (2008). The song was written by Miranda Cooper, Brian Higgins and his production team Xenomania, and produced by Higgins and Xenomania. Influenced by trance music and Balearic beat, the album version of "Untouchable" is almost seven minutes long. Remixed for single release in April 2009, "Untouchable" memorably became Girls Aloud's first of only two singles to miss the top ten on the UK Singles Chart, breaking a run of 20 top ten hits. The song received generally favorable reviews from most contemporary music critics, who praised its ambition. "Untouchable" would be the final release by the group before their hiatus. In the accompanying music video, inspired by Stanley Kubrick's film 2001: Space Odyssey, the group members travel through space and approaches Earth in illuminated glass spheres, resembling meteorites. "Untouchable" was promoted through an appearance on Dancing on Ice, and was later performed on the group's Out of Control Tour (2009) and (2013). Background and composition "Untouchable" is a trance-inspired "rave ballad," which marries "Balearic guitar lines with a pulsating techno throb." The song is Girls Aloud's longest yet, at a full runtime of 6:45. "Untouchable" follows the common verse-chorus form, but includes a number of instrumental solos. Nadine Coyle sings a middle 8 ("Without any meaning, we're just skin and bone...") as the music drops out. The song builds back up and concludes with a final chorus. The "emotional twangy guitar noise" heard in the song was the result of Xenomania musician Jason Resch responding to Higgins' request for something "special". Higgins left the song at its full length, knowing that "The Promise" and "The Loving Kind" would be the first two singles and he could remix "Untouchable" for single release at a later point. The song was "chopped and changed for its single release", with Girls Aloud's vocals being vocodered. Release "Untouchable" was selected as the third single from Out of Control after it fared best in a fan poll on Girls Aloud's official forum. It was announced as the single on 20 February 2009. "Untouchable" was released on CD single and 7" vinyl formats on 27 April, while digital download formats were available a day earlier. The CD includes a previously unreleased b-side entitled "It's Your Dynamite", which Digital Spy says "matches the standard set on their previous releases [...] a treat for the ears." The 7" vinyl picture disc format includes the Thriller Jill Mix of "Love Is the Key", as heard on The Girls Aloud Party opening credits and commercials. A promo CD was released with various remixes previously unreleased or part of the singles collection. Reception Critical response "Untouchable" received generally favourable reviews from music critics. Slant Magazine said that it was "one of Girls Aloud's finest achievements." Matthew Horton of The Quietus labelled the song as an "epic, a nearly-seven-minute monster". Similarly, John Murphy from MusicOMH called the track an "epic seven-minute electro-thumper which builds slowly, explodes into life, drops out brilliantly, then bursts back into life". In a blog for BBC, Fraser McAlpine agreed that "it's epic and dreamy and a bit of a diversion from the usual GA pattern while still being recognisably very Girls Aloud." It was also praised by NMEs Jaimie Hodgson, described as "post-Ibiza power-balladeering". The song was referred to as "fast, electronic and fantastic" with an immense build-up to the chorus by Peter Robinson from Popjustice. Talia Kraines of BBC Music felt "the Balearic bliss of epic seven minute marathon Untouchable [...] prove[s] that you don't have to be brassy to be brilliant." Michael Cragg from The Guardian called it a proper "statement song", as well as "the band's most effortless-sounding single" without ever feeling overly long. Nick Levine of Digital Spy said the song "serves as the centrepiece" on the album and that even the radio edit "remains surprising, thrilling and strangely moving - in short, classic Girls Aloud." Matthew Chisling from AllMusic deemed it "the album's most club-friendly smash". Newsround declared it "seems to want to be a ballad and a dance track without doing either well." GayNZ.coms Andrew Grear stated that the song "works....but possibly not as well as the girls were hoping." Andy Gill from The Independent called it a "stomp-a-matic filler" from the album. Chart performance The song entered the UK Singles Chart on 29 March 2009 at number 54. It entered the top forty three weeks later. On 3 May 2009, it officially reached number eleven. On the Irish Singles Chart, the song entered at number 38 and peaked at number nineteen. After the single failed to achieve top ten success when it was released late April 2009, a fan-created Facebook campaign was started nearly a year later (January 2010). The group hoped to push the single into the top ten, reviving and continuing Girls Aloud's streak. The campaign failed, with "Untouchable" only charting at number 152. Music video The music video for "Untouchable" was directed by Marco Puig with post-production from The Mill. Shot in a west London studio on 18 March 2009, the filming took sixteen hours. The video premiered on 25 March 2009 on 4music at 7:00pm GMT and was shown again at 11:05pm on Channel 4. The "Untouchable" video was made available on MSN the following day. The futuristic video was inspired by Stanley Kubrick's classic science fiction film 2001: A Space Odyssey. Girls Aloud appear in "sci-fi inspired PVC leotards", travelling through space and approaching Earth in illuminated glass spheres (resembling meteorites). After the second verse, the words 'Alert: Condition Red' appear on the screen and the girls have trouble in their bubble-like orbs. They begin to plummet through Earth's atmosphere, with the spheres erupting in flames. Still burning, they pass an aeroplane and approach a city. The video ends with televisions showing the 'breaking news' as they hit the ground, with a reporter describing it as a "meteor shower" before turning to static. Digital Spy lauded the "Untouchable" music video as "almost as exciting as the song itself." Live performances The first performance of the song occurred at the Dancing on Ice semi-finals on 15 March 2009. Girls Aloud entered on wires suspended from the ceiling and performed the song whilst ice dancers Torvill and Dean skated around them. Girls Aloud wore draped Grecian dresses. Smoke followed the group as they were lowered down on to individual podiums. As Nadine sang the final verse, Torvill and Dean were raised into the air on wires. The song ended with an explosion of pyrotechnics. Torvill and Dean were criticised for "completely and utterly ruining the momentum and energy." "Untouchable" was one of the most significant performances of Girls Aloud's 2009 Out of Control Tour. The song is "performed over the crowd on a flying platform," which Girls Aloud used to travel to a smaller stage in the middle of the arena. The group wore science fiction-inspired outfits, designed by Welsh fashion designer Julien MacDonald, along with the rest of the show's costumes. According to Lauren Mulvenny from the Belfast Telegraph, the performance got "a great crowd reaction." The song was performed on 2013 with the girls singing it on a stage in the middle of the arena. Formats and track listings These are the formats and track listings of major single releases of "Untouchable". UK CD "Untouchable" (Radio Mix) – 3:49 "It's Your Dynamite" (Girls Aloud, Xenomania) – 4:21 UK 7" picture disc "Untouchable" (Radio Mix) – 3:49 "Love Is the Key" (Thriller Jill Mix) – 6:35 Digital download "Untouchable" (Radio Mix) – 3:49 "Untouchable" (Bimbo Jones Radio Edit) – 3:46 "Untouchable" (Bimbo Jones Club Mix) – 6:04 iTunes download "Untouchable" (Radio Mix) – 3:49 "Untouchable" (Album Version Edit) – 3:03 "Untouchable" (Bimbo Jones Club Mix) – 6:04 The Singles Boxset (CD21) "Untouchable" (Radio Mix) – 3:49 "It's Your Dynamite" – 4:21 "Love Is the Key" (Thriller Jill Mix) – 6:35 "Untouchable" (Album Version Edit) – 3:03 "Untouchable" (Bimbo Jones Club Mix) – 6:04 "Untouchable" (Bimbo Jones Radio Edit) – 3:46 "Untouchable" (Bimbo Jones Dub) – 6:02 Promo CD "Untouchable" (Almighty Essential Radio Edit) – 4:36 "Untouchable" (Almighty Essential Mix) – 9:11 "Untouchable" (Almighty Alternative Vocal Mix) – 9:11 "Untouchable" (Almighty Essential Dub) – 9:13 "Untouchable" (Almighty Essential Instrumental) – 9:11 Credits and personnel Bass guitar: Kieran Jons Engineering: Toby Scott, Dan Aslet Guitars: Nick Coler, Jason Resch Keyboards and programming: Tim Powell, Brian Higgins, Miranda Cooper, Owen Parker, Fred Falke, Sascha Collison, Matt Gray Mixing: Tim Powell, Brian Higgins Songwriting: Miranda Cooper, Brian Higgins, Tim Powell, Matt Gray Published by Warner/Chappell Music and Xenomania Music Charts References External links Girls Aloud's official website 2000s ballads 2008 songs 2009 singles Synth-pop ballads Girls Aloud songs Song recordings produced by Xenomania Songs written by Brian Higgins (producer) Songs written by Miranda Cooper Songs written by Tim Powell (producer) Fascination Records singles
T. K. Blue (also known as Talib Kibwe, born Eugene Rhynie, February 7, 1953) is an American jazz saxophonist, flautist, composer and educator from New York City. His parents were Jamaican and Trinidadian, and he has used their Afro-Caribbean musical styles in his own work. He has worked with, among others, Don Cherry, Jayne Cortez, the South African pianist Dollar Brand (now Abdullah Ibrahim), and Randy Weston, for whom he was musical director. Blue has also taught at professorial level at of jazz studies at educational institutions including Suffolk Community College, Montclair State University, and Long Island University. Biography Early years and education He was born in the Bronx, NY, to a Trinidadian mother and Jamaican father, and grew up on Long Island, NY. T.K. Blue began his life in music from his Lakeview hometown by playing trumpet from the ages of eight to 10, and then switching to drums for a year. After a hiatus, at the age of 17 he dedicated himself to music by learning flute. While attending New York University between 1971 and 1975 with a double major in Music and Psychology, Blue threw himself headlong into music, concentrating on the saxophone. During these undergraduate years, he lived in the East Village, partaking in the full range of the scene, from lessons with elders to deep involvement in the avant-garde. He participated in the Jazzmobile program, studying jazz theory, harmony, sight-reading, rhythmic training, improvisation and big-band performance, with Jimmy Heath, Chris Woods, Sonny Red, Frank Foster, Jimmy Owens, Ernie Wilkins, Thad Jones and Billy Taylor. At Jazz Interactions, Blue studied with Rahsaan Roland Kirk, Yusef Lateef and Joe Newman, and at the Henry Street Settlement with Billy Mitchell and bassist Paul West. In 1979 Blue received his Master's in Music Education from Teachers College at Columbia University. Career After performing and traveling extensively with Abdullah Ibrahim (Dollar Brand) from 1977 to 1980 – variously billed during this period as Talib Qadr, Talib Qadir Kibwe and Talib Abdul Kadr – Blue moved to Paris in December 1981, remaining there until 1989. In 1986 he recorded Egyptian Oasis, his first record as a leader, and that sparked a number of State Department tours to some 20 countries in Africa. Back in the USA since 1990, he has worked constantly, in a wide range of styles and situations, and recorded his second CD, Introducing Talib Kibwe, released on Evidence in 1996. His more recent recordings as leader include 2008's Follow the North Star, a suite inspired by the life of Solomon Northup (commissioned by the New York State Council on the Arts), Latin Bird (2011 – "Highly recommended" by AllMusic's reviewer Ken Dryden), and in 2014 A Warm Embrace, about which Don Bilawsky on All About Jazz has written: "Blue's skills as an arranger, perhaps more than anything else, are responsible for the success of this project, as he's able to create beauty from simplicity at times.... A Warm Embrace is simply a beautiful work of art." His 2019 album The Rhythms Continue is a tribute to Randy Weston, with whose group T. K. Blue worked from the 1980s, taking on the role of music director and arranger in 1989. The New York City Jazz Record characterized the CD as "possibly his most heartfelt, a dedication to the memory of his longtime employer and mentor. ... Blue performed in Weston's African Rhythms band for 38 years, his life deeply affected by his relationship with the legendary pianist." Described by the New York Amsterdam News as "a memorable suite of 19 enthralling compositions by Weston, Melba Liston and Blue", it features other members of Weston's band – bassist Alex Blake, tenor saxophonist Billy Harper, and percussionist Neil Clarke – with guest pianists Sharp Radway, Mike King, Keith Brown and Kelly Green, as well as Min Xiao Fen on pipa. Augmenting his long-term relationships as musical director with Weston, as well as with the Spirit of Life Ensemble at New York's Sweet Basil jazzclub, Blue's other recent affiliations include: Odadaa, a group led by a drummer from Ghana, Yacub Addy; percussionist Norman Hedman's pan-African band Tropique; tap dancer Joseph's Tap and Rap, to jazz tunes by Charlie Parker and John Coltrane; and emerging singer Jeffrey Smith. T.K. was part of the June 2008 photo session called "A Great Day In Paris" — in homage to Art Kane's historic 1958 photograph A Great Day in Harlem — that featured more than 50 musicians from the USA who resided there. For several years an adjunct professor at Suffolk Community College and Montclair State University, Blue was also a full-time professor and director of jazz studies at Long Island University-LIU-Post. Discography As leader 1986: Egyptian Oasis (Anais Records) 1993: Taja – A Night at Birdland (Rise Up; B000005R1G) 1996: Introducing Talib Kibwe (Evidence) 1999: Another Blue (Arkadia Jazz) 2001: Eyes of the Elders, with Randy Brecker, Joanne Brackeen, Lonnie Plaxico and Jeff "Tain" Watts (Arkadia Jazz) 2003: Rhythm in Blue (Jaja Records) 2007: In a Sentimental Mood: A Jazz Tribute to Dr Chris Culver (T.K. Blue) 2008: Follow the North Star, with Steve Turre, James Weidman, Onaje Allan Gumbs, Essiet Okon Essiet, Willie Martinez and Kevin Jones (a musical retelling of the story of Solomon Northup (Jaja Records) 2010: C.W. Post Jazz 2011: Latin Bird (Motéma Music) 2013: Live at Hillwood Recital Hall 2014: A Warm Embrace (Jaja Records) 2017: Amour (Dot Time Records) 2019: The Rhythms Continue (Jaja Records) As sideman With Arkadia Jazz All-Stars Thank You, Duke! Our Tribute To Duke Ellington (1998) With Jayne Cortez and The Firespitters Cheerful And Optimistic (1995) Taking The Blues Back Home (1996) Borders Of Disorderly Time (2003) With Abdullah Ibrahim The Journey (1977) African Tears and Laughter (1977) South African Liberation Songs (1979) With Benny Powell Why Don’t You Say Yes Sometime (1991) The Gift Of Love (2003) With Sam Rivers Colours (Black Saint, 1982) With Jimmy Scott All Of Me: Live In Tokyo (2004) With The Spirit of Life Ensemble Inspiration (1992) Feel The Spirit (1994) Live At The Pori Jazz Festival (1996) Collage (1998) 25 Twenty-Five (2000) With Randy Weston The Spirits of Our Ancestors (1991) Volcano Blues (1993) Saga (1995) Khepera (1998) Spirit! The Power Of Music (2000) The African Nubian Suite (2016) References External links Official website Verve on T. Kibwe 1953 births 20th-century American male musicians 20th-century American saxophonists 21st-century American male musicians 21st-century American saxophonists American jazz flautists African-American jazz musicians African-American saxophonists American jazz educators American jazz saxophonists American male saxophonists American male jazz musicians American musicians of Jamaican descent American people of Trinidad and Tobago descent Teachers College, Columbia University alumni Living people Long Island University faculty People from the East Village, Manhattan Motéma Music artists Montclair State University faculty Jazz musicians from New York City Suffolk County Community College faculty 20th-century African-American musicians 21st-century African-American musicians 20th-century flautists 21st-century flautists
The 2016–17 Senior Women's T20 League was the 9th edition of the women's Twenty20 cricket competition in India. It was held from 2 January to 15 January 2017. Railways won the tournament, their eighth in a row, by topping the Elite Group Super League. Competition format The 27 teams competing in the tournament were divided into the Elite Group and the Plate Group, with the 10 teams in the Elite Group further divided into Groups A and B and the 17 teams in the Plate Group into Groups A, B and C. The tournament operated on a round-robin format, with each team playing every other team in their group once. The top two sides from each Elite Group progressed to the Elite Group Super League, which was a further round-robin group, with the winner of the group being crowned Champions. The bottom side from each Elite Group was relegated to the Plate Group for the following season. Meanwhile, the top two from each Plate Group progressed to a knockout stage, with the two teams that reached the final being promoted for the following season, as well as playing off for the Plate Group title. Matches were played using a Twenty20 format. The groups worked on a points system with positions with the groups being based on the total points. Points were awarded as follows: Win: 4 points. Tie: 2 points. Loss: 0 points. No Result/Abandoned: 2 points. If points in the final table are equal, teams are separated by most wins, then head-to-head record, then Net Run Rate. Participants 27 teams participated in the tournament. The teams were divided in 2 tiers, Elite and Plate, with the Elite level divided into Groups A and B and the Plate level divided into Groups A, B and C. Venue Elite Group Elite Group A Elite Group B Elite Group Super League Source: CricketArchive Fixtures Plate Playoffs Quarter-finals Semi-finals Final Statistics Most Runs Most wickets References Women's Senior T20 Trophy 2016–17 Indian women's cricket Domestic cricket competitions in 2016–17
Australia competed at the 1972 Summer Olympics in Munich, West Germany. Australian athletes have competed in every Summer Olympic Games. 168 competitors, 139 men and 29 women, took part in 110 events in 20 sports. Medalists Gold Shane Gould — Swimming, Women's 200m Individual Medley Shane Gould — Swimming, Women's 200m Freestyle Shane Gould — Swimming, Women's 400m Freestyle Beverley Whitfield — Swimming, Women's 200m Breaststroke Gail Neall — Swimming, Women's 400m Individual Medley Bradford Cooper — Swimming, Men's 400m Freestyle John Anderson and David Forbes — Sailing, Men's Star Team Competition Thomas Anderson, John Cuneo and John Shaw — Sailing, Men's Dragon Team Competition Silver Raelene Boyle — Athletics, Women's 100m Raelene Boyle — Athletics, Women's 200m John Nicholson — Cycling, Men's 1.000m Sprint (Scratch) Danny Clark — Cycling, Men's 1.000m Time Trial Clyde Sefton — Cycling, Men's Individual Road Race Shane Gould — Swimming, Women's 800m Freestyle Graham Windeatt — Swimming, Men's 1.500m Freestyle Bronze Shane Gould — Swimming, Women's 100m Freestyle Beverley Whitfield — Swimming, Women's 100m Breaststroke Archery In the first modern archery competition at the Olympics, Australia entered two men and one woman. Their highest placing competitors were Terene Donovan and Graeme Telford, who both placed 9th place in their respective competitions. Women's Individual Competition: Terene Donovan - 2356 points (→ 9th place) Men's Individual Competition: Graeme Telford - 2423 points (→ 9th place) Terry Reilly - 2387 points (→ 15th place) Athletics Men's 800 metres Graeme Rootham Heat — 1:48.2 (→ did not advance) Men's 1.500 metres Chris Fisher Heat — 3:42.5 Semifinals — 3:42.0 (→ did not advance) Men's 5.000 metres Tony Benson Heat — 13:42.8 (→ did not advance) Kerry O'Brien Heat — did not start (→ did not advance) Men's 3.000m Steeplechase Kerry O'Brien Qualifying Heat — did not finish (→ did not advance) Men's High Jump Lawrie Peckham Qualifying Round — 2.15m Final — 2.10m (→ 18th place) Basketball Men's Team Competition Preliminary Round (Group A): Lost to Spain (74-79) Lost to United States (55-81) Lost to Czechoslovakia (68-69) Defeated Japan (92-76) Lost to Cuba (70-84) Defeated Brazil (75-69) Defeated Egypt (89-66) Classification Matches: 9th/12th place: Defeated West Germany (70-69) 9th/10th place: Defeated Poland (91-83) → 9th place Team Roster: Glenn Marsland Ian Watson Richard Duke Bill Wyatt Eddie Palubinskas Brian Kerle Peter Byrne Perry Crosswhite Ray Tomlinson Ken James Tom Bender Toli Koltuniewicz Head coach: Lindsay Gaze Boxing Men's Light Middleweight (– 71 kg) Alan Jenkinson First Round — Bye Second Round — Defeated Michel Belliard (FRA), 4:1 Third Round — Lost to Mohamed Majeri (TUN), 0:5 Canoeing Cycling Ten cyclists represented Australia in 1972. Individual road race Clyde Sefton — Silver Medal David Jose — 29th place John Trevorrow — 32nd place Donald Allan — 58th place Team time trial Donald Allan Graeme Jose Clyde Sefton John Trevorrow Sprint John Nicholson 1000m time trial Daniel Clark Final — 1:06.87 (→ Silver Medal) Individual pursuit John Bylsma Team pursuit Steele Bishop Danny Clark Remo Sansonetti Philip Sawyer Diving Men's 3m Springboard: Donald Wagstaff — 344.13 points (→ 13th place) Kenneth Grove — 302.91 points (→ 29th place) Men's 10m Platform: Donald Wagstaff — 435.84 points (→ 11th place) Kenneth Grove — 254.73 points (→ 32nd place) Women's 10m Platform: Glenise-Ann Jones — 157.20 points (→ 26th place) Equestrian Fencing Four fencers, two men and two women, represented Australia in 1972. Men's foil Ernest Simon Greg Benko Women's foil Marion Exelby Christine McDougall Gymnastics Hockey Men's Team Competition Preliminary Round (Group B) Drew with New Zealand (0-0) Defeated Kenya (3-1) Lost to India (1-3) Defeated Mexico (10-0) Drew with Great Britain (1-1) Defeated Poland (1-0) Lost to the Netherlands (2-3) Semi Final Round Defeated Malaysia (2-1) Classification Match 5th/6th place: Defeated Great Britain (2-1) after extra time → 5th place Team Roster Robert Andrew Greg Browning Ric Charlesworth Paul Dearing Brian Glencross Robert Haigh Wayne Hammond James Mason Terry McAskell Patrick Nilan Desmond Piper Graeme Reid Ronald Riley Donald Smart Ronald Wilson Judo Modern pentathlon Two male pentathletes represented Australia in 1972. Men's Individual Competition: Robert Barrie — 4600 points (→ 32nd place) Peter Macken — 4449 points (→ 41st place) Rowing Sailing Shooting Four male shooters represented Australia in 1972. Mixed Swimming Men's 100m Freestyle Michael Wenden Heat — 52.34s Semifinals — 53.32s Final — 52.41s (→ 5th place) Greg Rogers Heat — 53.98s Semifinals — 54.26s (→ did not advance) Neil Rogers Heat — 55.32s (→ did not advance) Men's 200m Freestyle Michael Wenden Heat — 1:56.66 Final — 1:54.40 (→ 4th place) Graham White Heat — 1:58.60 (→ did not advance) Robert Nay Heat — 1:57.69 (→ did not advance) Men's 4 × 100 m Freestyle Relay Neil Rogers, Graham White, Bruce Featherston and Greg Rogers Heat — 3:40.47 (→ did not advance) Men's 4 × 200 m Freestyle Relay Graham Windeatt, Bruce Featherstone, Michael Wenden, and Graham White Heat — 7:49.03 Michael Wenden, Graham Windeatt, Robert Nay, and Bradford Cooper Final — 7:48.66 (→ 5th place) Men's 200m Butterfly James Norman Findlay Heat — 2:08.36 ( 4th Place) Men's 200m Individual Medley James Norman Findlay Heat — 2:20.08 ( 6th Place) Water polo Weightlifting Wrestling See also Australia at the 1970 British Commonwealth Games Australia at the 1974 British Commonwealth Games References 1972 Summer Olympics Nations at the 1972 Summer Olympics Olympics
Rai-Sankli is a village and former petty princely state on Saurashtra peninsula in Gujarat, western India. History The Sixth Class princely state in Jhalawar prant was ruled by (rare) Kunbi Chieftains. It also comprised a second village. In 1901 it has a population of 427, yielding a state revenue of 6,579 Rupees (1903-4, nearly all from land), paying a 938 Rupees tribute to the British and the Gaekwar Baroda State. Rulers The rulers of Rai-Sankli were titled 'Amin Shree'. The rulers belonged to chavda clan of Mansa state Trikamji Chavda son of King Raolji Rajsinhji Chavda Married to daughter of Ruler of Rai-Sankli and later became successor of Rai-Sankli and accepted as Kunbi. Rai-Sankli rulers also ruled Hasan Nagar estate. Amin Shreejis 1905 – 1945 Trikamji Rajsinhji (b. 1880 - d. 1945) 1945 – 1988 Tryambakchandraji Trikamji (b. 1912 - d. 1988) 1988 – 2012 Jagdish Chandra ji Tryambakchanraji (b. 1935 - d. 2012)  2012 - Present RaniSaheba YoginaDeviji Jagdish Chandra ji (b. 1968 - present)  Current heir apparent is Kumari shri RichaKumariji The Rulers of Princely State of Rai-Sankli and  Hasan Nagar estate were the very first to join to union of India. They faced trouble from British rulers for being freedom supporter and secular. External links Imperial Gazetteer on dsal.uchicago.edu - Kathiawar Princely states of Gujarat
Holy Trinity Church, Keelung (), is a Protestant church located at t No. 163 Tung Ming Road, Hsinyi District, Keelung, an important port city in northern Taiwan. It belongs to the Taiwan Episcopal Church. History In 1952, Bishop Charles P. Gilson (吉爾生主教) dispatched Rev. Yue-Han Lin (林約翰) to take charge of establishing a church in Keelung. In November, 1952, Rev. Lin purchased a two-story building at No. 53 Tung Ming Road. In May 1953, on the Day of Pentecost, Bishop Gilson consecrated Holy Trinity Church and appointed Rev. Lin as pastor. In February 1967, the new Holy Trinity building was built as a four-story building at No. 163 Tung Ming Road, which is today's church building. Its second floor was used as a chapel, third floor as the priest's residence, and fourth floor as the student dormitory for the local Keelung junior high girls' school. In January 1991, Rev. Ling-Ling Chang (張玲玲) became a pastor. During her ministry, she found the church building was affected by the humid climate of the area for many years, causing significant peeling off of the inner and outer walls, to the ineffective use of the building. Thanks to the enthusiastic support and dedication of the parishioners and colleagues, the renovation work was successfully completed, and the church regained its new appearance, and once again embarked on the renewed path of missionary work. On February 1, 2014, Rev. Hsun-Ming Lin (林俊明) took over as pastor, and continues to this day. In June 2023, Holy Trinity Church, Keelung, celebrated its 50th anniversary. Transportation From Taiwan Railway's Keelung railway station, it takes about ten minutes to reach Holy Trinity Church for a distance of one kilometer. From the Port of Keelung, it takes about 20 minutes by taxi. See also Christnianity in Taiwa Keelung City Taipei–Keelung metropolitan area St. Stephen's Church, Keelung (基隆聖司提反堂) - Another new church of the Taiwan Episcopal Church (Est. 2016) References External links Official site Buildings and structures in Keelung Churches in Taiwan Churches of Taiwan Episcopal Church
```java /* * This Source Code Form is subject to the terms of the Mozilla Public * file, You can obtain one at path_to_url */ package com.vaticle.typedb.core.reasoner.benchmark.iam.common; import com.vaticle.typedb.core.common.perfcounter.PerfCounters; import com.vaticle.typedb.core.reasoner.common.ReasonerPerfCounters; import java.time.Duration; import java.util.ArrayList; import java.util.HashMap; import java.util.List; import java.util.Map; import static com.vaticle.typedb.core.common.iterator.Iterators.iterate; import static org.junit.Assert.assertEquals; import static org.junit.Assert.assertTrue; public class Benchmark { private static final int DEFAULT_NRUNS = 5; private static final double COUNTER_LOWER_MARGIN = 0.75; private static final double COUNTER_UPPER_MARGIN = 1.25; private static final double RUNNING_TIME_UPPER_MARGIN = 3.0; final String name; final String query; final long expectedAnswers; final int nRuns; final List<BenchmarkRun> runs; public Benchmark(String name, String query, long expectedAnswers) { this(name, query, expectedAnswers, DEFAULT_NRUNS); } public Benchmark(String name, String query, long expectedAnswers, int nRuns) { this.name = name; this.query = query; this.expectedAnswers = expectedAnswers; this.nRuns = nRuns; this.runs = new ArrayList<>(); } void addRun(BenchmarkRun run) { runs.add(run); } public void assertAnswerCountCorrect() { assertEquals(iterate(runs).map(run -> expectedAnswers).toList(), iterate(runs).map(run -> run.answerCount).toList()); assertEquals(nRuns, runs.size()); } public void assertRunningTime(long maxTimeMs) { runs.forEach(run -> assertTrue( String.format("Time taken: %d <= %f * %d", run.timeTaken.toMillis(), RUNNING_TIME_UPPER_MARGIN, maxTimeMs), run.timeTaken.toMillis() <= Math.round(RUNNING_TIME_UPPER_MARGIN * maxTimeMs))); } public void assertCounterUpperBound(String counter, long refValue) { runs.forEach(run -> { assertTrue( String.format("%s: %d <= %d", counter, run.reasonerPerfCounters.get(counter), Math.round(COUNTER_UPPER_MARGIN * refValue)), run.reasonerPerfCounters.get(counter) <= Math.round(COUNTER_UPPER_MARGIN * refValue)); }); } public void assertCounterLowerBound(String counter, long refValue) { assertTrue( // If this error throws, It's time to revise the bound. String.format("[GOOD FAILURE!] Counter %s consistently better than lower bound of %d", counter, Math.round(COUNTER_LOWER_MARGIN * refValue)), iterate(runs).anyMatch(run -> run.reasonerPerfCounters.get(counter) >= Math.round(COUNTER_LOWER_MARGIN * refValue))); } public void assertCounters(long planningTimeMillis, long materialisations, long conjunctionProcessors, long compoundStreams, long compoundStreamMessagesReceived) { assertCounterUpperBound(ReasonerPerfCounters.PLANNING_TIME_NS, planningTimeMillis * 1_000_000); assertCounterUpperBound(ReasonerPerfCounters.MATERIALISATIONS, materialisations); assertCounterUpperBound(ReasonerPerfCounters.CONJUNCTION_PROCESSORS, conjunctionProcessors); assertCounterUpperBound(ReasonerPerfCounters.COMPOUND_STREAMS, compoundStreams); assertCounterUpperBound(ReasonerPerfCounters.COMPOUND_STREAM_MESSAGES_RECEIVED, compoundStreamMessagesReceived); // Do not assert lower bound for time planning. Times are too variable. assertCounterLowerBound(ReasonerPerfCounters.MATERIALISATIONS, materialisations); assertCounterLowerBound(ReasonerPerfCounters.CONJUNCTION_PROCESSORS, conjunctionProcessors); assertCounterLowerBound(ReasonerPerfCounters.COMPOUND_STREAMS, compoundStreams); assertCounterLowerBound(ReasonerPerfCounters.COMPOUND_STREAM_MESSAGES_RECEIVED, compoundStreamMessagesReceived); } public static class BenchmarkRun { final long answerCount; final Duration timeTaken; final Map<String, Long> reasonerPerfCounters; public BenchmarkRun(long answerCount, Duration timeTaken, PerfCounters reasonerPerfCounters) { this.answerCount = answerCount; this.timeTaken = timeTaken; this.reasonerPerfCounters = new HashMap<>(); iterate(reasonerPerfCounters.counters()) .filter(counter -> BenchmarkRunner.CSVBuilder.perfCounterKeys.contains(counter.name())) .forEachRemaining(counter -> this.reasonerPerfCounters.put(counter.name(), counter.get())); } @Override public String toString() { StringBuilder perfCounterStr = new StringBuilder(); reasonerPerfCounters.forEach((k, v) -> perfCounterStr.append(String.format("|-- %-40s :\t%d\n", k, v))); return "Benchmark run:\n" + "- TimeTaken :\t" + timeTaken.toMillis() + " ms\n" + "- Answers :\t" + answerCount + "\n" + "- PerfCounters :\t\n" + perfCounterStr + "\n"; } } } ```
```c++ #include "Cloud.h" #include "Random.h" #include "TextureManager.h" void Cloud::initRand() { RandomDouble r; position_.x = r.rand_int(max_X_); position_.y = r.rand_int(max_Y_); speed_x_ = 1 + r.rand_int(3); speed_y_ = 0; num_ = r.rand_int(num_style_); alpha_ = 64 + r.rand_int(192); color_ = { (uint8_t)(r.rand_int(256)), (uint8_t)(r.rand_int(256)), (uint8_t)(r.rand_int(256)), 255 }; } void Cloud::setPositionOnScreen(int x, int y, int Center_X, int Center_Y) { x_ = position_.x - (-y * 18 + x * 18 + max_X_ / 2 - Center_X); y_ = position_.y - (y * 9 + x * 9 + 9 - Center_Y); } void Cloud::draw() { TextureManager::getInstance()->renderTexture("cloud", num_, x_, y_, color_, alpha_); } void Cloud::flow() { position_.x += speed_x_; position_.y += speed_y_; auto p = position_; if (p.x < 0 || p.x > max_X_ || p.y < 0 || p.y > max_Y_) { initRand(); } if (p.x < 0) { position_.x = max_X_; } if (p.x > max_X_) { position_.x = 0; } if (p.y < 0) { position_.y = max_Y_; } if (p.y > max_Y_) { position_.y = 0; } } ```